odoo

package module
v0.0.0-...-1678292 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Sep 22, 2023 License: Apache-2.0 Imports: 7 Imported by: 0

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

Note: Generating models require to follow instructions in GOPATH mode. Refactoring for go modules will come soon.

Define the environment variables to be able to connect to your odoo instance :

(Don't set ODOO_MODELS if you want all your models to be generated)

export ODOO_ADMIN=admin // ensure the user has sufficient permissions to generate models
export ODOO_PASSWORD=password
export ODOO_DATABASE=odoo
export ODOO_URL=http://localhost:8069
export ODOO_MODELS="crm.lead"

ODOO_REPO_PATH is the path where the repository will be downloaded (by default its GOPATH):

export ODOO_REPO_PATH=$(echo $GOPATH | awk -F ':' '{ print $1 }')/src/github.com/skilld-labs/go-odoo

Download library and generate models :

GO111MODULE="off" go get github.com/skilld-labs/go-odoo
cd $ODOO_REPO_PATH
ls | grep -v "conversion.go\|generator\|go.mod\|go-odoo-generator\|go.sum\|ir_model_fields.go\|ir_model.go\|LICENSE\|odoo.go\|README.md\|types.go\|version.go" // keep only go-odoo core files
GO111MODULE="off" go generate

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 others 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",
		Password: "password",
		Database: "odoo",
		URL:      "http://localhost:8069",
	})
	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 models 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 (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 recommand you to use models functions (high level).

Here are available low level functions :

func (c *Client) Create(model string, values []interface{}) ([]int64, error) {} !! Creating multiple instances is only for odoo 12+ versions !!
func (c *Client) Update(model string, ids []int64, values interface{}) 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

Documentation

Overview

Package odoo contains client code of library

Index

Constants

View Source
const AccountAbstractPaymentModel = "account.abstract.payment"

AccountAbstractPaymentModel is the odoo model name.

View Source
const AccountAccountModel = "account.account"

AccountAccountModel is the odoo model name.

View Source
const AccountAccountTagModel = "account.account.tag"

AccountAccountTagModel is the odoo model name.

View Source
const AccountAccountTemplateModel = "account.account.template"

AccountAccountTemplateModel is the odoo model name.

View Source
const AccountAccountTypeModel = "account.account.type"

AccountAccountTypeModel is the odoo model name.

View Source
const AccountAgedTrialBalanceModel = "account.aged.trial.balance"

AccountAgedTrialBalanceModel is the odoo model name.

View Source
const AccountAnalyticAccountModel = "account.analytic.account"

AccountAnalyticAccountModel is the odoo model name.

View Source
const AccountAnalyticLineModel = "account.analytic.line"

AccountAnalyticLineModel is the odoo model name.

View Source
const AccountAnalyticTagModel = "account.analytic.tag"

AccountAnalyticTagModel is the odoo model name.

View Source
const AccountBalanceReportModel = "account.balance.report"

AccountBalanceReportModel is the odoo model name.

View Source
const AccountBankAccountsWizardModel = "account.bank.accounts.wizard"

AccountBankAccountsWizardModel is the odoo model name.

View Source
const AccountBankStatementCashboxModel = "account.bank.statement.cashbox"

AccountBankStatementCashboxModel is the odoo model name.

View Source
const AccountBankStatementClosebalanceModel = "account.bank.statement.closebalance"

AccountBankStatementClosebalanceModel is the odoo model name.

View Source
const AccountBankStatementImportJournalCreationModel = "account.bank.statement.import.journal.creation"

AccountBankStatementImportJournalCreationModel is the odoo model name.

View Source
const AccountBankStatementImportModel = "account.bank.statement.import"

AccountBankStatementImportModel is the odoo model name.

View Source
const AccountBankStatementLineModel = "account.bank.statement.line"

AccountBankStatementLineModel is the odoo model name.

View Source
const AccountBankStatementModel = "account.bank.statement"

AccountBankStatementModel is the odoo model name.

View Source
const AccountCashRoundingModel = "account.cash.rounding"

AccountCashRoundingModel is the odoo model name.

View Source
const AccountCashboxLineModel = "account.cashbox.line"

AccountCashboxLineModel is the odoo model name.

View Source
const AccountChartTemplateModel = "account.chart.template"

AccountChartTemplateModel is the odoo model name.

View Source
const AccountCommonAccountReportModel = "account.common.account.report"

AccountCommonAccountReportModel is the odoo model name.

View Source
const AccountCommonJournalReportModel = "account.common.journal.report"

AccountCommonJournalReportModel is the odoo model name.

View Source
const AccountCommonPartnerReportModel = "account.common.partner.report"

AccountCommonPartnerReportModel is the odoo model name.

View Source
const AccountCommonReportModel = "account.common.report"

AccountCommonReportModel is the odoo model name.

View Source
const AccountFinancialReportModel = "account.financial.report"

AccountFinancialReportModel is the odoo model name.

View Source
const AccountFinancialYearOpModel = "account.financial.year.op"

AccountFinancialYearOpModel is the odoo model name.

View Source
const AccountFiscalPositionAccountModel = "account.fiscal.position.account"

AccountFiscalPositionAccountModel is the odoo model name.

View Source
const AccountFiscalPositionAccountTemplateModel = "account.fiscal.position.account.template"

AccountFiscalPositionAccountTemplateModel is the odoo model name.

View Source
const AccountFiscalPositionModel = "account.fiscal.position"

AccountFiscalPositionModel is the odoo model name.

View Source
const AccountFiscalPositionTaxModel = "account.fiscal.position.tax"

AccountFiscalPositionTaxModel is the odoo model name.

View Source
const AccountFiscalPositionTaxTemplateModel = "account.fiscal.position.tax.template"

AccountFiscalPositionTaxTemplateModel is the odoo model name.

View Source
const AccountFiscalPositionTemplateModel = "account.fiscal.position.template"

AccountFiscalPositionTemplateModel is the odoo model name.

View Source
const AccountFrFecModel = "account.fr.fec"

AccountFrFecModel is the odoo model name.

View Source
const AccountFullReconcileModel = "account.full.reconcile"

AccountFullReconcileModel is the odoo model name.

View Source
const AccountGroupModel = "account.group"

AccountGroupModel is the odoo model name.

View Source
const AccountInvoiceConfirmModel = "account.invoice.confirm"

AccountInvoiceConfirmModel is the odoo model name.

View Source
const AccountInvoiceLineModel = "account.invoice.line"

AccountInvoiceLineModel is the odoo model name.

View Source
const AccountInvoiceModel = "account.invoice"

AccountInvoiceModel is the odoo model name.

View Source
const AccountInvoiceRefundModel = "account.invoice.refund"

AccountInvoiceRefundModel is the odoo model name.

View Source
const AccountInvoiceReportModel = "account.invoice.report"

AccountInvoiceReportModel is the odoo model name.

View Source
const AccountInvoiceTaxModel = "account.invoice.tax"

AccountInvoiceTaxModel is the odoo model name.

View Source
const AccountJournalModel = "account.journal"

AccountJournalModel is the odoo model name.

View Source
const AccountMoveLineModel = "account.move.line"

AccountMoveLineModel is the odoo model name.

View Source
const AccountMoveLineReconcileModel = "account.move.line.reconcile"

AccountMoveLineReconcileModel is the odoo model name.

View Source
const AccountMoveLineReconcileWriteoffModel = "account.move.line.reconcile.writeoff"

AccountMoveLineReconcileWriteoffModel is the odoo model name.

View Source
const AccountMoveModel = "account.move"

AccountMoveModel is the odoo model name.

View Source
const AccountMoveReversalModel = "account.move.reversal"

AccountMoveReversalModel is the odoo model name.

View Source
const AccountOpeningModel = "account.opening"

AccountOpeningModel is the odoo model name.

View Source
const AccountPartialReconcileModel = "account.partial.reconcile"

AccountPartialReconcileModel is the odoo model name.

View Source
const AccountPaymentMethodModel = "account.payment.method"

AccountPaymentMethodModel is the odoo model name.

View Source
const AccountPaymentModel = "account.payment"

AccountPaymentModel is the odoo model name.

View Source
const AccountPaymentTermLineModel = "account.payment.term.line"

AccountPaymentTermLineModel is the odoo model name.

View Source
const AccountPaymentTermModel = "account.payment.term"

AccountPaymentTermModel is the odoo model name.

View Source
const AccountPrintJournalModel = "account.print.journal"

AccountPrintJournalModel is the odoo model name.

View Source
const AccountReconcileModelModel = "account.reconcile.model"

AccountReconcileModelModel is the odoo model name.

View Source
const AccountReconcileModelTemplateModel = "account.reconcile.model.template"

AccountReconcileModelTemplateModel is the odoo model name.

View Source
const AccountRegisterPaymentsModel = "account.register.payments"

AccountRegisterPaymentsModel is the odoo model name.

View Source
const AccountReportGeneralLedgerModel = "account.report.general.ledger"

AccountReportGeneralLedgerModel is the odoo model name.

View Source
const AccountReportPartnerLedgerModel = "account.report.partner.ledger"

AccountReportPartnerLedgerModel is the odoo model name.

View Source
const AccountTaxGroupModel = "account.tax.group"

AccountTaxGroupModel is the odoo model name.

View Source
const AccountTaxModel = "account.tax"

AccountTaxModel is the odoo model name.

View Source
const AccountTaxReportModel = "account.tax.report"

AccountTaxReportModel is the odoo model name.

View Source
const AccountTaxTemplateModel = "account.tax.template"

AccountTaxTemplateModel is the odoo model name.

View Source
const AccountUnreconcileModel = "account.unreconcile"

AccountUnreconcileModel is the odoo model name.

View Source
const AccountingReportModel = "accounting.report"

AccountingReportModel is the odoo model name.

View Source
const AutosalesConfigLineModel = "autosales.config.line"

AutosalesConfigLineModel is the odoo model name.

View Source
const AutosalesConfigModel = "autosales.config"

AutosalesConfigModel is the odoo model name.

View Source
const BarcodeNomenclatureModel = "barcode.nomenclature"

BarcodeNomenclatureModel is the odoo model name.

View Source
const BarcodeRuleModel = "barcode.rule"

BarcodeRuleModel is the odoo model name.

View Source
const BarcodesBarcodeEventsMixinModel = "barcodes.barcode_events_mixin"

BarcodesBarcodeEventsMixinModel is the odoo model name.

View Source
const BaseImportImportModel = "base_import.import"

BaseImportImportModel is the odoo model name.

View Source
const BaseImportTestsModelsCharModel = "base_import.tests.models.char"

BaseImportTestsModelsCharModel is the odoo model name.

View Source
const BaseImportTestsModelsCharNoreadonlyModel = "base_import.tests.models.char.noreadonly"

BaseImportTestsModelsCharNoreadonlyModel is the odoo model name.

View Source
const BaseImportTestsModelsCharReadonlyModel = "base_import.tests.models.char.readonly"

BaseImportTestsModelsCharReadonlyModel is the odoo model name.

View Source
const BaseImportTestsModelsCharRequiredModel = "base_import.tests.models.char.required"

BaseImportTestsModelsCharRequiredModel is the odoo model name.

View Source
const BaseImportTestsModelsCharStatesModel = "base_import.tests.models.char.states"

BaseImportTestsModelsCharStatesModel is the odoo model name.

View Source
const BaseImportTestsModelsCharStillreadonlyModel = "base_import.tests.models.char.stillreadonly"

BaseImportTestsModelsCharStillreadonlyModel is the odoo model name.

View Source
const BaseImportTestsModelsM2OModel = "base_import.tests.models.m2o"

BaseImportTestsModelsM2OModel is the odoo model name.

View Source
const BaseImportTestsModelsM2ORelatedModel = "base_import.tests.models.m2o.related"

BaseImportTestsModelsM2ORelatedModel is the odoo model name.

View Source
const BaseImportTestsModelsM2ORequiredModel = "base_import.tests.models.m2o.required"

BaseImportTestsModelsM2ORequiredModel is the odoo model name.

View Source
const BaseImportTestsModelsM2ORequiredRelatedModel = "base_import.tests.models.m2o.required.related"

BaseImportTestsModelsM2ORequiredRelatedModel is the odoo model name.

View Source
const BaseImportTestsModelsO2MChildModel = "base_import.tests.models.o2m.child"

BaseImportTestsModelsO2MChildModel is the odoo model name.

View Source
const BaseImportTestsModelsO2MModel = "base_import.tests.models.o2m"

BaseImportTestsModelsO2MModel is the odoo model name.

View Source
const BaseImportTestsModelsPreviewModel = "base_import.tests.models.preview"

BaseImportTestsModelsPreviewModel is the odoo model name.

View Source
const BaseLanguageExportModel = "base.language.export"

BaseLanguageExportModel is the odoo model name.

View Source
const BaseLanguageImportModel = "base.language.import"

BaseLanguageImportModel is the odoo model name.

View Source
const BaseLanguageInstallModel = "base.language.install"

BaseLanguageInstallModel is the odoo model name.

View Source
const BaseModel = "base"

BaseModel is the odoo model name.

View Source
const BaseModuleUninstallModel = "base.module.uninstall"

BaseModuleUninstallModel is the odoo model name.

View Source
const BaseModuleUpdateModel = "base.module.update"

BaseModuleUpdateModel is the odoo model name.

View Source
const BaseModuleUpgradeModel = "base.module.upgrade"

BaseModuleUpgradeModel is the odoo model name.

View Source
const BasePartnerMergeAutomaticWizardModel = "base.partner.merge.automatic.wizard"

BasePartnerMergeAutomaticWizardModel is the odoo model name.

View Source
const BasePartnerMergeLineModel = "base.partner.merge.line"

BasePartnerMergeLineModel is the odoo model name.

View Source
const BaseUpdateTranslationsModel = "base.update.translations"

BaseUpdateTranslationsModel is the odoo model name.

View Source
const BoardBoardModel = "board.board"

BoardBoardModel is the odoo model name.

View Source
const BusBusModel = "bus.bus"

BusBusModel is the odoo model name.

View Source
const BusPresenceModel = "bus.presence"

BusPresenceModel is the odoo model name.

View Source
const CalendarAlarmManagerModel = "calendar.alarm_manager"

CalendarAlarmManagerModel is the odoo model name.

View Source
const CalendarAlarmModel = "calendar.alarm"

CalendarAlarmModel is the odoo model name.

View Source
const CalendarAttendeeModel = "calendar.attendee"

CalendarAttendeeModel is the odoo model name.

View Source
const CalendarContactsModel = "calendar.contacts"

CalendarContactsModel is the odoo model name.

View Source
const CalendarEventModel = "calendar.event"

CalendarEventModel is the odoo model name.

View Source
const CalendarEventTypeModel = "calendar.event.type"

CalendarEventTypeModel is the odoo model name.

View Source
const CashBoxInModel = "cash.box.in"

CashBoxInModel is the odoo model name.

View Source
const CashBoxOutModel = "cash.box.out"

CashBoxOutModel is the odoo model name.

View Source
const ChangePasswordUserModel = "change.password.user"

ChangePasswordUserModel is the odoo model name.

View Source
const ChangePasswordWizardModel = "change.password.wizard"

ChangePasswordWizardModel is the odoo model name.

View Source
const CrmActivityReportModel = "crm.activity.report"

CrmActivityReportModel is the odoo model name.

View Source
const CrmLead2OpportunityPartnerMassModel = "crm.lead2opportunity.partner.mass"

CrmLead2OpportunityPartnerMassModel is the odoo model name.

View Source
const CrmLead2OpportunityPartnerModel = "crm.lead2opportunity.partner"

CrmLead2OpportunityPartnerModel is the odoo model name.

View Source
const CrmLeadLostModel = "crm.lead.lost"

CrmLeadLostModel is the odoo model name.

View Source
const CrmLeadModel = "crm.lead"

CrmLeadModel is the odoo model name.

View Source
const CrmLeadTagModel = "crm.lead.tag"

CrmLeadTagModel is the odoo model name.

View Source
const CrmLostReasonModel = "crm.lost.reason"

CrmLostReasonModel is the odoo model name.

View Source
const CrmMergeOpportunityModel = "crm.merge.opportunity"

CrmMergeOpportunityModel is the odoo model name.

View Source
const CrmOpportunityReportModel = "crm.opportunity.report"

CrmOpportunityReportModel is the odoo model name.

View Source
const CrmPartnerBindingModel = "crm.partner.binding"

CrmPartnerBindingModel is the odoo model name.

View Source
const CrmStageModel = "crm.stage"

CrmStageModel is the odoo model name.

View Source
const CrmTeamModel = "crm.team"

CrmTeamModel is the odoo model name.

View Source
const DecimalPrecisionModel = "decimal.precision"

DecimalPrecisionModel is the odoo model name.

View Source
const EmailTemplatePreviewModel = "email_template.preview"

EmailTemplatePreviewModel is the odoo model name.

View Source
const FetchmailServerModel = "fetchmail.server"

FetchmailServerModel is the odoo model name.

View Source
const FormatAddressMixinModel = "format.address.mixin"

FormatAddressMixinModel is the odoo model name.

View Source
const HrDepartmentModel = "hr.department"

HrDepartmentModel is the odoo model name.

View Source
const HrEmployeeCategoryModel = "hr.employee.category"

HrEmployeeCategoryModel is the odoo model name.

View Source
const HrEmployeeModel = "hr.employee"

HrEmployeeModel is the odoo model name.

View Source
const HrHolidaysModel = "hr.holidays"

HrHolidaysModel is the odoo model name.

View Source
const HrHolidaysRemainingLeavesUserModel = "hr.holidays.remaining.leaves.user"

HrHolidaysRemainingLeavesUserModel is the odoo model name.

View Source
const HrHolidaysStatusModel = "hr.holidays.status"

HrHolidaysStatusModel is the odoo model name.

View Source
const HrHolidaysSummaryDeptModel = "hr.holidays.summary.dept"

HrHolidaysSummaryDeptModel is the odoo model name.

View Source
const HrHolidaysSummaryEmployeeModel = "hr.holidays.summary.employee"

HrHolidaysSummaryEmployeeModel is the odoo model name.

View Source
const HrJobModel = "hr.job"

HrJobModel is the odoo model name.

View Source
const IapAccountModel = "iap.account"

IapAccountModel is the odoo model name.

View Source
const ImLivechatChannelModel = "im_livechat.channel"

ImLivechatChannelModel is the odoo model name.

View Source
const ImLivechatChannelRuleModel = "im_livechat.channel.rule"

ImLivechatChannelRuleModel is the odoo model name.

View Source
const ImLivechatReportChannelModel = "im_livechat.report.channel"

ImLivechatReportChannelModel is the odoo model name.

View Source
const ImLivechatReportOperatorModel = "im_livechat.report.operator"

ImLivechatReportOperatorModel is the odoo model name.

View Source
const IrActionsActUrlModel = "ir.actions.act_url"

IrActionsActUrlModel is the odoo model name.

View Source
const IrActionsActWindowCloseModel = "ir.actions.act_window_close"

IrActionsActWindowCloseModel is the odoo model name.

View Source
const IrActionsActWindowModel = "ir.actions.act_window"

IrActionsActWindowModel is the odoo model name.

View Source
const IrActionsActWindowViewModel = "ir.actions.act_window.view"

IrActionsActWindowViewModel is the odoo model name.

View Source
const IrActionsActionsModel = "ir.actions.actions"

IrActionsActionsModel is the odoo model name.

View Source
const IrActionsClientModel = "ir.actions.client"

IrActionsClientModel is the odoo model name.

View Source
const IrActionsReportModel = "ir.actions.report"

IrActionsReportModel is the odoo model name.

View Source
const IrActionsServerModel = "ir.actions.server"

IrActionsServerModel is the odoo model name.

View Source
const IrActionsTodoModel = "ir.actions.todo"

IrActionsTodoModel is the odoo model name.

View Source
const IrAttachmentModel = "ir.attachment"

IrAttachmentModel is the odoo model name.

View Source
const IrAutovacuumModel = "ir.autovacuum"

IrAutovacuumModel is the odoo model name.

View Source
const IrConfigParameterModel = "ir.config_parameter"

IrConfigParameterModel is the odoo model name.

View Source
const IrCronModel = "ir.cron"

IrCronModel is the odoo model name.

View Source
const IrDefaultModel = "ir.default"

IrDefaultModel is the odoo model name.

View Source
const IrExportsLineModel = "ir.exports.line"

IrExportsLineModel is the odoo model name.

View Source
const IrExportsModel = "ir.exports"

IrExportsModel is the odoo model name.

View Source
const IrFieldsConverterModel = "ir.fields.converter"

IrFieldsConverterModel is the odoo model name.

View Source
const IrFiltersModel = "ir.filters"

IrFiltersModel is the odoo model name.

View Source
const IrHttpModel = "ir.http"

IrHttpModel is the odoo model name.

View Source
const IrLoggingModel = "ir.logging"

IrLoggingModel is the odoo model name.

View Source
const IrMailServerModel = "ir.mail_server"

IrMailServerModel is the odoo model name.

View Source
const IrModelAccessModel = "ir.model.access"

IrModelAccessModel is the odoo model name.

View Source
const IrModelConstraintModel = "ir.model.constraint"

IrModelConstraintModel is the odoo model name.

View Source
const IrModelDataModel = "ir.model.data"

IrModelDataModel is the odoo model name.

View Source
const IrModelFieldsModel = "ir.model.fields"

IrModelFieldsModel is the odoo model name.

View Source
const IrModelModel = "ir.model"

IrModelModel is the odoo model name.

View Source
const IrModelRelationModel = "ir.model.relation"

IrModelRelationModel is the odoo model name.

View Source
const IrModuleCategoryModel = "ir.module.category"

IrModuleCategoryModel is the odoo model name.

View Source
const IrModuleModuleDependencyModel = "ir.module.module.dependency"

IrModuleModuleDependencyModel is the odoo model name.

View Source
const IrModuleModuleExclusionModel = "ir.module.module.exclusion"

IrModuleModuleExclusionModel is the odoo model name.

View Source
const IrModuleModuleModel = "ir.module.module"

IrModuleModuleModel is the odoo model name.

View Source
const IrPropertyModel = "ir.property"

IrPropertyModel is the odoo model name.

View Source
const IrQwebFieldBarcodeModel = "ir.qweb.field.barcode"

IrQwebFieldBarcodeModel is the odoo model name.

View Source
const IrQwebFieldContactModel = "ir.qweb.field.contact"

IrQwebFieldContactModel is the odoo model name.

View Source
const IrQwebFieldDateModel = "ir.qweb.field.date"

IrQwebFieldDateModel is the odoo model name.

View Source
const IrQwebFieldDatetimeModel = "ir.qweb.field.datetime"

IrQwebFieldDatetimeModel is the odoo model name.

View Source
const IrQwebFieldDurationModel = "ir.qweb.field.duration"

IrQwebFieldDurationModel is the odoo model name.

View Source
const IrQwebFieldFloatModel = "ir.qweb.field.float"

IrQwebFieldFloatModel is the odoo model name.

View Source
const IrQwebFieldFloatTimeModel = "ir.qweb.field.float_time"

IrQwebFieldFloatTimeModel is the odoo model name.

View Source
const IrQwebFieldHtmlModel = "ir.qweb.field.html"

IrQwebFieldHtmlModel is the odoo model name.

View Source
const IrQwebFieldImageModel = "ir.qweb.field.image"

IrQwebFieldImageModel is the odoo model name.

View Source
const IrQwebFieldIntegerModel = "ir.qweb.field.integer"

IrQwebFieldIntegerModel is the odoo model name.

View Source
const IrQwebFieldMany2OneModel = "ir.qweb.field.many2one"

IrQwebFieldMany2OneModel is the odoo model name.

View Source
const IrQwebFieldModel = "ir.qweb.field"

IrQwebFieldModel is the odoo model name.

View Source
const IrQwebFieldMonetaryModel = "ir.qweb.field.monetary"

IrQwebFieldMonetaryModel is the odoo model name.

View Source
const IrQwebFieldQwebModel = "ir.qweb.field.qweb"

IrQwebFieldQwebModel is the odoo model name.

View Source
const IrQwebFieldRelativeModel = "ir.qweb.field.relative"

IrQwebFieldRelativeModel is the odoo model name.

View Source
const IrQwebFieldSelectionModel = "ir.qweb.field.selection"

IrQwebFieldSelectionModel is the odoo model name.

View Source
const IrQwebFieldTextModel = "ir.qweb.field.text"

IrQwebFieldTextModel is the odoo model name.

View Source
const IrQwebModel = "ir.qweb"

IrQwebModel is the odoo model name.

View Source
const IrRuleModel = "ir.rule"

IrRuleModel is the odoo model name.

View Source
const IrSequenceDateRangeModel = "ir.sequence.date_range"

IrSequenceDateRangeModel is the odoo model name.

View Source
const IrSequenceModel = "ir.sequence"

IrSequenceModel is the odoo model name.

View Source
const IrServerObjectLinesModel = "ir.server.object.lines"

IrServerObjectLinesModel is the odoo model name.

View Source
const IrTranslationModel = "ir.translation"

IrTranslationModel is the odoo model name.

View Source
const IrUiMenuModel = "ir.ui.menu"

IrUiMenuModel is the odoo model name.

View Source
const IrUiViewCustomModel = "ir.ui.view.custom"

IrUiViewCustomModel is the odoo model name.

View Source
const IrUiViewModel = "ir.ui.view"

IrUiViewModel is the odoo model name.

View Source
const LinkTrackerClickModel = "link.tracker.click"

LinkTrackerClickModel is the odoo model name.

View Source
const LinkTrackerCodeModel = "link.tracker.code"

LinkTrackerCodeModel is the odoo model name.

View Source
const LinkTrackerModel = "link.tracker"

LinkTrackerModel is the odoo model name.

View Source
const MailActivityMixinModel = "mail.activity.mixin"

MailActivityMixinModel is the odoo model name.

View Source
const MailActivityModel = "mail.activity"

MailActivityModel is the odoo model name.

View Source
const MailActivityTypeModel = "mail.activity.type"

MailActivityTypeModel is the odoo model name.

View Source
const MailAliasMixinModel = "mail.alias.mixin"

MailAliasMixinModel is the odoo model name.

View Source
const MailAliasModel = "mail.alias"

MailAliasModel is the odoo model name.

View Source
const MailChannelModel = "mail.channel"

MailChannelModel is the odoo model name.

View Source
const MailChannelPartnerModel = "mail.channel.partner"

MailChannelPartnerModel is the odoo model name.

View Source
const MailComposeMessageModel = "mail.compose.message"

MailComposeMessageModel is the odoo model name.

View Source
const MailFollowersModel = "mail.followers"

MailFollowersModel is the odoo model name.

View Source
const MailMailModel = "mail.mail"

MailMailModel is the odoo model name.

View Source
const MailMailStatisticsModel = "mail.mail.statistics"

MailMailStatisticsModel is the odoo model name.

View Source
const MailMassMailingCampaignModel = "mail.mass_mailing.campaign"

MailMassMailingCampaignModel is the odoo model name.

View Source
const MailMassMailingContactModel = "mail.mass_mailing.contact"

MailMassMailingContactModel is the odoo model name.

View Source
const MailMassMailingListModel = "mail.mass_mailing.list"

MailMassMailingListModel is the odoo model name.

View Source
const MailMassMailingModel = "mail.mass_mailing"

MailMassMailingModel is the odoo model name.

View Source
const MailMassMailingStageModel = "mail.mass_mailing.stage"

MailMassMailingStageModel is the odoo model name.

View Source
const MailMassMailingTagModel = "mail.mass_mailing.tag"

MailMassMailingTagModel is the odoo model name.

View Source
const MailMessageModel = "mail.message"

MailMessageModel is the odoo model name.

View Source
const MailMessageSubtypeModel = "mail.message.subtype"

MailMessageSubtypeModel is the odoo model name.

View Source
const MailNotificationModel = "mail.notification"

MailNotificationModel is the odoo model name.

View Source
const MailShortcodeModel = "mail.shortcode"

MailShortcodeModel is the odoo model name.

View Source
const MailStatisticsReportModel = "mail.statistics.report"

MailStatisticsReportModel is the odoo model name.

View Source
const MailTemplateModel = "mail.template"

MailTemplateModel is the odoo model name.

View Source
const MailTestSimpleModel = "mail.test.simple"

MailTestSimpleModel is the odoo model name.

View Source
const MailThreadModel = "mail.thread"

MailThreadModel is the odoo model name.

View Source
const MailTrackingValueModel = "mail.tracking.value"

MailTrackingValueModel is the odoo model name.

View Source
const MailWizardInviteModel = "mail.wizard.invite"

MailWizardInviteModel is the odoo model name.

View Source
const PaymentAcquirerModel = "payment.acquirer"

PaymentAcquirerModel is the odoo model name.

View Source
const PaymentIconModel = "payment.icon"

PaymentIconModel is the odoo model name.

View Source
const PaymentTokenModel = "payment.token"

PaymentTokenModel is the odoo model name.

View Source
const PaymentTransactionModel = "payment.transaction"

PaymentTransactionModel is the odoo model name.

View Source
const PortalMixinModel = "portal.mixin"

PortalMixinModel is the odoo model name.

View Source
const PortalWizardModel = "portal.wizard"

PortalWizardModel is the odoo model name.

View Source
const PortalWizardUserModel = "portal.wizard.user"

PortalWizardUserModel is the odoo model name.

View Source
const ProcurementGroupModel = "procurement.group"

ProcurementGroupModel is the odoo model name.

View Source
const ProcurementRuleModel = "procurement.rule"

ProcurementRuleModel is the odoo model name.

View Source
const ProductAttributeLineModel = "product.attribute.line"

ProductAttributeLineModel is the odoo model name.

View Source
const ProductAttributeModel = "product.attribute"

ProductAttributeModel is the odoo model name.

View Source
const ProductAttributePriceModel = "product.attribute.price"

ProductAttributePriceModel is the odoo model name.

View Source
const ProductAttributeValueModel = "product.attribute.value"

ProductAttributeValueModel is the odoo model name.

View Source
const ProductCategoryModel = "product.category"

ProductCategoryModel is the odoo model name.

View Source
const ProductPackagingModel = "product.packaging"

ProductPackagingModel is the odoo model name.

View Source
const ProductPriceHistoryModel = "product.price.history"

ProductPriceHistoryModel is the odoo model name.

View Source
const ProductPriceListModel = "product.price_list"

ProductPriceListModel is the odoo model name.

View Source
const ProductPricelistItemModel = "product.pricelist.item"

ProductPricelistItemModel is the odoo model name.

View Source
const ProductPricelistModel = "product.pricelist"

ProductPricelistModel is the odoo model name.

View Source
const ProductProductModel = "product.product"

ProductProductModel is the odoo model name.

View Source
const ProductPutawayModel = "product.putaway"

ProductPutawayModel is the odoo model name.

View Source
const ProductRemovalModel = "product.removal"

ProductRemovalModel is the odoo model name.

View Source
const ProductSupplierinfoModel = "product.supplierinfo"

ProductSupplierinfoModel is the odoo model name.

View Source
const ProductTemplateModel = "product.template"

ProductTemplateModel is the odoo model name.

View Source
const ProductUomCategModel = "product.uom.categ"

ProductUomCategModel is the odoo model name.

View Source
const ProductUomModel = "product.uom"

ProductUomModel is the odoo model name.

View Source
const ProjectProjectModel = "project.project"

ProjectProjectModel is the odoo model name.

View Source
const ProjectTagsModel = "project.tags"

ProjectTagsModel is the odoo model name.

View Source
const ProjectTaskMergeWizardModel = "project.task.merge.wizard"

ProjectTaskMergeWizardModel is the odoo model name.

View Source
const ProjectTaskModel = "project.task"

ProjectTaskModel is the odoo model name.

View Source
const ProjectTaskTypeModel = "project.task.type"

ProjectTaskTypeModel is the odoo model name.

View Source
const PublisherWarrantyContractModel = "publisher_warranty.contract"

PublisherWarrantyContractModel is the odoo model name.

View Source
const PurchaseOrderLineModel = "purchase.order.line"

PurchaseOrderLineModel is the odoo model name.

View Source
const PurchaseOrderModel = "purchase.order"

PurchaseOrderModel is the odoo model name.

View Source
const PurchaseReportModel = "purchase.report"

PurchaseReportModel is the odoo model name.

View Source
const RatingMixinModel = "rating.mixin"

RatingMixinModel is the odoo model name.

View Source
const RatingRatingModel = "rating.rating"

RatingRatingModel is the odoo model name.

View Source
const ReportAccountReportAgedpartnerbalanceModel = "report.account.report_agedpartnerbalance"

ReportAccountReportAgedpartnerbalanceModel is the odoo model name.

View Source
const ReportAccountReportFinancialModel = "report.account.report_financial"

ReportAccountReportFinancialModel is the odoo model name.

View Source
const ReportAccountReportGeneralledgerModel = "report.account.report_generalledger"

ReportAccountReportGeneralledgerModel is the odoo model name.

View Source
const ReportAccountReportJournalModel = "report.account.report_journal"

ReportAccountReportJournalModel is the odoo model name.

View Source
const ReportAccountReportOverdueModel = "report.account.report_overdue"

ReportAccountReportOverdueModel is the odoo model name.

View Source
const ReportAccountReportPartnerledgerModel = "report.account.report_partnerledger"

ReportAccountReportPartnerledgerModel is the odoo model name.

View Source
const ReportAccountReportTaxModel = "report.account.report_tax"

ReportAccountReportTaxModel is the odoo model name.

View Source
const ReportAccountReportTrialbalanceModel = "report.account.report_trialbalance"

ReportAccountReportTrialbalanceModel is the odoo model name.

View Source
const ReportAllChannelsSalesModel = "report.all.channels.sales"

ReportAllChannelsSalesModel is the odoo model name.

View Source
const ReportBaseReportIrmodulereferenceModel = "report.base.report_irmodulereference"

ReportBaseReportIrmodulereferenceModel is the odoo model name.

View Source
const ReportHrHolidaysReportHolidayssummaryModel = "report.hr_holidays.report_holidayssummary"

ReportHrHolidaysReportHolidayssummaryModel is the odoo model name.

View Source
const ReportPaperformatModel = "report.paperformat"

ReportPaperformatModel is the odoo model name.

View Source
const ReportProductReportPricelistModel = "report.product.report_pricelist"

ReportProductReportPricelistModel is the odoo model name.

View Source
const ReportProjectTaskUserModel = "report.project.task.user"

ReportProjectTaskUserModel is the odoo model name.

View Source
const ReportSaleReportSaleproformaModel = "report.sale.report_saleproforma"

ReportSaleReportSaleproformaModel is the odoo model name.

View Source
const ReportStockForecastModel = "report.stock.forecast"

ReportStockForecastModel is the odoo model name.

View Source
const ResBankModel = "res.bank"

ResBankModel is the odoo model name.

View Source
const ResCompanyModel = "res.company"

ResCompanyModel is the odoo model name.

View Source
const ResConfigInstallerModel = "res.config.installer"

ResConfigInstallerModel is the odoo model name.

View Source
const ResConfigModel = "res.config"

ResConfigModel is the odoo model name.

View Source
const ResConfigSettingsModel = "res.config.settings"

ResConfigSettingsModel is the odoo model name.

View Source
const ResCountryGroupModel = "res.country.group"

ResCountryGroupModel is the odoo model name.

View Source
const ResCountryModel = "res.country"

ResCountryModel is the odoo model name.

View Source
const ResCountryStateModel = "res.country.state"

ResCountryStateModel is the odoo model name.

View Source
const ResCurrencyModel = "res.currency"

ResCurrencyModel is the odoo model name.

View Source
const ResCurrencyRateModel = "res.currency.rate"

ResCurrencyRateModel is the odoo model name.

View Source
const ResGroupsModel = "res.groups"

ResGroupsModel is the odoo model name.

View Source
const ResLangModel = "res.lang"

ResLangModel is the odoo model name.

View Source
const ResPartnerBankModel = "res.partner.bank"

ResPartnerBankModel is the odoo model name.

View Source
const ResPartnerCategoryModel = "res.partner.category"

ResPartnerCategoryModel is the odoo model name.

View Source
const ResPartnerIndustryModel = "res.partner.industry"

ResPartnerIndustryModel is the odoo model name.

View Source
const ResPartnerModel = "res.partner"

ResPartnerModel is the odoo model name.

View Source
const ResPartnerTitleModel = "res.partner.title"

ResPartnerTitleModel is the odoo model name.

View Source
const ResRequestLinkModel = "res.request.link"

ResRequestLinkModel is the odoo model name.

View Source
const ResUsersLogModel = "res.users.log"

ResUsersLogModel is the odoo model name.

View Source
const ResUsersModel = "res.users"

ResUsersModel is the odoo model name.

View Source
const ResourceCalendarAttendanceModel = "resource.calendar.attendance"

ResourceCalendarAttendanceModel is the odoo model name.

View Source
const ResourceCalendarLeavesModel = "resource.calendar.leaves"

ResourceCalendarLeavesModel is the odoo model name.

View Source
const ResourceCalendarModel = "resource.calendar"

ResourceCalendarModel is the odoo model name.

View Source
const ResourceMixinModel = "resource.mixin"

ResourceMixinModel is the odoo model name.

View Source
const ResourceResourceModel = "resource.resource"

ResourceResourceModel is the odoo model name.

View Source
const SaleAdvancePaymentInvModel = "sale.advance.payment.inv"

SaleAdvancePaymentInvModel is the odoo model name.

View Source
const SaleLayoutCategoryModel = "sale.layout_category"

SaleLayoutCategoryModel is the odoo model name.

View Source
const SaleOrderLineModel = "sale.order.line"

SaleOrderLineModel is the odoo model name.

View Source
const SaleOrderModel = "sale.order"

SaleOrderModel is the odoo model name.

View Source
const SaleReportModel = "sale.report"

SaleReportModel is the odoo model name.

View Source
const SlideAnswerModel = "slide.answer"
View Source
const SlideChannelInviteModel = "slide.channel.invite"
View Source
const SlideChannelModel = "slide.channel"
View Source
const SlideChannelPartnerModel = "slide.channel.partner"
View Source
const SlideChannelTagGroupModel = "slide.channel.tag.group"
View Source
const SlideChannelTagModel = "slide.channel.tag"
View Source
const SlideEmbedModel = "slide.embed"
View Source
const SlideQuestionModel = "slide.question"
View Source
const SlideSlideModel = "slide.slide"
View Source
const SlideSlidePartnerModel = "slide.slide.partner"
View Source
const SlideSlideResourceModel = "slide.slide.resource"
View Source
const SlideTagModel = "slide.tag"
View Source
const SmsApiModel = "sms.api"

SmsApiModel is the odoo model name.

View Source
const SmsSendSmsModel = "sms.send_sms"

SmsSendSmsModel is the odoo model name.

View Source
const StockBackorderConfirmationModel = "stock.backorder.confirmation"

StockBackorderConfirmationModel is the odoo model name.

View Source
const StockChangeProductQtyModel = "stock.change.product.qty"

StockChangeProductQtyModel is the odoo model name.

View Source
const StockChangeStandardPriceModel = "stock.change.standard.price"

StockChangeStandardPriceModel is the odoo model name.

View Source
const StockFixedPutawayStratModel = "stock.fixed.putaway.strat"

StockFixedPutawayStratModel is the odoo model name.

View Source
const StockImmediateTransferModel = "stock.immediate.transfer"

StockImmediateTransferModel is the odoo model name.

View Source
const StockIncotermsModel = "stock.incoterms"

StockIncotermsModel is the odoo model name.

View Source
const StockInventoryLineModel = "stock.inventory.line"

StockInventoryLineModel is the odoo model name.

View Source
const StockInventoryModel = "stock.inventory"

StockInventoryModel is the odoo model name.

View Source
const StockLocationModel = "stock.location"

StockLocationModel is the odoo model name.

View Source
const StockLocationPathModel = "stock.location.path"

StockLocationPathModel is the odoo model name.

View Source
const StockLocationRouteModel = "stock.location.route"

StockLocationRouteModel is the odoo model name.

View Source
const StockMoveLineModel = "stock.move.line"

StockMoveLineModel is the odoo model name.

View Source
const StockMoveModel = "stock.move"

StockMoveModel is the odoo model name.

View Source
const StockOverprocessedTransferModel = "stock.overprocessed.transfer"

StockOverprocessedTransferModel is the odoo model name.

View Source
const StockPickingModel = "stock.picking"

StockPickingModel is the odoo model name.

View Source
const StockPickingTypeModel = "stock.picking.type"

StockPickingTypeModel is the odoo model name.

View Source
const StockProductionLotModel = "stock.production.lot"

StockProductionLotModel is the odoo model name.

View Source
const StockQuantModel = "stock.quant"

StockQuantModel is the odoo model name.

View Source
const StockQuantPackageModel = "stock.quant.package"

StockQuantPackageModel is the odoo model name.

View Source
const StockQuantityHistoryModel = "stock.quantity.history"

StockQuantityHistoryModel is the odoo model name.

View Source
const StockReturnPickingLineModel = "stock.return.picking.line"

StockReturnPickingLineModel is the odoo model name.

View Source
const StockReturnPickingModel = "stock.return.picking"

StockReturnPickingModel is the odoo model name.

View Source
const StockSchedulerComputeModel = "stock.scheduler.compute"

StockSchedulerComputeModel is the odoo model name.

View Source
const StockScrapModel = "stock.scrap"

StockScrapModel is the odoo model name.

View Source
const StockTraceabilityReportModel = "stock.traceability.report"

StockTraceabilityReportModel is the odoo model name.

View Source
const StockWarehouseModel = "stock.warehouse"

StockWarehouseModel is the odoo model name.

View Source
const StockWarehouseOrderpointModel = "stock.warehouse.orderpoint"

StockWarehouseOrderpointModel is the odoo model name.

View Source
const StockWarnInsufficientQtyModel = "stock.warn.insufficient.qty"

StockWarnInsufficientQtyModel is the odoo model name.

View Source
const StockWarnInsufficientQtyScrapModel = "stock.warn.insufficient.qty.scrap"

StockWarnInsufficientQtyScrapModel is the odoo model name.

View Source
const TaxAdjustmentsWizardModel = "tax.adjustments.wizard"

TaxAdjustmentsWizardModel is the odoo model name.

View Source
const UtmCampaignModel = "utm.campaign"

UtmCampaignModel is the odoo model name.

View Source
const UtmMediumModel = "utm.medium"

UtmMediumModel is the odoo model name.

View Source
const UtmMixinModel = "utm.mixin"

UtmMixinModel is the odoo model name.

View Source
const UtmSourceModel = "utm.source"

UtmSourceModel is the odoo model name.

View Source
const ValidateAccountMoveModel = "validate.account.move"

ValidateAccountMoveModel is the odoo model name.

View Source
const WebEditorConverterTestSubModel = "web_editor.converter.test.sub"

WebEditorConverterTestSubModel is the odoo model name.

View Source
const WebPlannerModel = "web.planner"

WebPlannerModel is the odoo model name.

View Source
const WebTourTourModel = "web_tour.tour"

WebTourTourModel is the odoo model name.

View Source
const WizardIrModelMenuCreateModel = "wizard.ir.model.menu.create"

WizardIrModelMenuCreateModel is the odoo model name.

View Source
const WizardMultiChartsAccountsModel = "wizard.multi.charts.accounts"

WizardMultiChartsAccountsModel is the odoo model name.

Variables

This section is empty.

Functions

This section is empty.

Types

type AccountAbstractPayment

type AccountAbstractPayment struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	Amount            *Float     `xmlrpc:"amount,omptempty"`
	Communication     *String    `xmlrpc:"communication,omptempty"`
	CompanyId         *Many2One  `xmlrpc:"company_id,omptempty"`
	CurrencyId        *Many2One  `xmlrpc:"currency_id,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	HidePaymentMethod *Bool      `xmlrpc:"hide_payment_method,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	JournalId         *Many2One  `xmlrpc:"journal_id,omptempty"`
	PartnerId         *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerType       *Selection `xmlrpc:"partner_type,omptempty"`
	PaymentDate       *Time      `xmlrpc:"payment_date,omptempty"`
	PaymentMethodCode *String    `xmlrpc:"payment_method_code,omptempty"`
	PaymentMethodId   *Many2One  `xmlrpc:"payment_method_id,omptempty"`
	PaymentType       *Selection `xmlrpc:"payment_type,omptempty"`
}

AccountAbstractPayment represents account.abstract.payment model.

func (*AccountAbstractPayment) Many2One

func (aap *AccountAbstractPayment) Many2One() *Many2One

Many2One convert AccountAbstractPayment to *Many2One.

type AccountAbstractPayments

type AccountAbstractPayments []AccountAbstractPayment

AccountAbstractPayments represents array of account.abstract.payment model.

type AccountAccount

type AccountAccount struct {
	LastUpdate             *Time      `xmlrpc:"__last_update,omptempty"`
	Code                   *String    `xmlrpc:"code,omptempty"`
	CompanyId              *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId             *Many2One  `xmlrpc:"currency_id,omptempty"`
	Deprecated             *Bool      `xmlrpc:"deprecated,omptempty"`
	DisplayName            *String    `xmlrpc:"display_name,omptempty"`
	GroupId                *Many2One  `xmlrpc:"group_id,omptempty"`
	Id                     *Int       `xmlrpc:"id,omptempty"`
	InternalType           *Selection `xmlrpc:"internal_type,omptempty"`
	LastTimeEntriesChecked *Time      `xmlrpc:"last_time_entries_checked,omptempty"`
	Name                   *String    `xmlrpc:"name,omptempty"`
	Note                   *String    `xmlrpc:"note,omptempty"`
	OpeningCredit          *Float     `xmlrpc:"opening_credit,omptempty"`
	OpeningDebit           *Float     `xmlrpc:"opening_debit,omptempty"`
	Reconcile              *Bool      `xmlrpc:"reconcile,omptempty"`
	TagIds                 *Relation  `xmlrpc:"tag_ids,omptempty"`
	TaxIds                 *Relation  `xmlrpc:"tax_ids,omptempty"`
	UserTypeId             *Many2One  `xmlrpc:"user_type_id,omptempty"`
	WriteDate              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountAccount represents account.account model.

func (*AccountAccount) Many2One

func (aa *AccountAccount) Many2One() *Many2One

Many2One convert AccountAccount to *Many2One.

type AccountAccountTag

type AccountAccountTag struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	Active        *Bool      `xmlrpc:"active,omptempty"`
	Applicability *Selection `xmlrpc:"applicability,omptempty"`
	Color         *Int       `xmlrpc:"color,omptempty"`
	CreateDate    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	Name          *String    `xmlrpc:"name,omptempty"`
	WriteDate     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountAccountTag represents account.account.tag model.

func (*AccountAccountTag) Many2One

func (aat *AccountAccountTag) Many2One() *Many2One

Many2One convert AccountAccountTag to *Many2One.

type AccountAccountTags

type AccountAccountTags []AccountAccountTag

AccountAccountTags represents array of account.account.tag model.

type AccountAccountTemplate

type AccountAccountTemplate struct {
	LastUpdate      *Time     `xmlrpc:"__last_update,omptempty"`
	ChartTemplateId *Many2One `xmlrpc:"chart_template_id,omptempty"`
	Code            *String   `xmlrpc:"code,omptempty"`
	CreateDate      *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One `xmlrpc:"create_uid,omptempty"`
	CurrencyId      *Many2One `xmlrpc:"currency_id,omptempty"`
	DisplayName     *String   `xmlrpc:"display_name,omptempty"`
	GroupId         *Many2One `xmlrpc:"group_id,omptempty"`
	Id              *Int      `xmlrpc:"id,omptempty"`
	Name            *String   `xmlrpc:"name,omptempty"`
	Nocreate        *Bool     `xmlrpc:"nocreate,omptempty"`
	Note            *String   `xmlrpc:"note,omptempty"`
	Reconcile       *Bool     `xmlrpc:"reconcile,omptempty"`
	TagIds          *Relation `xmlrpc:"tag_ids,omptempty"`
	TaxIds          *Relation `xmlrpc:"tax_ids,omptempty"`
	UserTypeId      *Many2One `xmlrpc:"user_type_id,omptempty"`
	WriteDate       *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountAccountTemplate represents account.account.template model.

func (*AccountAccountTemplate) Many2One

func (aat *AccountAccountTemplate) Many2One() *Many2One

Many2One convert AccountAccountTemplate to *Many2One.

type AccountAccountTemplates

type AccountAccountTemplates []AccountAccountTemplate

AccountAccountTemplates represents array of account.account.template model.

type AccountAccountType

type AccountAccountType struct {
	LastUpdate            *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate            *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid             *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName           *String    `xmlrpc:"display_name,omptempty"`
	Id                    *Int       `xmlrpc:"id,omptempty"`
	IncludeInitialBalance *Bool      `xmlrpc:"include_initial_balance,omptempty"`
	Name                  *String    `xmlrpc:"name,omptempty"`
	Note                  *String    `xmlrpc:"note,omptempty"`
	Type                  *Selection `xmlrpc:"type,omptempty"`
	WriteDate             *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid              *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountAccountType represents account.account.type model.

func (*AccountAccountType) Many2One

func (aat *AccountAccountType) Many2One() *Many2One

Many2One convert AccountAccountType to *Many2One.

type AccountAccountTypes

type AccountAccountTypes []AccountAccountType

AccountAccountTypes represents array of account.account.type model.

type AccountAccounts

type AccountAccounts []AccountAccount

AccountAccounts represents array of account.account model.

type AccountAgedTrialBalance

type AccountAgedTrialBalance struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId       *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom        *Time      `xmlrpc:"date_from,omptempty"`
	DateTo          *Time      `xmlrpc:"date_to,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	JournalIds      *Relation  `xmlrpc:"journal_ids,omptempty"`
	PeriodLength    *Int       `xmlrpc:"period_length,omptempty"`
	ResultSelection *Selection `xmlrpc:"result_selection,omptempty"`
	TargetMove      *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountAgedTrialBalance represents account.aged.trial.balance model.

func (*AccountAgedTrialBalance) Many2One

func (aatb *AccountAgedTrialBalance) Many2One() *Many2One

Many2One convert AccountAgedTrialBalance to *Many2One.

type AccountAgedTrialBalances

type AccountAgedTrialBalances []AccountAgedTrialBalance

AccountAgedTrialBalances represents array of account.aged.trial.balance model.

type AccountAnalyticAccount

type AccountAnalyticAccount struct {
	LastUpdate               *Time     `xmlrpc:"__last_update,omptempty"`
	Active                   *Bool     `xmlrpc:"active,omptempty"`
	Balance                  *Float    `xmlrpc:"balance,omptempty"`
	Code                     *String   `xmlrpc:"code,omptempty"`
	CompanyId                *Many2One `xmlrpc:"company_id,omptempty"`
	CompanyUomId             *Many2One `xmlrpc:"company_uom_id,omptempty"`
	CreateDate               *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One `xmlrpc:"create_uid,omptempty"`
	Credit                   *Float    `xmlrpc:"credit,omptempty"`
	CurrencyId               *Many2One `xmlrpc:"currency_id,omptempty"`
	Debit                    *Float    `xmlrpc:"debit,omptempty"`
	DisplayName              *String   `xmlrpc:"display_name,omptempty"`
	Id                       *Int      `xmlrpc:"id,omptempty"`
	LineIds                  *Relation `xmlrpc:"line_ids,omptempty"`
	MachineInitiativeName    *String   `xmlrpc:"machine_initiative_name,omptempty"`
	MessageChannelIds        *Relation `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool     `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time     `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool     `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int      `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool     `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int      `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String   `xmlrpc:"name,omptempty"`
	PartnerId                *Many2One `xmlrpc:"partner_id,omptempty"`
	ProjectCount             *Int      `xmlrpc:"project_count,omptempty"`
	ProjectIds               *Relation `xmlrpc:"project_ids,omptempty"`
	TagIds                   *Relation `xmlrpc:"tag_ids,omptempty"`
	WebsiteMessageIds        *Relation `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountAnalyticAccount represents account.analytic.account model.

func (*AccountAnalyticAccount) Many2One

func (aaa *AccountAnalyticAccount) Many2One() *Many2One

Many2One convert AccountAnalyticAccount to *Many2One.

type AccountAnalyticAccounts

type AccountAnalyticAccounts []AccountAnalyticAccount

AccountAnalyticAccounts represents array of account.analytic.account model.

type AccountAnalyticLine

type AccountAnalyticLine struct {
	LastUpdate             *Time      `xmlrpc:"__last_update,omptempty"`
	AccountId              *Many2One  `xmlrpc:"account_id,omptempty"`
	Amount                 *Float     `xmlrpc:"amount,omptempty"`
	AmountCurrency         *Float     `xmlrpc:"amount_currency,omptempty"`
	AnalyticAmountCurrency *Float     `xmlrpc:"analytic_amount_currency,omptempty"`
	Code                   *String    `xmlrpc:"code,omptempty"`
	CompanyCurrencyId      *Many2One  `xmlrpc:"company_currency_id,omptempty"`
	CompanyId              *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId             *Many2One  `xmlrpc:"currency_id,omptempty"`
	Date                   *Time      `xmlrpc:"date,omptempty"`
	DepartmentId           *Many2One  `xmlrpc:"department_id,omptempty"`
	DisplayName            *String    `xmlrpc:"display_name,omptempty"`
	EmployeeId             *Many2One  `xmlrpc:"employee_id,omptempty"`
	GeneralAccountId       *Many2One  `xmlrpc:"general_account_id,omptempty"`
	HolidayId              *Many2One  `xmlrpc:"holiday_id,omptempty"`
	Id                     *Int       `xmlrpc:"id,omptempty"`
	MoveId                 *Many2One  `xmlrpc:"move_id,omptempty"`
	Name                   *String    `xmlrpc:"name,omptempty"`
	PartnerId              *Many2One  `xmlrpc:"partner_id,omptempty"`
	ProductId              *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductUomId           *Many2One  `xmlrpc:"product_uom_id,omptempty"`
	ProjectId              *Many2One  `xmlrpc:"project_id,omptempty"`
	Ref                    *String    `xmlrpc:"ref,omptempty"`
	SoLine                 *Many2One  `xmlrpc:"so_line,omptempty"`
	TagIds                 *Relation  `xmlrpc:"tag_ids,omptempty"`
	TaskId                 *Many2One  `xmlrpc:"task_id,omptempty"`
	TimesheetInvoiceId     *Many2One  `xmlrpc:"timesheet_invoice_id,omptempty"`
	TimesheetInvoiceType   *Selection `xmlrpc:"timesheet_invoice_type,omptempty"`
	TimesheetRevenue       *Float     `xmlrpc:"timesheet_revenue,omptempty"`
	UnitAmount             *Float     `xmlrpc:"unit_amount,omptempty"`
	UserId                 *Many2One  `xmlrpc:"user_id,omptempty"`
	WriteDate              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountAnalyticLine represents account.analytic.line model.

func (*AccountAnalyticLine) Many2One

func (aal *AccountAnalyticLine) Many2One() *Many2One

Many2One convert AccountAnalyticLine to *Many2One.

type AccountAnalyticLines

type AccountAnalyticLines []AccountAnalyticLine

AccountAnalyticLines represents array of account.analytic.line model.

type AccountAnalyticTag

type AccountAnalyticTag struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	Color       *Int      `xmlrpc:"color,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountAnalyticTag represents account.analytic.tag model.

func (*AccountAnalyticTag) Many2One

func (aat *AccountAnalyticTag) Many2One() *Many2One

Many2One convert AccountAnalyticTag to *Many2One.

type AccountAnalyticTags

type AccountAnalyticTags []AccountAnalyticTag

AccountAnalyticTags represents array of account.analytic.tag model.

type AccountBalanceReport

type AccountBalanceReport struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom       *Time      `xmlrpc:"date_from,omptempty"`
	DateTo         *Time      `xmlrpc:"date_to,omptempty"`
	DisplayAccount *Selection `xmlrpc:"display_account,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	JournalIds     *Relation  `xmlrpc:"journal_ids,omptempty"`
	TargetMove     *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountBalanceReport represents account.balance.report model.

func (*AccountBalanceReport) Many2One

func (abr *AccountBalanceReport) Many2One() *Many2One

Many2One convert AccountBalanceReport to *Many2One.

type AccountBalanceReports

type AccountBalanceReports []AccountBalanceReport

AccountBalanceReports represents array of account.balance.report model.

type AccountBankAccountsWizard

type AccountBankAccountsWizard struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	AccName       *String    `xmlrpc:"acc_name,omptempty"`
	AccountType   *Selection `xmlrpc:"account_type,omptempty"`
	BankAccountId *Many2One  `xmlrpc:"bank_account_id,omptempty"`
	CreateDate    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId    *Many2One  `xmlrpc:"currency_id,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	WriteDate     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountBankAccountsWizard represents account.bank.accounts.wizard model.

func (*AccountBankAccountsWizard) Many2One

func (abaw *AccountBankAccountsWizard) Many2One() *Many2One

Many2One convert AccountBankAccountsWizard to *Many2One.

type AccountBankAccountsWizards

type AccountBankAccountsWizards []AccountBankAccountsWizard

AccountBankAccountsWizards represents array of account.bank.accounts.wizard model.

type AccountBankStatement

type AccountBankStatement struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	AllLinesReconciled       *Bool      `xmlrpc:"all_lines_reconciled,omptempty"`
	BalanceEnd               *Float     `xmlrpc:"balance_end,omptempty"`
	BalanceEndReal           *Float     `xmlrpc:"balance_end_real,omptempty"`
	BalanceStart             *Float     `xmlrpc:"balance_start,omptempty"`
	CashboxEndId             *Many2One  `xmlrpc:"cashbox_end_id,omptempty"`
	CashboxStartId           *Many2One  `xmlrpc:"cashbox_start_id,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId               *Many2One  `xmlrpc:"currency_id,omptempty"`
	Date                     *Time      `xmlrpc:"date,omptempty"`
	DateDone                 *Time      `xmlrpc:"date_done,omptempty"`
	Difference               *Float     `xmlrpc:"difference,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	IsDifferenceZero         *Bool      `xmlrpc:"is_difference_zero,omptempty"`
	JournalId                *Many2One  `xmlrpc:"journal_id,omptempty"`
	JournalType              *Selection `xmlrpc:"journal_type,omptempty"`
	LineIds                  *Relation  `xmlrpc:"line_ids,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	MoveLineCount            *Int       `xmlrpc:"move_line_count,omptempty"`
	MoveLineIds              *Relation  `xmlrpc:"move_line_ids,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	Reference                *String    `xmlrpc:"reference,omptempty"`
	State                    *Selection `xmlrpc:"state,omptempty"`
	TotalEntryEncoding       *Float     `xmlrpc:"total_entry_encoding,omptempty"`
	UserId                   *Many2One  `xmlrpc:"user_id,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountBankStatement represents account.bank.statement model.

func (*AccountBankStatement) Many2One

func (abs *AccountBankStatement) Many2One() *Many2One

Many2One convert AccountBankStatement to *Many2One.

type AccountBankStatementCashbox

type AccountBankStatementCashbox struct {
	LastUpdate      *Time     `xmlrpc:"__last_update,omptempty"`
	CashboxLinesIds *Relation `xmlrpc:"cashbox_lines_ids,omptempty"`
	CreateDate      *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName     *String   `xmlrpc:"display_name,omptempty"`
	Id              *Int      `xmlrpc:"id,omptempty"`
	WriteDate       *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountBankStatementCashbox represents account.bank.statement.cashbox model.

func (*AccountBankStatementCashbox) Many2One

func (absc *AccountBankStatementCashbox) Many2One() *Many2One

Many2One convert AccountBankStatementCashbox to *Many2One.

type AccountBankStatementCashboxs

type AccountBankStatementCashboxs []AccountBankStatementCashbox

AccountBankStatementCashboxs represents array of account.bank.statement.cashbox model.

type AccountBankStatementClosebalance

type AccountBankStatementClosebalance struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountBankStatementClosebalance represents account.bank.statement.closebalance model.

func (*AccountBankStatementClosebalance) Many2One

func (absc *AccountBankStatementClosebalance) Many2One() *Many2One

Many2One convert AccountBankStatementClosebalance to *Many2One.

type AccountBankStatementClosebalances

type AccountBankStatementClosebalances []AccountBankStatementClosebalance

AccountBankStatementClosebalances represents array of account.bank.statement.closebalance model.

type AccountBankStatementImport

type AccountBankStatementImport struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DataFile    *String   `xmlrpc:"data_file,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Filename    *String   `xmlrpc:"filename,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountBankStatementImport represents account.bank.statement.import model.

func (*AccountBankStatementImport) Many2One

func (absi *AccountBankStatementImport) Many2One() *Many2One

Many2One convert AccountBankStatementImport to *Many2One.

type AccountBankStatementImportJournalCreation

type AccountBankStatementImportJournalCreation struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	AccountControlIds        *Relation  `xmlrpc:"account_control_ids,omptempty"`
	AccountSetupBankDataDone *Bool      `xmlrpc:"account_setup_bank_data_done,omptempty"`
	Active                   *Bool      `xmlrpc:"active,omptempty"`
	AtLeastOneInbound        *Bool      `xmlrpc:"at_least_one_inbound,omptempty"`
	AtLeastOneOutbound       *Bool      `xmlrpc:"at_least_one_outbound,omptempty"`
	BankAccNumber            *String    `xmlrpc:"bank_acc_number,omptempty"`
	BankAccountId            *Many2One  `xmlrpc:"bank_account_id,omptempty"`
	BankId                   *Many2One  `xmlrpc:"bank_id,omptempty"`
	BankStatementsSource     *Selection `xmlrpc:"bank_statements_source,omptempty"`
	BelongsToCompany         *Bool      `xmlrpc:"belongs_to_company,omptempty"`
	Code                     *String    `xmlrpc:"code,omptempty"`
	Color                    *Int       `xmlrpc:"color,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId               *Many2One  `xmlrpc:"currency_id,omptempty"`
	DefaultCreditAccountId   *Many2One  `xmlrpc:"default_credit_account_id,omptempty"`
	DefaultDebitAccountId    *Many2One  `xmlrpc:"default_debit_account_id,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	GroupInvoiceLines        *Bool      `xmlrpc:"group_invoice_lines,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	InboundPaymentMethodIds  *Relation  `xmlrpc:"inbound_payment_method_ids,omptempty"`
	JournalId                *Many2One  `xmlrpc:"journal_id,omptempty"`
	KanbanDashboard          *String    `xmlrpc:"kanban_dashboard,omptempty"`
	KanbanDashboardGraph     *String    `xmlrpc:"kanban_dashboard_graph,omptempty"`
	LossAccountId            *Many2One  `xmlrpc:"loss_account_id,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	OutboundPaymentMethodIds *Relation  `xmlrpc:"outbound_payment_method_ids,omptempty"`
	ProfitAccountId          *Many2One  `xmlrpc:"profit_account_id,omptempty"`
	RefundSequence           *Bool      `xmlrpc:"refund_sequence,omptempty"`
	RefundSequenceId         *Many2One  `xmlrpc:"refund_sequence_id,omptempty"`
	RefundSequenceNumberNext *Int       `xmlrpc:"refund_sequence_number_next,omptempty"`
	Sequence                 *Int       `xmlrpc:"sequence,omptempty"`
	SequenceId               *Many2One  `xmlrpc:"sequence_id,omptempty"`
	SequenceNumberNext       *Int       `xmlrpc:"sequence_number_next,omptempty"`
	ShowOnDashboard          *Bool      `xmlrpc:"show_on_dashboard,omptempty"`
	Type                     *Selection `xmlrpc:"type,omptempty"`
	TypeControlIds           *Relation  `xmlrpc:"type_control_ids,omptempty"`
	UpdatePosted             *Bool      `xmlrpc:"update_posted,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountBankStatementImportJournalCreation represents account.bank.statement.import.journal.creation model.

func (*AccountBankStatementImportJournalCreation) Many2One

Many2One convert AccountBankStatementImportJournalCreation to *Many2One.

type AccountBankStatementImportJournalCreations

type AccountBankStatementImportJournalCreations []AccountBankStatementImportJournalCreation

AccountBankStatementImportJournalCreations represents array of account.bank.statement.import.journal.creation model.

type AccountBankStatementImports

type AccountBankStatementImports []AccountBankStatementImport

AccountBankStatementImports represents array of account.bank.statement.import model.

type AccountBankStatementLine

type AccountBankStatementLine struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	AccountId         *Many2One  `xmlrpc:"account_id,omptempty"`
	Amount            *Float     `xmlrpc:"amount,omptempty"`
	AmountCurrency    *Float     `xmlrpc:"amount_currency,omptempty"`
	BankAccountId     *Many2One  `xmlrpc:"bank_account_id,omptempty"`
	CompanyId         *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId        *Many2One  `xmlrpc:"currency_id,omptempty"`
	Date              *Time      `xmlrpc:"date,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	JournalCurrencyId *Many2One  `xmlrpc:"journal_currency_id,omptempty"`
	JournalEntryIds   *Relation  `xmlrpc:"journal_entry_ids,omptempty"`
	JournalId         *Many2One  `xmlrpc:"journal_id,omptempty"`
	MoveName          *String    `xmlrpc:"move_name,omptempty"`
	Name              *String    `xmlrpc:"name,omptempty"`
	Note              *String    `xmlrpc:"note,omptempty"`
	PartnerId         *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerName       *String    `xmlrpc:"partner_name,omptempty"`
	Ref               *String    `xmlrpc:"ref,omptempty"`
	Sequence          *Int       `xmlrpc:"sequence,omptempty"`
	State             *Selection `xmlrpc:"state,omptempty"`
	StatementId       *Many2One  `xmlrpc:"statement_id,omptempty"`
	UniqueImportId    *String    `xmlrpc:"unique_import_id,omptempty"`
	WriteDate         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountBankStatementLine represents account.bank.statement.line model.

func (*AccountBankStatementLine) Many2One

func (absl *AccountBankStatementLine) Many2One() *Many2One

Many2One convert AccountBankStatementLine to *Many2One.

type AccountBankStatementLines

type AccountBankStatementLines []AccountBankStatementLine

AccountBankStatementLines represents array of account.bank.statement.line model.

type AccountBankStatements

type AccountBankStatements []AccountBankStatement

AccountBankStatements represents array of account.bank.statement model.

type AccountCashRounding

type AccountCashRounding struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	AccountId      *Many2One  `xmlrpc:"account_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	Rounding       *Float     `xmlrpc:"rounding,omptempty"`
	RoundingMethod *Selection `xmlrpc:"rounding_method,omptempty"`
	Strategy       *Selection `xmlrpc:"strategy,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountCashRounding represents account.cash.rounding model.

func (*AccountCashRounding) Many2One

func (acr *AccountCashRounding) Many2One() *Many2One

Many2One convert AccountCashRounding to *Many2One.

type AccountCashRoundings

type AccountCashRoundings []AccountCashRounding

AccountCashRoundings represents array of account.cash.rounding model.

type AccountCashboxLine

type AccountCashboxLine struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CashboxId   *Many2One `xmlrpc:"cashbox_id,omptempty"`
	CoinValue   *Float    `xmlrpc:"coin_value,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Number      *Int      `xmlrpc:"number,omptempty"`
	Subtotal    *Float    `xmlrpc:"subtotal,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountCashboxLine represents account.cashbox.line model.

func (*AccountCashboxLine) Many2One

func (acl *AccountCashboxLine) Many2One() *Many2One

Many2One convert AccountCashboxLine to *Many2One.

type AccountCashboxLines

type AccountCashboxLines []AccountCashboxLine

AccountCashboxLines represents array of account.cashbox.line model.

type AccountChartTemplate

type AccountChartTemplate struct {
	LastUpdate                        *Time     `xmlrpc:"__last_update,omptempty"`
	AccountIds                        *Relation `xmlrpc:"account_ids,omptempty"`
	BankAccountCodePrefix             *String   `xmlrpc:"bank_account_code_prefix,omptempty"`
	CashAccountCodePrefix             *String   `xmlrpc:"cash_account_code_prefix,omptempty"`
	CodeDigits                        *Int      `xmlrpc:"code_digits,omptempty"`
	CompanyId                         *Many2One `xmlrpc:"company_id,omptempty"`
	CompleteTaxSet                    *Bool     `xmlrpc:"complete_tax_set,omptempty"`
	CreateDate                        *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                         *Many2One `xmlrpc:"create_uid,omptempty"`
	CurrencyId                        *Many2One `xmlrpc:"currency_id,omptempty"`
	DisplayName                       *String   `xmlrpc:"display_name,omptempty"`
	ExpenseCurrencyExchangeAccountId  *Many2One `xmlrpc:"expense_currency_exchange_account_id,omptempty"`
	Id                                *Int      `xmlrpc:"id,omptempty"`
	IncomeCurrencyExchangeAccountId   *Many2One `xmlrpc:"income_currency_exchange_account_id,omptempty"`
	Name                              *String   `xmlrpc:"name,omptempty"`
	ParentId                          *Many2One `xmlrpc:"parent_id,omptempty"`
	PropertyAccountExpenseCategId     *Many2One `xmlrpc:"property_account_expense_categ_id,omptempty"`
	PropertyAccountExpenseId          *Many2One `xmlrpc:"property_account_expense_id,omptempty"`
	PropertyAccountIncomeCategId      *Many2One `xmlrpc:"property_account_income_categ_id,omptempty"`
	PropertyAccountIncomeId           *Many2One `xmlrpc:"property_account_income_id,omptempty"`
	PropertyAccountPayableId          *Many2One `xmlrpc:"property_account_payable_id,omptempty"`
	PropertyAccountReceivableId       *Many2One `xmlrpc:"property_account_receivable_id,omptempty"`
	PropertyStockAccountInputCategId  *Many2One `xmlrpc:"property_stock_account_input_categ_id,omptempty"`
	PropertyStockAccountOutputCategId *Many2One `xmlrpc:"property_stock_account_output_categ_id,omptempty"`
	PropertyStockValuationAccountId   *Many2One `xmlrpc:"property_stock_valuation_account_id,omptempty"`
	TaxTemplateIds                    *Relation `xmlrpc:"tax_template_ids,omptempty"`
	TransferAccountId                 *Many2One `xmlrpc:"transfer_account_id,omptempty"`
	UseAngloSaxon                     *Bool     `xmlrpc:"use_anglo_saxon,omptempty"`
	Visible                           *Bool     `xmlrpc:"visible,omptempty"`
	WriteDate                         *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                          *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountChartTemplate represents account.chart.template model.

func (*AccountChartTemplate) Many2One

func (act *AccountChartTemplate) Many2One() *Many2One

Many2One convert AccountChartTemplate to *Many2One.

type AccountChartTemplates

type AccountChartTemplates []AccountChartTemplate

AccountChartTemplates represents array of account.chart.template model.

type AccountCommonAccountReport

type AccountCommonAccountReport struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom       *Time      `xmlrpc:"date_from,omptempty"`
	DateTo         *Time      `xmlrpc:"date_to,omptempty"`
	DisplayAccount *Selection `xmlrpc:"display_account,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	JournalIds     *Relation  `xmlrpc:"journal_ids,omptempty"`
	TargetMove     *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountCommonAccountReport represents account.common.account.report model.

func (*AccountCommonAccountReport) Many2One

func (acar *AccountCommonAccountReport) Many2One() *Many2One

Many2One convert AccountCommonAccountReport to *Many2One.

type AccountCommonAccountReports

type AccountCommonAccountReports []AccountCommonAccountReport

AccountCommonAccountReports represents array of account.common.account.report model.

type AccountCommonJournalReport

type AccountCommonJournalReport struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	AmountCurrency *Bool      `xmlrpc:"amount_currency,omptempty"`
	CompanyId      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom       *Time      `xmlrpc:"date_from,omptempty"`
	DateTo         *Time      `xmlrpc:"date_to,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	JournalIds     *Relation  `xmlrpc:"journal_ids,omptempty"`
	TargetMove     *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountCommonJournalReport represents account.common.journal.report model.

func (*AccountCommonJournalReport) Many2One

func (acjr *AccountCommonJournalReport) Many2One() *Many2One

Many2One convert AccountCommonJournalReport to *Many2One.

type AccountCommonJournalReports

type AccountCommonJournalReports []AccountCommonJournalReport

AccountCommonJournalReports represents array of account.common.journal.report model.

type AccountCommonPartnerReport

type AccountCommonPartnerReport struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId       *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom        *Time      `xmlrpc:"date_from,omptempty"`
	DateTo          *Time      `xmlrpc:"date_to,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	JournalIds      *Relation  `xmlrpc:"journal_ids,omptempty"`
	ResultSelection *Selection `xmlrpc:"result_selection,omptempty"`
	TargetMove      *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountCommonPartnerReport represents account.common.partner.report model.

func (*AccountCommonPartnerReport) Many2One

func (acpr *AccountCommonPartnerReport) Many2One() *Many2One

Many2One convert AccountCommonPartnerReport to *Many2One.

type AccountCommonPartnerReports

type AccountCommonPartnerReports []AccountCommonPartnerReport

AccountCommonPartnerReports represents array of account.common.partner.report model.

type AccountCommonReport

type AccountCommonReport struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId   *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom    *Time      `xmlrpc:"date_from,omptempty"`
	DateTo      *Time      `xmlrpc:"date_to,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	JournalIds  *Relation  `xmlrpc:"journal_ids,omptempty"`
	TargetMove  *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountCommonReport represents account.common.report model.

func (*AccountCommonReport) Many2One

func (acr *AccountCommonReport) Many2One() *Many2One

Many2One convert AccountCommonReport to *Many2One.

type AccountCommonReports

type AccountCommonReports []AccountCommonReport

AccountCommonReports represents array of account.common.report model.

type AccountFinancialReport

type AccountFinancialReport struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	AccountIds      *Relation  `xmlrpc:"account_ids,omptempty"`
	AccountReportId *Many2One  `xmlrpc:"account_report_id,omptempty"`
	AccountTypeIds  *Relation  `xmlrpc:"account_type_ids,omptempty"`
	ChildrenIds     *Relation  `xmlrpc:"children_ids,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayDetail   *Selection `xmlrpc:"display_detail,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	Level           *Int       `xmlrpc:"level,omptempty"`
	Name            *String    `xmlrpc:"name,omptempty"`
	ParentId        *Many2One  `xmlrpc:"parent_id,omptempty"`
	Sequence        *Int       `xmlrpc:"sequence,omptempty"`
	Sign            *Selection `xmlrpc:"sign,omptempty"`
	StyleOverwrite  *Selection `xmlrpc:"style_overwrite,omptempty"`
	Type            *Selection `xmlrpc:"type,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountFinancialReport represents account.financial.report model.

func (*AccountFinancialReport) Many2One

func (afr *AccountFinancialReport) Many2One() *Many2One

Many2One convert AccountFinancialReport to *Many2One.

type AccountFinancialReports

type AccountFinancialReports []AccountFinancialReport

AccountFinancialReports represents array of account.financial.report model.

type AccountFinancialYearOp

type AccountFinancialYearOp struct {
	LastUpdate             *Time      `xmlrpc:"__last_update,omptempty"`
	AccountSetupFyDataDone *Bool      `xmlrpc:"account_setup_fy_data_done,omptempty"`
	CompanyId              *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName            *String    `xmlrpc:"display_name,omptempty"`
	FiscalyearLastDay      *Int       `xmlrpc:"fiscalyear_last_day,omptempty"`
	FiscalyearLastMonth    *Selection `xmlrpc:"fiscalyear_last_month,omptempty"`
	Id                     *Int       `xmlrpc:"id,omptempty"`
	OpeningDate            *Time      `xmlrpc:"opening_date,omptempty"`
	OpeningMovePosted      *Bool      `xmlrpc:"opening_move_posted,omptempty"`
	WriteDate              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountFinancialYearOp represents account.financial.year.op model.

func (*AccountFinancialYearOp) Many2One

func (afyo *AccountFinancialYearOp) Many2One() *Many2One

Many2One convert AccountFinancialYearOp to *Many2One.

type AccountFinancialYearOps

type AccountFinancialYearOps []AccountFinancialYearOp

AccountFinancialYearOps represents array of account.financial.year.op model.

type AccountFiscalPosition

type AccountFiscalPosition struct {
	LastUpdate     *Time     `xmlrpc:"__last_update,omptempty"`
	AccountIds     *Relation `xmlrpc:"account_ids,omptempty"`
	Active         *Bool     `xmlrpc:"active,omptempty"`
	AutoApply      *Bool     `xmlrpc:"auto_apply,omptempty"`
	CompanyId      *Many2One `xmlrpc:"company_id,omptempty"`
	CountryGroupId *Many2One `xmlrpc:"country_group_id,omptempty"`
	CountryId      *Many2One `xmlrpc:"country_id,omptempty"`
	CreateDate     *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String   `xmlrpc:"display_name,omptempty"`
	Id             *Int      `xmlrpc:"id,omptempty"`
	Name           *String   `xmlrpc:"name,omptempty"`
	Note           *String   `xmlrpc:"note,omptempty"`
	Sequence       *Int      `xmlrpc:"sequence,omptempty"`
	StateIds       *Relation `xmlrpc:"state_ids,omptempty"`
	StatesCount    *Int      `xmlrpc:"states_count,omptempty"`
	TaxIds         *Relation `xmlrpc:"tax_ids,omptempty"`
	VatRequired    *Bool     `xmlrpc:"vat_required,omptempty"`
	WriteDate      *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One `xmlrpc:"write_uid,omptempty"`
	ZipFrom        *Int      `xmlrpc:"zip_from,omptempty"`
	ZipTo          *Int      `xmlrpc:"zip_to,omptempty"`
}

AccountFiscalPosition represents account.fiscal.position model.

func (*AccountFiscalPosition) Many2One

func (afp *AccountFiscalPosition) Many2One() *Many2One

Many2One convert AccountFiscalPosition to *Many2One.

type AccountFiscalPositionAccount

type AccountFiscalPositionAccount struct {
	LastUpdate    *Time     `xmlrpc:"__last_update,omptempty"`
	AccountDestId *Many2One `xmlrpc:"account_dest_id,omptempty"`
	AccountSrcId  *Many2One `xmlrpc:"account_src_id,omptempty"`
	CreateDate    *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName   *String   `xmlrpc:"display_name,omptempty"`
	Id            *Int      `xmlrpc:"id,omptempty"`
	PositionId    *Many2One `xmlrpc:"position_id,omptempty"`
	WriteDate     *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountFiscalPositionAccount represents account.fiscal.position.account model.

func (*AccountFiscalPositionAccount) Many2One

func (afpa *AccountFiscalPositionAccount) Many2One() *Many2One

Many2One convert AccountFiscalPositionAccount to *Many2One.

type AccountFiscalPositionAccountTemplate

type AccountFiscalPositionAccountTemplate struct {
	LastUpdate    *Time     `xmlrpc:"__last_update,omptempty"`
	AccountDestId *Many2One `xmlrpc:"account_dest_id,omptempty"`
	AccountSrcId  *Many2One `xmlrpc:"account_src_id,omptempty"`
	CreateDate    *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName   *String   `xmlrpc:"display_name,omptempty"`
	Id            *Int      `xmlrpc:"id,omptempty"`
	PositionId    *Many2One `xmlrpc:"position_id,omptempty"`
	WriteDate     *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountFiscalPositionAccountTemplate represents account.fiscal.position.account.template model.

func (*AccountFiscalPositionAccountTemplate) Many2One

Many2One convert AccountFiscalPositionAccountTemplate to *Many2One.

type AccountFiscalPositionAccountTemplates

type AccountFiscalPositionAccountTemplates []AccountFiscalPositionAccountTemplate

AccountFiscalPositionAccountTemplates represents array of account.fiscal.position.account.template model.

type AccountFiscalPositionAccounts

type AccountFiscalPositionAccounts []AccountFiscalPositionAccount

AccountFiscalPositionAccounts represents array of account.fiscal.position.account model.

type AccountFiscalPositionTax

type AccountFiscalPositionTax struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	PositionId  *Many2One `xmlrpc:"position_id,omptempty"`
	TaxDestId   *Many2One `xmlrpc:"tax_dest_id,omptempty"`
	TaxSrcId    *Many2One `xmlrpc:"tax_src_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountFiscalPositionTax represents account.fiscal.position.tax model.

func (*AccountFiscalPositionTax) Many2One

func (afpt *AccountFiscalPositionTax) Many2One() *Many2One

Many2One convert AccountFiscalPositionTax to *Many2One.

type AccountFiscalPositionTaxTemplate

type AccountFiscalPositionTaxTemplate struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	PositionId  *Many2One `xmlrpc:"position_id,omptempty"`
	TaxDestId   *Many2One `xmlrpc:"tax_dest_id,omptempty"`
	TaxSrcId    *Many2One `xmlrpc:"tax_src_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountFiscalPositionTaxTemplate represents account.fiscal.position.tax.template model.

func (*AccountFiscalPositionTaxTemplate) Many2One

func (afptt *AccountFiscalPositionTaxTemplate) Many2One() *Many2One

Many2One convert AccountFiscalPositionTaxTemplate to *Many2One.

type AccountFiscalPositionTaxTemplates

type AccountFiscalPositionTaxTemplates []AccountFiscalPositionTaxTemplate

AccountFiscalPositionTaxTemplates represents array of account.fiscal.position.tax.template model.

type AccountFiscalPositionTaxs

type AccountFiscalPositionTaxs []AccountFiscalPositionTax

AccountFiscalPositionTaxs represents array of account.fiscal.position.tax model.

type AccountFiscalPositionTemplate

type AccountFiscalPositionTemplate struct {
	LastUpdate      *Time     `xmlrpc:"__last_update,omptempty"`
	AccountIds      *Relation `xmlrpc:"account_ids,omptempty"`
	AutoApply       *Bool     `xmlrpc:"auto_apply,omptempty"`
	ChartTemplateId *Many2One `xmlrpc:"chart_template_id,omptempty"`
	CountryGroupId  *Many2One `xmlrpc:"country_group_id,omptempty"`
	CountryId       *Many2One `xmlrpc:"country_id,omptempty"`
	CreateDate      *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName     *String   `xmlrpc:"display_name,omptempty"`
	Id              *Int      `xmlrpc:"id,omptempty"`
	Name            *String   `xmlrpc:"name,omptempty"`
	Note            *String   `xmlrpc:"note,omptempty"`
	Sequence        *Int      `xmlrpc:"sequence,omptempty"`
	StateIds        *Relation `xmlrpc:"state_ids,omptempty"`
	TaxIds          *Relation `xmlrpc:"tax_ids,omptempty"`
	VatRequired     *Bool     `xmlrpc:"vat_required,omptempty"`
	WriteDate       *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One `xmlrpc:"write_uid,omptempty"`
	ZipFrom         *Int      `xmlrpc:"zip_from,omptempty"`
	ZipTo           *Int      `xmlrpc:"zip_to,omptempty"`
}

AccountFiscalPositionTemplate represents account.fiscal.position.template model.

func (*AccountFiscalPositionTemplate) Many2One

func (afpt *AccountFiscalPositionTemplate) Many2One() *Many2One

Many2One convert AccountFiscalPositionTemplate to *Many2One.

type AccountFiscalPositionTemplates

type AccountFiscalPositionTemplates []AccountFiscalPositionTemplate

AccountFiscalPositionTemplates represents array of account.fiscal.position.template model.

type AccountFiscalPositions

type AccountFiscalPositions []AccountFiscalPosition

AccountFiscalPositions represents array of account.fiscal.position model.

type AccountFrFec

type AccountFrFec struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom    *Time      `xmlrpc:"date_from,omptempty"`
	DateTo      *Time      `xmlrpc:"date_to,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	ExportType  *Selection `xmlrpc:"export_type,omptempty"`
	FecData     *String    `xmlrpc:"fec_data,omptempty"`
	Filename    *String    `xmlrpc:"filename,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountFrFec represents account.fr.fec model.

func (*AccountFrFec) Many2One

func (aff *AccountFrFec) Many2One() *Many2One

Many2One convert AccountFrFec to *Many2One.

type AccountFrFecs

type AccountFrFecs []AccountFrFec

AccountFrFecs represents array of account.fr.fec model.

type AccountFullReconcile

type AccountFullReconcile struct {
	LastUpdate          *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate          *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid           *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName         *String   `xmlrpc:"display_name,omptempty"`
	ExchangeMoveId      *Many2One `xmlrpc:"exchange_move_id,omptempty"`
	Id                  *Int      `xmlrpc:"id,omptempty"`
	Name                *String   `xmlrpc:"name,omptempty"`
	PartialReconcileIds *Relation `xmlrpc:"partial_reconcile_ids,omptempty"`
	ReconciledLineIds   *Relation `xmlrpc:"reconciled_line_ids,omptempty"`
	WriteDate           *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid            *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountFullReconcile represents account.full.reconcile model.

func (*AccountFullReconcile) Many2One

func (afr *AccountFullReconcile) Many2One() *Many2One

Many2One convert AccountFullReconcile to *Many2One.

type AccountFullReconciles

type AccountFullReconciles []AccountFullReconcile

AccountFullReconciles represents array of account.full.reconcile model.

type AccountGroup

type AccountGroup struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CodePrefix  *String   `xmlrpc:"code_prefix,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	ParentId    *Many2One `xmlrpc:"parent_id,omptempty"`
	ParentLeft  *Int      `xmlrpc:"parent_left,omptempty"`
	ParentRight *Int      `xmlrpc:"parent_right,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountGroup represents account.group model.

func (*AccountGroup) Many2One

func (ag *AccountGroup) Many2One() *Many2One

Many2One convert AccountGroup to *Many2One.

type AccountGroups

type AccountGroups []AccountGroup

AccountGroups represents array of account.group model.

type AccountInvoice

type AccountInvoice struct {
	LastUpdate                     *Time      `xmlrpc:"__last_update,omptempty"`
	AccessToken                    *String    `xmlrpc:"access_token,omptempty"`
	AccountId                      *Many2One  `xmlrpc:"account_id,omptempty"`
	ActivityDateDeadline           *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds                    *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState                  *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary                *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId                 *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId                 *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	AmountTax                      *Float     `xmlrpc:"amount_tax,omptempty"`
	AmountTotal                    *Float     `xmlrpc:"amount_total,omptempty"`
	AmountTotalCompanySigned       *Float     `xmlrpc:"amount_total_company_signed,omptempty"`
	AmountTotalSigned              *Float     `xmlrpc:"amount_total_signed,omptempty"`
	AmountUntaxed                  *Float     `xmlrpc:"amount_untaxed,omptempty"`
	AmountUntaxedSigned            *Float     `xmlrpc:"amount_untaxed_signed,omptempty"`
	CampaignId                     *Many2One  `xmlrpc:"campaign_id,omptempty"`
	CashRoundingId                 *Many2One  `xmlrpc:"cash_rounding_id,omptempty"`
	Comment                        *String    `xmlrpc:"comment,omptempty"`
	CommercialPartnerId            *Many2One  `xmlrpc:"commercial_partner_id,omptempty"`
	CompanyCurrencyId              *Many2One  `xmlrpc:"company_currency_id,omptempty"`
	CompanyId                      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate                     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                      *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId                     *Many2One  `xmlrpc:"currency_id,omptempty"`
	Date                           *Time      `xmlrpc:"date,omptempty"`
	DateDue                        *Time      `xmlrpc:"date_due,omptempty"`
	DateInvoice                    *Time      `xmlrpc:"date_invoice,omptempty"`
	DisplayName                    *String    `xmlrpc:"display_name,omptempty"`
	FiscalPositionId               *Many2One  `xmlrpc:"fiscal_position_id,omptempty"`
	HasOutstanding                 *Bool      `xmlrpc:"has_outstanding,omptempty"`
	Id                             *Int       `xmlrpc:"id,omptempty"`
	IncotermsId                    *Many2One  `xmlrpc:"incoterms_id,omptempty"`
	InvoiceLineIds                 *Relation  `xmlrpc:"invoice_line_ids,omptempty"`
	JournalId                      *Many2One  `xmlrpc:"journal_id,omptempty"`
	MachineInvoice                 *Bool      `xmlrpc:"machine_invoice,omptempty"`
	MachineInvoiceTitle            *String    `xmlrpc:"machine_invoice_title,omptempty"`
	MachinePurchaseOrder           *String    `xmlrpc:"machine_purchase_order,omptempty"`
	MediumId                       *Many2One  `xmlrpc:"medium_id,omptempty"`
	MessageChannelIds              *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds             *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds                     *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower              *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost                *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction              *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter       *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds              *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread                  *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter           *Int       `xmlrpc:"message_unread_counter,omptempty"`
	MoveId                         *Many2One  `xmlrpc:"move_id,omptempty"`
	MoveName                       *String    `xmlrpc:"move_name,omptempty"`
	Name                           *String    `xmlrpc:"name,omptempty"`
	Number                         *String    `xmlrpc:"number,omptempty"`
	Origin                         *String    `xmlrpc:"origin,omptempty"`
	OutstandingCreditsDebitsWidget *String    `xmlrpc:"outstanding_credits_debits_widget,omptempty"`
	PartnerBankId                  *Many2One  `xmlrpc:"partner_bank_id,omptempty"`
	PartnerId                      *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerShippingId              *Many2One  `xmlrpc:"partner_shipping_id,omptempty"`
	PaymentIds                     *Relation  `xmlrpc:"payment_ids,omptempty"`
	PaymentMoveLineIds             *Relation  `xmlrpc:"payment_move_line_ids,omptempty"`
	PaymentTermId                  *Many2One  `xmlrpc:"payment_term_id,omptempty"`
	PaymentsWidget                 *String    `xmlrpc:"payments_widget,omptempty"`
	PortalUrl                      *String    `xmlrpc:"portal_url,omptempty"`
	PurchaseId                     *Many2One  `xmlrpc:"purchase_id,omptempty"`
	QuantityTotal                  *Float     `xmlrpc:"quantity_total,omptempty"`
	Reconciled                     *Bool      `xmlrpc:"reconciled,omptempty"`
	Reference                      *String    `xmlrpc:"reference,omptempty"`
	ReferenceType                  *Selection `xmlrpc:"reference_type,omptempty"`
	RefundInvoiceId                *Many2One  `xmlrpc:"refund_invoice_id,omptempty"`
	RefundInvoiceIds               *Relation  `xmlrpc:"refund_invoice_ids,omptempty"`
	Residual                       *Float     `xmlrpc:"residual,omptempty"`
	ResidualCompanySigned          *Float     `xmlrpc:"residual_company_signed,omptempty"`
	ResidualSigned                 *Float     `xmlrpc:"residual_signed,omptempty"`
	Sent                           *Bool      `xmlrpc:"sent,omptempty"`
	SequenceNumberNext             *String    `xmlrpc:"sequence_number_next,omptempty"`
	SequenceNumberNextPrefix       *String    `xmlrpc:"sequence_number_next_prefix,omptempty"`
	SourceId                       *Many2One  `xmlrpc:"source_id,omptempty"`
	State                          *Selection `xmlrpc:"state,omptempty"`
	TaxLineIds                     *Relation  `xmlrpc:"tax_line_ids,omptempty"`
	TeamId                         *Many2One  `xmlrpc:"team_id,omptempty"`
	TimesheetCount                 *Int       `xmlrpc:"timesheet_count,omptempty"`
	TimesheetIds                   *Relation  `xmlrpc:"timesheet_ids,omptempty"`
	Type                           *Selection `xmlrpc:"type,omptempty"`
	UserId                         *Many2One  `xmlrpc:"user_id,omptempty"`
	WebsiteMessageIds              *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountInvoice represents account.invoice model.

func (*AccountInvoice) Many2One

func (ai *AccountInvoice) Many2One() *Many2One

Many2One convert AccountInvoice to *Many2One.

type AccountInvoiceConfirm

type AccountInvoiceConfirm struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountInvoiceConfirm represents account.invoice.confirm model.

func (*AccountInvoiceConfirm) Many2One

func (aic *AccountInvoiceConfirm) Many2One() *Many2One

Many2One convert AccountInvoiceConfirm to *Many2One.

type AccountInvoiceConfirms

type AccountInvoiceConfirms []AccountInvoiceConfirm

AccountInvoiceConfirms represents array of account.invoice.confirm model.

type AccountInvoiceLine

type AccountInvoiceLine struct {
	LastUpdate             *Time      `xmlrpc:"__last_update,omptempty"`
	AccountAnalyticId      *Many2One  `xmlrpc:"account_analytic_id,omptempty"`
	AccountId              *Many2One  `xmlrpc:"account_id,omptempty"`
	AnalyticTagIds         *Relation  `xmlrpc:"analytic_tag_ids,omptempty"`
	CompanyCurrencyId      *Many2One  `xmlrpc:"company_currency_id,omptempty"`
	CompanyId              *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId             *Many2One  `xmlrpc:"currency_id,omptempty"`
	Discount               *Float     `xmlrpc:"discount,omptempty"`
	DisplayName            *String    `xmlrpc:"display_name,omptempty"`
	Id                     *Int       `xmlrpc:"id,omptempty"`
	InvoiceId              *Many2One  `xmlrpc:"invoice_id,omptempty"`
	InvoiceLineTaxIds      *Relation  `xmlrpc:"invoice_line_tax_ids,omptempty"`
	InvoiceType            *Selection `xmlrpc:"invoice_type,omptempty"`
	IsRoundingLine         *Bool      `xmlrpc:"is_rounding_line,omptempty"`
	LayoutCategoryId       *Many2One  `xmlrpc:"layout_category_id,omptempty"`
	LayoutCategorySequence *Int       `xmlrpc:"layout_category_sequence,omptempty"`
	Name                   *String    `xmlrpc:"name,omptempty"`
	Origin                 *String    `xmlrpc:"origin,omptempty"`
	PartnerId              *Many2One  `xmlrpc:"partner_id,omptempty"`
	PriceSubtotal          *Float     `xmlrpc:"price_subtotal,omptempty"`
	PriceSubtotalSigned    *Float     `xmlrpc:"price_subtotal_signed,omptempty"`
	PriceTotal             *Float     `xmlrpc:"price_total,omptempty"`
	PriceUnit              *Float     `xmlrpc:"price_unit,omptempty"`
	ProductId              *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductImage           *String    `xmlrpc:"product_image,omptempty"`
	PurchaseId             *Many2One  `xmlrpc:"purchase_id,omptempty"`
	PurchaseLineId         *Many2One  `xmlrpc:"purchase_line_id,omptempty"`
	Quantity               *Float     `xmlrpc:"quantity,omptempty"`
	SaleLineIds            *Relation  `xmlrpc:"sale_line_ids,omptempty"`
	Sequence               *Int       `xmlrpc:"sequence,omptempty"`
	UomId                  *Many2One  `xmlrpc:"uom_id,omptempty"`
	WriteDate              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountInvoiceLine represents account.invoice.line model.

func (*AccountInvoiceLine) Many2One

func (ail *AccountInvoiceLine) Many2One() *Many2One

Many2One convert AccountInvoiceLine to *Many2One.

type AccountInvoiceLines

type AccountInvoiceLines []AccountInvoiceLine

AccountInvoiceLines represents array of account.invoice.line model.

type AccountInvoiceRefund

type AccountInvoiceRefund struct {
	LastUpdate   *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate   *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One  `xmlrpc:"create_uid,omptempty"`
	Date         *Time      `xmlrpc:"date,omptempty"`
	DateInvoice  *Time      `xmlrpc:"date_invoice,omptempty"`
	Description  *String    `xmlrpc:"description,omptempty"`
	DisplayName  *String    `xmlrpc:"display_name,omptempty"`
	FilterRefund *Selection `xmlrpc:"filter_refund,omptempty"`
	Id           *Int       `xmlrpc:"id,omptempty"`
	RefundOnly   *Bool      `xmlrpc:"refund_only,omptempty"`
	WriteDate    *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountInvoiceRefund represents account.invoice.refund model.

func (*AccountInvoiceRefund) Many2One

func (air *AccountInvoiceRefund) Many2One() *Many2One

Many2One convert AccountInvoiceRefund to *Many2One.

type AccountInvoiceRefunds

type AccountInvoiceRefunds []AccountInvoiceRefund

AccountInvoiceRefunds represents array of account.invoice.refund model.

type AccountInvoiceReport

type AccountInvoiceReport struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	AccountAnalyticId        *Many2One  `xmlrpc:"account_analytic_id,omptempty"`
	AccountId                *Many2One  `xmlrpc:"account_id,omptempty"`
	AccountLineId            *Many2One  `xmlrpc:"account_line_id,omptempty"`
	CategId                  *Many2One  `xmlrpc:"categ_id,omptempty"`
	CommercialPartnerId      *Many2One  `xmlrpc:"commercial_partner_id,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CountryId                *Many2One  `xmlrpc:"country_id,omptempty"`
	CurrencyId               *Many2One  `xmlrpc:"currency_id,omptempty"`
	CurrencyRate             *Float     `xmlrpc:"currency_rate,omptempty"`
	Date                     *Time      `xmlrpc:"date,omptempty"`
	DateDue                  *Time      `xmlrpc:"date_due,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	FiscalPositionId         *Many2One  `xmlrpc:"fiscal_position_id,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	JournalId                *Many2One  `xmlrpc:"journal_id,omptempty"`
	Nbr                      *Int       `xmlrpc:"nbr,omptempty"`
	PartnerBankId            *Many2One  `xmlrpc:"partner_bank_id,omptempty"`
	PartnerId                *Many2One  `xmlrpc:"partner_id,omptempty"`
	PaymentTermId            *Many2One  `xmlrpc:"payment_term_id,omptempty"`
	PriceAverage             *Float     `xmlrpc:"price_average,omptempty"`
	PriceTotal               *Float     `xmlrpc:"price_total,omptempty"`
	ProductId                *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductQty               *Float     `xmlrpc:"product_qty,omptempty"`
	Residual                 *Float     `xmlrpc:"residual,omptempty"`
	State                    *Selection `xmlrpc:"state,omptempty"`
	TeamId                   *Many2One  `xmlrpc:"team_id,omptempty"`
	Type                     *Selection `xmlrpc:"type,omptempty"`
	UomName                  *String    `xmlrpc:"uom_name,omptempty"`
	UserCurrencyPriceAverage *Float     `xmlrpc:"user_currency_price_average,omptempty"`
	UserCurrencyPriceTotal   *Float     `xmlrpc:"user_currency_price_total,omptempty"`
	UserCurrencyResidual     *Float     `xmlrpc:"user_currency_residual,omptempty"`
	UserId                   *Many2One  `xmlrpc:"user_id,omptempty"`
}

AccountInvoiceReport represents account.invoice.report model.

func (*AccountInvoiceReport) Many2One

func (air *AccountInvoiceReport) Many2One() *Many2One

Many2One convert AccountInvoiceReport to *Many2One.

type AccountInvoiceReports

type AccountInvoiceReports []AccountInvoiceReport

AccountInvoiceReports represents array of account.invoice.report model.

type AccountInvoiceTax

type AccountInvoiceTax struct {
	LastUpdate        *Time     `xmlrpc:"__last_update,omptempty"`
	AccountAnalyticId *Many2One `xmlrpc:"account_analytic_id,omptempty"`
	AccountId         *Many2One `xmlrpc:"account_id,omptempty"`
	Amount            *Float    `xmlrpc:"amount,omptempty"`
	AmountRounding    *Float    `xmlrpc:"amount_rounding,omptempty"`
	AmountTotal       *Float    `xmlrpc:"amount_total,omptempty"`
	Base              *Float    `xmlrpc:"base,omptempty"`
	CompanyId         *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate        *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One `xmlrpc:"create_uid,omptempty"`
	CurrencyId        *Many2One `xmlrpc:"currency_id,omptempty"`
	DisplayName       *String   `xmlrpc:"display_name,omptempty"`
	Id                *Int      `xmlrpc:"id,omptempty"`
	InvoiceId         *Many2One `xmlrpc:"invoice_id,omptempty"`
	Manual            *Bool     `xmlrpc:"manual,omptempty"`
	Name              *String   `xmlrpc:"name,omptempty"`
	Sequence          *Int      `xmlrpc:"sequence,omptempty"`
	TaxId             *Many2One `xmlrpc:"tax_id,omptempty"`
	WriteDate         *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountInvoiceTax represents account.invoice.tax model.

func (*AccountInvoiceTax) Many2One

func (ait *AccountInvoiceTax) Many2One() *Many2One

Many2One convert AccountInvoiceTax to *Many2One.

type AccountInvoiceTaxs

type AccountInvoiceTaxs []AccountInvoiceTax

AccountInvoiceTaxs represents array of account.invoice.tax model.

type AccountInvoices

type AccountInvoices []AccountInvoice

AccountInvoices represents array of account.invoice model.

type AccountJournal

type AccountJournal struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	AccountControlIds        *Relation  `xmlrpc:"account_control_ids,omptempty"`
	AccountSetupBankDataDone *Bool      `xmlrpc:"account_setup_bank_data_done,omptempty"`
	Active                   *Bool      `xmlrpc:"active,omptempty"`
	AtLeastOneInbound        *Bool      `xmlrpc:"at_least_one_inbound,omptempty"`
	AtLeastOneOutbound       *Bool      `xmlrpc:"at_least_one_outbound,omptempty"`
	BankAccNumber            *String    `xmlrpc:"bank_acc_number,omptempty"`
	BankAccountId            *Many2One  `xmlrpc:"bank_account_id,omptempty"`
	BankId                   *Many2One  `xmlrpc:"bank_id,omptempty"`
	BankStatementsSource     *Selection `xmlrpc:"bank_statements_source,omptempty"`
	BelongsToCompany         *Bool      `xmlrpc:"belongs_to_company,omptempty"`
	Code                     *String    `xmlrpc:"code,omptempty"`
	Color                    *Int       `xmlrpc:"color,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId               *Many2One  `xmlrpc:"currency_id,omptempty"`
	DefaultCreditAccountId   *Many2One  `xmlrpc:"default_credit_account_id,omptempty"`
	DefaultDebitAccountId    *Many2One  `xmlrpc:"default_debit_account_id,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	GroupInvoiceLines        *Bool      `xmlrpc:"group_invoice_lines,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	InboundPaymentMethodIds  *Relation  `xmlrpc:"inbound_payment_method_ids,omptempty"`
	KanbanDashboard          *String    `xmlrpc:"kanban_dashboard,omptempty"`
	KanbanDashboardGraph     *String    `xmlrpc:"kanban_dashboard_graph,omptempty"`
	LossAccountId            *Many2One  `xmlrpc:"loss_account_id,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	OutboundPaymentMethodIds *Relation  `xmlrpc:"outbound_payment_method_ids,omptempty"`
	ProfitAccountId          *Many2One  `xmlrpc:"profit_account_id,omptempty"`
	RefundSequence           *Bool      `xmlrpc:"refund_sequence,omptempty"`
	RefundSequenceId         *Many2One  `xmlrpc:"refund_sequence_id,omptempty"`
	RefundSequenceNumberNext *Int       `xmlrpc:"refund_sequence_number_next,omptempty"`
	Sequence                 *Int       `xmlrpc:"sequence,omptempty"`
	SequenceId               *Many2One  `xmlrpc:"sequence_id,omptempty"`
	SequenceNumberNext       *Int       `xmlrpc:"sequence_number_next,omptempty"`
	ShowOnDashboard          *Bool      `xmlrpc:"show_on_dashboard,omptempty"`
	Type                     *Selection `xmlrpc:"type,omptempty"`
	TypeControlIds           *Relation  `xmlrpc:"type_control_ids,omptempty"`
	UpdatePosted             *Bool      `xmlrpc:"update_posted,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountJournal represents account.journal model.

func (*AccountJournal) Many2One

func (aj *AccountJournal) Many2One() *Many2One

Many2One convert AccountJournal to *Many2One.

type AccountJournals

type AccountJournals []AccountJournal

AccountJournals represents array of account.journal model.

type AccountMove

type AccountMove struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	Amount            *Float     `xmlrpc:"amount,omptempty"`
	CompanyId         *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId        *Many2One  `xmlrpc:"currency_id,omptempty"`
	Date              *Time      `xmlrpc:"date,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	DummyAccountId    *Many2One  `xmlrpc:"dummy_account_id,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	JournalId         *Many2One  `xmlrpc:"journal_id,omptempty"`
	LineIds           *Relation  `xmlrpc:"line_ids,omptempty"`
	MatchedPercentage *Float     `xmlrpc:"matched_percentage,omptempty"`
	Name              *String    `xmlrpc:"name,omptempty"`
	Narration         *String    `xmlrpc:"narration,omptempty"`
	PartnerId         *Many2One  `xmlrpc:"partner_id,omptempty"`
	Ref               *String    `xmlrpc:"ref,omptempty"`
	State             *Selection `xmlrpc:"state,omptempty"`
	StockMoveId       *Many2One  `xmlrpc:"stock_move_id,omptempty"`
	TaxCashBasisRecId *Many2One  `xmlrpc:"tax_cash_basis_rec_id,omptempty"`
	WriteDate         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountMove represents account.move model.

func (*AccountMove) Many2One

func (am *AccountMove) Many2One() *Many2One

Many2One convert AccountMove to *Many2One.

type AccountMoveLine

type AccountMoveLine struct {
	LastUpdate               *Time     `xmlrpc:"__last_update,omptempty"`
	AccountId                *Many2One `xmlrpc:"account_id,omptempty"`
	AmountCurrency           *Float    `xmlrpc:"amount_currency,omptempty"`
	AmountResidual           *Float    `xmlrpc:"amount_residual,omptempty"`
	AmountResidualCurrency   *Float    `xmlrpc:"amount_residual_currency,omptempty"`
	AnalyticAccountId        *Many2One `xmlrpc:"analytic_account_id,omptempty"`
	AnalyticLineIds          *Relation `xmlrpc:"analytic_line_ids,omptempty"`
	AnalyticTagIds           *Relation `xmlrpc:"analytic_tag_ids,omptempty"`
	Balance                  *Float    `xmlrpc:"balance,omptempty"`
	BalanceCashBasis         *Float    `xmlrpc:"balance_cash_basis,omptempty"`
	Blocked                  *Bool     `xmlrpc:"blocked,omptempty"`
	CompanyCurrencyId        *Many2One `xmlrpc:"company_currency_id,omptempty"`
	CompanyId                *Many2One `xmlrpc:"company_id,omptempty"`
	Counterpart              *String   `xmlrpc:"counterpart,omptempty"`
	CreateDate               *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One `xmlrpc:"create_uid,omptempty"`
	Credit                   *Float    `xmlrpc:"credit,omptempty"`
	CreditCashBasis          *Float    `xmlrpc:"credit_cash_basis,omptempty"`
	CurrencyId               *Many2One `xmlrpc:"currency_id,omptempty"`
	Date                     *Time     `xmlrpc:"date,omptempty"`
	DateMaturity             *Time     `xmlrpc:"date_maturity,omptempty"`
	Debit                    *Float    `xmlrpc:"debit,omptempty"`
	DebitCashBasis           *Float    `xmlrpc:"debit_cash_basis,omptempty"`
	DisplayName              *String   `xmlrpc:"display_name,omptempty"`
	FullReconcileId          *Many2One `xmlrpc:"full_reconcile_id,omptempty"`
	Id                       *Int      `xmlrpc:"id,omptempty"`
	InvoiceId                *Many2One `xmlrpc:"invoice_id,omptempty"`
	IsUnaffectedEarningsLine *Bool     `xmlrpc:"is_unaffected_earnings_line,omptempty"`
	JournalId                *Many2One `xmlrpc:"journal_id,omptempty"`
	MatchedCreditIds         *Relation `xmlrpc:"matched_credit_ids,omptempty"`
	MatchedDebitIds          *Relation `xmlrpc:"matched_debit_ids,omptempty"`
	MoveId                   *Many2One `xmlrpc:"move_id,omptempty"`
	Name                     *String   `xmlrpc:"name,omptempty"`
	Narration                *String   `xmlrpc:"narration,omptempty"`
	ParentState              *String   `xmlrpc:"parent_state,omptempty"`
	PartnerId                *Many2One `xmlrpc:"partner_id,omptempty"`
	PaymentId                *Many2One `xmlrpc:"payment_id,omptempty"`
	ProductId                *Many2One `xmlrpc:"product_id,omptempty"`
	ProductUomId             *Many2One `xmlrpc:"product_uom_id,omptempty"`
	Quantity                 *Float    `xmlrpc:"quantity,omptempty"`
	Reconciled               *Bool     `xmlrpc:"reconciled,omptempty"`
	Ref                      *String   `xmlrpc:"ref,omptempty"`
	StatementId              *Many2One `xmlrpc:"statement_id,omptempty"`
	StatementLineId          *Many2One `xmlrpc:"statement_line_id,omptempty"`
	TaxBaseAmount            *Float    `xmlrpc:"tax_base_amount,omptempty"`
	TaxExigible              *Bool     `xmlrpc:"tax_exigible,omptempty"`
	TaxIds                   *Relation `xmlrpc:"tax_ids,omptempty"`
	TaxLineId                *Many2One `xmlrpc:"tax_line_id,omptempty"`
	UserTypeId               *Many2One `xmlrpc:"user_type_id,omptempty"`
	WriteDate                *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountMoveLine represents account.move.line model.

func (*AccountMoveLine) Many2One

func (aml *AccountMoveLine) Many2One() *Many2One

Many2One convert AccountMoveLine to *Many2One.

type AccountMoveLineReconcile

type AccountMoveLineReconcile struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyId   *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	Credit      *Float    `xmlrpc:"credit,omptempty"`
	Debit       *Float    `xmlrpc:"debit,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	TransNbr    *Int      `xmlrpc:"trans_nbr,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
	Writeoff    *Float    `xmlrpc:"writeoff,omptempty"`
}

AccountMoveLineReconcile represents account.move.line.reconcile model.

func (*AccountMoveLineReconcile) Many2One

func (amlr *AccountMoveLineReconcile) Many2One() *Many2One

Many2One convert AccountMoveLineReconcile to *Many2One.

type AccountMoveLineReconcileWriteoff

type AccountMoveLineReconcileWriteoff struct {
	LastUpdate    *Time     `xmlrpc:"__last_update,omptempty"`
	AnalyticId    *Many2One `xmlrpc:"analytic_id,omptempty"`
	Comment       *String   `xmlrpc:"comment,omptempty"`
	CreateDate    *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One `xmlrpc:"create_uid,omptempty"`
	DateP         *Time     `xmlrpc:"date_p,omptempty"`
	DisplayName   *String   `xmlrpc:"display_name,omptempty"`
	Id            *Int      `xmlrpc:"id,omptempty"`
	JournalId     *Many2One `xmlrpc:"journal_id,omptempty"`
	WriteDate     *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One `xmlrpc:"write_uid,omptempty"`
	WriteoffAccId *Many2One `xmlrpc:"writeoff_acc_id,omptempty"`
}

AccountMoveLineReconcileWriteoff represents account.move.line.reconcile.writeoff model.

func (*AccountMoveLineReconcileWriteoff) Many2One

func (amlrw *AccountMoveLineReconcileWriteoff) Many2One() *Many2One

Many2One convert AccountMoveLineReconcileWriteoff to *Many2One.

type AccountMoveLineReconcileWriteoffs

type AccountMoveLineReconcileWriteoffs []AccountMoveLineReconcileWriteoff

AccountMoveLineReconcileWriteoffs represents array of account.move.line.reconcile.writeoff model.

type AccountMoveLineReconciles

type AccountMoveLineReconciles []AccountMoveLineReconcile

AccountMoveLineReconciles represents array of account.move.line.reconcile model.

type AccountMoveLines

type AccountMoveLines []AccountMoveLine

AccountMoveLines represents array of account.move.line model.

type AccountMoveReversal

type AccountMoveReversal struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	Date        *Time     `xmlrpc:"date,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	JournalId   *Many2One `xmlrpc:"journal_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountMoveReversal represents account.move.reversal model.

func (*AccountMoveReversal) Many2One

func (amr *AccountMoveReversal) Many2One() *Many2One

Many2One convert AccountMoveReversal to *Many2One.

type AccountMoveReversals

type AccountMoveReversals []AccountMoveReversal

AccountMoveReversals represents array of account.move.reversal model.

type AccountMoves

type AccountMoves []AccountMove

AccountMoves represents array of account.move model.

type AccountOpening

type AccountOpening struct {
	LastUpdate         *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyId          *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate         *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid          *Many2One `xmlrpc:"create_uid,omptempty"`
	CurrencyId         *Many2One `xmlrpc:"currency_id,omptempty"`
	Date               *Time     `xmlrpc:"date,omptempty"`
	DisplayName        *String   `xmlrpc:"display_name,omptempty"`
	Id                 *Int      `xmlrpc:"id,omptempty"`
	JournalId          *Many2One `xmlrpc:"journal_id,omptempty"`
	OpeningMoveId      *Many2One `xmlrpc:"opening_move_id,omptempty"`
	OpeningMoveLineIds *Relation `xmlrpc:"opening_move_line_ids,omptempty"`
	WriteDate          *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid           *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountOpening represents account.opening model.

func (*AccountOpening) Many2One

func (ao *AccountOpening) Many2One() *Many2One

Many2One convert AccountOpening to *Many2One.

type AccountOpenings

type AccountOpenings []AccountOpening

AccountOpenings represents array of account.opening model.

type AccountPartialReconcile

type AccountPartialReconcile struct {
	LastUpdate        *Time     `xmlrpc:"__last_update,omptempty"`
	Amount            *Float    `xmlrpc:"amount,omptempty"`
	AmountCurrency    *Float    `xmlrpc:"amount_currency,omptempty"`
	CompanyCurrencyId *Many2One `xmlrpc:"company_currency_id,omptempty"`
	CompanyId         *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate        *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One `xmlrpc:"create_uid,omptempty"`
	CreditMoveId      *Many2One `xmlrpc:"credit_move_id,omptempty"`
	CurrencyId        *Many2One `xmlrpc:"currency_id,omptempty"`
	DebitMoveId       *Many2One `xmlrpc:"debit_move_id,omptempty"`
	DisplayName       *String   `xmlrpc:"display_name,omptempty"`
	FullReconcileId   *Many2One `xmlrpc:"full_reconcile_id,omptempty"`
	Id                *Int      `xmlrpc:"id,omptempty"`
	MaxDate           *Time     `xmlrpc:"max_date,omptempty"`
	WriteDate         *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountPartialReconcile represents account.partial.reconcile model.

func (*AccountPartialReconcile) Many2One

func (apr *AccountPartialReconcile) Many2One() *Many2One

Many2One convert AccountPartialReconcile to *Many2One.

type AccountPartialReconciles

type AccountPartialReconciles []AccountPartialReconcile

AccountPartialReconciles represents array of account.partial.reconcile model.

type AccountPayment

type AccountPayment struct {
	LastUpdate                *Time      `xmlrpc:"__last_update,omptempty"`
	Amount                    *Float     `xmlrpc:"amount,omptempty"`
	Communication             *String    `xmlrpc:"communication,omptempty"`
	CompanyId                 *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate                *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                 *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId                *Many2One  `xmlrpc:"currency_id,omptempty"`
	DestinationAccountId      *Many2One  `xmlrpc:"destination_account_id,omptempty"`
	DestinationJournalId      *Many2One  `xmlrpc:"destination_journal_id,omptempty"`
	DisplayName               *String    `xmlrpc:"display_name,omptempty"`
	HasInvoices               *Bool      `xmlrpc:"has_invoices,omptempty"`
	HidePaymentMethod         *Bool      `xmlrpc:"hide_payment_method,omptempty"`
	Id                        *Int       `xmlrpc:"id,omptempty"`
	InvoiceIds                *Relation  `xmlrpc:"invoice_ids,omptempty"`
	JournalId                 *Many2One  `xmlrpc:"journal_id,omptempty"`
	MessageChannelIds         *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds        *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds                *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower         *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost           *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction         *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter  *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds         *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread             *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter      *Int       `xmlrpc:"message_unread_counter,omptempty"`
	MoveLineIds               *Relation  `xmlrpc:"move_line_ids,omptempty"`
	MoveName                  *String    `xmlrpc:"move_name,omptempty"`
	MoveReconciled            *Bool      `xmlrpc:"move_reconciled,omptempty"`
	Name                      *String    `xmlrpc:"name,omptempty"`
	PartnerId                 *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerType               *Selection `xmlrpc:"partner_type,omptempty"`
	PaymentDate               *Time      `xmlrpc:"payment_date,omptempty"`
	PaymentDifference         *Float     `xmlrpc:"payment_difference,omptempty"`
	PaymentDifferenceHandling *Selection `xmlrpc:"payment_difference_handling,omptempty"`
	PaymentMethodCode         *String    `xmlrpc:"payment_method_code,omptempty"`
	PaymentMethodId           *Many2One  `xmlrpc:"payment_method_id,omptempty"`
	PaymentReference          *String    `xmlrpc:"payment_reference,omptempty"`
	PaymentTokenId            *Many2One  `xmlrpc:"payment_token_id,omptempty"`
	PaymentTransactionId      *Many2One  `xmlrpc:"payment_transaction_id,omptempty"`
	PaymentType               *Selection `xmlrpc:"payment_type,omptempty"`
	State                     *Selection `xmlrpc:"state,omptempty"`
	WebsiteMessageIds         *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                 *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                  *Many2One  `xmlrpc:"write_uid,omptempty"`
	WriteoffAccountId         *Many2One  `xmlrpc:"writeoff_account_id,omptempty"`
	WriteoffLabel             *String    `xmlrpc:"writeoff_label,omptempty"`
}

AccountPayment represents account.payment model.

func (*AccountPayment) Many2One

func (ap *AccountPayment) Many2One() *Many2One

Many2One convert AccountPayment to *Many2One.

type AccountPaymentMethod

type AccountPaymentMethod struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	Code        *String    `xmlrpc:"code,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	PaymentType *Selection `xmlrpc:"payment_type,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountPaymentMethod represents account.payment.method model.

func (*AccountPaymentMethod) Many2One

func (apm *AccountPaymentMethod) Many2One() *Many2One

Many2One convert AccountPaymentMethod to *Many2One.

type AccountPaymentMethods

type AccountPaymentMethods []AccountPaymentMethod

AccountPaymentMethods represents array of account.payment.method model.

type AccountPaymentTerm

type AccountPaymentTerm struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	CompanyId   *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	LineIds     *Relation `xmlrpc:"line_ids,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Note        *String   `xmlrpc:"note,omptempty"`
	Sequence    *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountPaymentTerm represents account.payment.term model.

func (*AccountPaymentTerm) Many2One

func (apt *AccountPaymentTerm) Many2One() *Many2One

Many2One convert AccountPaymentTerm to *Many2One.

type AccountPaymentTermLine

type AccountPaymentTermLine struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	Days        *Int       `xmlrpc:"days,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Option      *Selection `xmlrpc:"option,omptempty"`
	PaymentId   *Many2One  `xmlrpc:"payment_id,omptempty"`
	Sequence    *Int       `xmlrpc:"sequence,omptempty"`
	Value       *Selection `xmlrpc:"value,omptempty"`
	ValueAmount *Float     `xmlrpc:"value_amount,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountPaymentTermLine represents account.payment.term.line model.

func (*AccountPaymentTermLine) Many2One

func (aptl *AccountPaymentTermLine) Many2One() *Many2One

Many2One convert AccountPaymentTermLine to *Many2One.

type AccountPaymentTermLines

type AccountPaymentTermLines []AccountPaymentTermLine

AccountPaymentTermLines represents array of account.payment.term.line model.

type AccountPaymentTerms

type AccountPaymentTerms []AccountPaymentTerm

AccountPaymentTerms represents array of account.payment.term model.

type AccountPayments

type AccountPayments []AccountPayment

AccountPayments represents array of account.payment model.

type AccountPrintJournal

type AccountPrintJournal struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	AmountCurrency *Bool      `xmlrpc:"amount_currency,omptempty"`
	CompanyId      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom       *Time      `xmlrpc:"date_from,omptempty"`
	DateTo         *Time      `xmlrpc:"date_to,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	JournalIds     *Relation  `xmlrpc:"journal_ids,omptempty"`
	SortSelection  *Selection `xmlrpc:"sort_selection,omptempty"`
	TargetMove     *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountPrintJournal represents account.print.journal model.

func (*AccountPrintJournal) Many2One

func (apj *AccountPrintJournal) Many2One() *Many2One

Many2One convert AccountPrintJournal to *Many2One.

type AccountPrintJournals

type AccountPrintJournals []AccountPrintJournal

AccountPrintJournals represents array of account.print.journal model.

type AccountReconcileModel

type AccountReconcileModel struct {
	LastUpdate              *Time      `xmlrpc:"__last_update,omptempty"`
	AccountId               *Many2One  `xmlrpc:"account_id,omptempty"`
	Amount                  *Float     `xmlrpc:"amount,omptempty"`
	AmountType              *Selection `xmlrpc:"amount_type,omptempty"`
	AnalyticAccountId       *Many2One  `xmlrpc:"analytic_account_id,omptempty"`
	CompanyId               *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate              *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid               *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName             *String    `xmlrpc:"display_name,omptempty"`
	HasSecondLine           *Bool      `xmlrpc:"has_second_line,omptempty"`
	Id                      *Int       `xmlrpc:"id,omptempty"`
	JournalId               *Many2One  `xmlrpc:"journal_id,omptempty"`
	Label                   *String    `xmlrpc:"label,omptempty"`
	Name                    *String    `xmlrpc:"name,omptempty"`
	SecondAccountId         *Many2One  `xmlrpc:"second_account_id,omptempty"`
	SecondAmount            *Float     `xmlrpc:"second_amount,omptempty"`
	SecondAmountType        *Selection `xmlrpc:"second_amount_type,omptempty"`
	SecondAnalyticAccountId *Many2One  `xmlrpc:"second_analytic_account_id,omptempty"`
	SecondJournalId         *Many2One  `xmlrpc:"second_journal_id,omptempty"`
	SecondLabel             *String    `xmlrpc:"second_label,omptempty"`
	SecondTaxId             *Many2One  `xmlrpc:"second_tax_id,omptempty"`
	Sequence                *Int       `xmlrpc:"sequence,omptempty"`
	TaxId                   *Many2One  `xmlrpc:"tax_id,omptempty"`
	WriteDate               *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountReconcileModel represents account.reconcile.model model.

func (*AccountReconcileModel) Many2One

func (arm *AccountReconcileModel) Many2One() *Many2One

Many2One convert AccountReconcileModel to *Many2One.

type AccountReconcileModelTemplate

type AccountReconcileModelTemplate struct {
	LastUpdate       *Time      `xmlrpc:"__last_update,omptempty"`
	AccountId        *Many2One  `xmlrpc:"account_id,omptempty"`
	Amount           *Float     `xmlrpc:"amount,omptempty"`
	AmountType       *Selection `xmlrpc:"amount_type,omptempty"`
	ChartTemplateId  *Many2One  `xmlrpc:"chart_template_id,omptempty"`
	CreateDate       *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName      *String    `xmlrpc:"display_name,omptempty"`
	HasSecondLine    *Bool      `xmlrpc:"has_second_line,omptempty"`
	Id               *Int       `xmlrpc:"id,omptempty"`
	Label            *String    `xmlrpc:"label,omptempty"`
	Name             *String    `xmlrpc:"name,omptempty"`
	SecondAccountId  *Many2One  `xmlrpc:"second_account_id,omptempty"`
	SecondAmount     *Float     `xmlrpc:"second_amount,omptempty"`
	SecondAmountType *Selection `xmlrpc:"second_amount_type,omptempty"`
	SecondLabel      *String    `xmlrpc:"second_label,omptempty"`
	SecondTaxId      *Many2One  `xmlrpc:"second_tax_id,omptempty"`
	Sequence         *Int       `xmlrpc:"sequence,omptempty"`
	TaxId            *Many2One  `xmlrpc:"tax_id,omptempty"`
	WriteDate        *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountReconcileModelTemplate represents account.reconcile.model.template model.

func (*AccountReconcileModelTemplate) Many2One

func (armt *AccountReconcileModelTemplate) Many2One() *Many2One

Many2One convert AccountReconcileModelTemplate to *Many2One.

type AccountReconcileModelTemplates

type AccountReconcileModelTemplates []AccountReconcileModelTemplate

AccountReconcileModelTemplates represents array of account.reconcile.model.template model.

type AccountReconcileModels

type AccountReconcileModels []AccountReconcileModel

AccountReconcileModels represents array of account.reconcile.model model.

type AccountRegisterPayments

type AccountRegisterPayments struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	Amount            *Float     `xmlrpc:"amount,omptempty"`
	Communication     *String    `xmlrpc:"communication,omptempty"`
	CompanyId         *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId        *Many2One  `xmlrpc:"currency_id,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	HidePaymentMethod *Bool      `xmlrpc:"hide_payment_method,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	InvoiceIds        *Relation  `xmlrpc:"invoice_ids,omptempty"`
	JournalId         *Many2One  `xmlrpc:"journal_id,omptempty"`
	Multi             *Bool      `xmlrpc:"multi,omptempty"`
	PartnerId         *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerType       *Selection `xmlrpc:"partner_type,omptempty"`
	PaymentDate       *Time      `xmlrpc:"payment_date,omptempty"`
	PaymentMethodCode *String    `xmlrpc:"payment_method_code,omptempty"`
	PaymentMethodId   *Many2One  `xmlrpc:"payment_method_id,omptempty"`
	PaymentType       *Selection `xmlrpc:"payment_type,omptempty"`
	WriteDate         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountRegisterPayments represents account.register.payments model.

func (*AccountRegisterPayments) Many2One

func (arp *AccountRegisterPayments) Many2One() *Many2One

Many2One convert AccountRegisterPayments to *Many2One.

type AccountRegisterPaymentss

type AccountRegisterPaymentss []AccountRegisterPayments

AccountRegisterPaymentss represents array of account.register.payments model.

type AccountReportGeneralLedger

type AccountReportGeneralLedger struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom       *Time      `xmlrpc:"date_from,omptempty"`
	DateTo         *Time      `xmlrpc:"date_to,omptempty"`
	DisplayAccount *Selection `xmlrpc:"display_account,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	InitialBalance *Bool      `xmlrpc:"initial_balance,omptempty"`
	JournalIds     *Relation  `xmlrpc:"journal_ids,omptempty"`
	Sortby         *Selection `xmlrpc:"sortby,omptempty"`
	TargetMove     *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountReportGeneralLedger represents account.report.general.ledger model.

func (*AccountReportGeneralLedger) Many2One

func (argl *AccountReportGeneralLedger) Many2One() *Many2One

Many2One convert AccountReportGeneralLedger to *Many2One.

type AccountReportGeneralLedgers

type AccountReportGeneralLedgers []AccountReportGeneralLedger

AccountReportGeneralLedgers represents array of account.report.general.ledger model.

type AccountReportPartnerLedger

type AccountReportPartnerLedger struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	AmountCurrency  *Bool      `xmlrpc:"amount_currency,omptempty"`
	CompanyId       *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom        *Time      `xmlrpc:"date_from,omptempty"`
	DateTo          *Time      `xmlrpc:"date_to,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	JournalIds      *Relation  `xmlrpc:"journal_ids,omptempty"`
	Reconciled      *Bool      `xmlrpc:"reconciled,omptempty"`
	ResultSelection *Selection `xmlrpc:"result_selection,omptempty"`
	TargetMove      *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountReportPartnerLedger represents account.report.partner.ledger model.

func (*AccountReportPartnerLedger) Many2One

func (arpl *AccountReportPartnerLedger) Many2One() *Many2One

Many2One convert AccountReportPartnerLedger to *Many2One.

type AccountReportPartnerLedgers

type AccountReportPartnerLedgers []AccountReportPartnerLedger

AccountReportPartnerLedgers represents array of account.report.partner.ledger model.

type AccountTax

type AccountTax struct {
	LastUpdate             *Time      `xmlrpc:"__last_update,omptempty"`
	AccountId              *Many2One  `xmlrpc:"account_id,omptempty"`
	Active                 *Bool      `xmlrpc:"active,omptempty"`
	Amount                 *Float     `xmlrpc:"amount,omptempty"`
	AmountType             *Selection `xmlrpc:"amount_type,omptempty"`
	Analytic               *Bool      `xmlrpc:"analytic,omptempty"`
	CashBasisAccount       *Many2One  `xmlrpc:"cash_basis_account,omptempty"`
	CashBasisBaseAccountId *Many2One  `xmlrpc:"cash_basis_base_account_id,omptempty"`
	ChildrenTaxIds         *Relation  `xmlrpc:"children_tax_ids,omptempty"`
	CompanyId              *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One  `xmlrpc:"create_uid,omptempty"`
	Description            *String    `xmlrpc:"description,omptempty"`
	DisplayName            *String    `xmlrpc:"display_name,omptempty"`
	HideTaxExigibility     *Bool      `xmlrpc:"hide_tax_exigibility,omptempty"`
	Id                     *Int       `xmlrpc:"id,omptempty"`
	IncludeBaseAmount      *Bool      `xmlrpc:"include_base_amount,omptempty"`
	Name                   *String    `xmlrpc:"name,omptempty"`
	PriceInclude           *Bool      `xmlrpc:"price_include,omptempty"`
	RefundAccountId        *Many2One  `xmlrpc:"refund_account_id,omptempty"`
	Sequence               *Int       `xmlrpc:"sequence,omptempty"`
	TagIds                 *Relation  `xmlrpc:"tag_ids,omptempty"`
	TaxAdjustment          *Bool      `xmlrpc:"tax_adjustment,omptempty"`
	TaxExigibility         *Selection `xmlrpc:"tax_exigibility,omptempty"`
	TaxGroupId             *Many2One  `xmlrpc:"tax_group_id,omptempty"`
	TypeTaxUse             *Selection `xmlrpc:"type_tax_use,omptempty"`
	WriteDate              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountTax represents account.tax model.

func (*AccountTax) Many2One

func (at *AccountTax) Many2One() *Many2One

Many2One convert AccountTax to *Many2One.

type AccountTaxGroup

type AccountTaxGroup struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Sequence    *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountTaxGroup represents account.tax.group model.

func (*AccountTaxGroup) Many2One

func (atg *AccountTaxGroup) Many2One() *Many2One

Many2One convert AccountTaxGroup to *Many2One.

type AccountTaxGroups

type AccountTaxGroups []AccountTaxGroup

AccountTaxGroups represents array of account.tax.group model.

type AccountTaxReport

type AccountTaxReport struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId   *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom    *Time      `xmlrpc:"date_from,omptempty"`
	DateTo      *Time      `xmlrpc:"date_to,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	JournalIds  *Relation  `xmlrpc:"journal_ids,omptempty"`
	TargetMove  *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountTaxReport represents account.tax.report model.

func (*AccountTaxReport) Many2One

func (atr *AccountTaxReport) Many2One() *Many2One

Many2One convert AccountTaxReport to *Many2One.

type AccountTaxReports

type AccountTaxReports []AccountTaxReport

AccountTaxReports represents array of account.tax.report model.

type AccountTaxTemplate

type AccountTaxTemplate struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	AccountId         *Many2One  `xmlrpc:"account_id,omptempty"`
	Active            *Bool      `xmlrpc:"active,omptempty"`
	Amount            *Float     `xmlrpc:"amount,omptempty"`
	AmountType        *Selection `xmlrpc:"amount_type,omptempty"`
	Analytic          *Bool      `xmlrpc:"analytic,omptempty"`
	CashBasisAccount  *Many2One  `xmlrpc:"cash_basis_account,omptempty"`
	ChartTemplateId   *Many2One  `xmlrpc:"chart_template_id,omptempty"`
	ChildrenTaxIds    *Relation  `xmlrpc:"children_tax_ids,omptempty"`
	CompanyId         *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One  `xmlrpc:"create_uid,omptempty"`
	Description       *String    `xmlrpc:"description,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	IncludeBaseAmount *Bool      `xmlrpc:"include_base_amount,omptempty"`
	Name              *String    `xmlrpc:"name,omptempty"`
	PriceInclude      *Bool      `xmlrpc:"price_include,omptempty"`
	RefundAccountId   *Many2One  `xmlrpc:"refund_account_id,omptempty"`
	Sequence          *Int       `xmlrpc:"sequence,omptempty"`
	TagIds            *Relation  `xmlrpc:"tag_ids,omptempty"`
	TaxAdjustment     *Bool      `xmlrpc:"tax_adjustment,omptempty"`
	TaxExigibility    *Selection `xmlrpc:"tax_exigibility,omptempty"`
	TaxGroupId        *Many2One  `xmlrpc:"tax_group_id,omptempty"`
	TypeTaxUse        *Selection `xmlrpc:"type_tax_use,omptempty"`
	WriteDate         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountTaxTemplate represents account.tax.template model.

func (*AccountTaxTemplate) Many2One

func (att *AccountTaxTemplate) Many2One() *Many2One

Many2One convert AccountTaxTemplate to *Many2One.

type AccountTaxTemplates

type AccountTaxTemplates []AccountTaxTemplate

AccountTaxTemplates represents array of account.tax.template model.

type AccountTaxs

type AccountTaxs []AccountTax

AccountTaxs represents array of account.tax model.

type AccountUnreconcile

type AccountUnreconcile struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AccountUnreconcile represents account.unreconcile model.

func (*AccountUnreconcile) Many2One

func (au *AccountUnreconcile) Many2One() *Many2One

Many2One convert AccountUnreconcile to *Many2One.

type AccountUnreconciles

type AccountUnreconciles []AccountUnreconcile

AccountUnreconciles represents array of account.unreconcile model.

type AccountingReport

type AccountingReport struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	AccountReportId *Many2One  `xmlrpc:"account_report_id,omptempty"`
	CompanyId       *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom        *Time      `xmlrpc:"date_from,omptempty"`
	DateFromCmp     *Time      `xmlrpc:"date_from_cmp,omptempty"`
	DateTo          *Time      `xmlrpc:"date_to,omptempty"`
	DateToCmp       *Time      `xmlrpc:"date_to_cmp,omptempty"`
	DebitCredit     *Bool      `xmlrpc:"debit_credit,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	EnableFilter    *Bool      `xmlrpc:"enable_filter,omptempty"`
	FilterCmp       *Selection `xmlrpc:"filter_cmp,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	JournalIds      *Relation  `xmlrpc:"journal_ids,omptempty"`
	LabelFilter     *String    `xmlrpc:"label_filter,omptempty"`
	TargetMove      *Selection `xmlrpc:"target_move,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

AccountingReport represents accounting.report model.

func (*AccountingReport) Many2One

func (ar *AccountingReport) Many2One() *Many2One

Many2One convert AccountingReport to *Many2One.

type AccountingReports

type AccountingReports []AccountingReport

AccountingReports represents array of accounting.report model.

type AutosalesConfig

type AutosalesConfig struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	ConfigLine  *Relation `xmlrpc:"config_line,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Sequence    *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

AutosalesConfig represents autosales.config model.

func (*AutosalesConfig) Many2One

func (ac *AutosalesConfig) Many2One() *Many2One

Many2One convert AutosalesConfig to *Many2One.

type AutosalesConfigLine

type AutosalesConfigLine struct {
	LastUpdate         *Time     `xmlrpc:"__last_update,omptempty"`
	AutosalesConfigId  *Many2One `xmlrpc:"autosales_config_id,omptempty"`
	CreateDate         *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid          *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName        *String   `xmlrpc:"display_name,omptempty"`
	Id                 *Int      `xmlrpc:"id,omptempty"`
	PercentProductBase *Float    `xmlrpc:"percent_product_base,omptempty"`
	ProductAuto        *Many2One `xmlrpc:"product_auto,omptempty"`
	ProductBase        *Many2One `xmlrpc:"product_base,omptempty"`
	Sequence           *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate          *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid           *Many2One `xmlrpc:"write_uid,omptempty"`
}

AutosalesConfigLine represents autosales.config.line model.

func (*AutosalesConfigLine) Many2One

func (acl *AutosalesConfigLine) Many2One() *Many2One

Many2One convert AutosalesConfigLine to *Many2One.

type AutosalesConfigLines

type AutosalesConfigLines []AutosalesConfigLine

AutosalesConfigLines represents array of autosales.config.line model.

type AutosalesConfigs

type AutosalesConfigs []AutosalesConfig

AutosalesConfigs represents array of autosales.config model.

type BarcodeNomenclature

type BarcodeNomenclature struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	RuleIds     *Relation  `xmlrpc:"rule_ids,omptempty"`
	UpcEanConv  *Selection `xmlrpc:"upc_ean_conv,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

BarcodeNomenclature represents barcode.nomenclature model.

func (*BarcodeNomenclature) Many2One

func (bn *BarcodeNomenclature) Many2One() *Many2One

Many2One convert BarcodeNomenclature to *Many2One.

type BarcodeNomenclatures

type BarcodeNomenclatures []BarcodeNomenclature

BarcodeNomenclatures represents array of barcode.nomenclature model.

type BarcodeRule

type BarcodeRule struct {
	LastUpdate            *Time      `xmlrpc:"__last_update,omptempty"`
	Alias                 *String    `xmlrpc:"alias,omptempty"`
	BarcodeNomenclatureId *Many2One  `xmlrpc:"barcode_nomenclature_id,omptempty"`
	CreateDate            *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid             *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName           *String    `xmlrpc:"display_name,omptempty"`
	Encoding              *Selection `xmlrpc:"encoding,omptempty"`
	Id                    *Int       `xmlrpc:"id,omptempty"`
	Name                  *String    `xmlrpc:"name,omptempty"`
	Pattern               *String    `xmlrpc:"pattern,omptempty"`
	Sequence              *Int       `xmlrpc:"sequence,omptempty"`
	Type                  *Selection `xmlrpc:"type,omptempty"`
	WriteDate             *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid              *Many2One  `xmlrpc:"write_uid,omptempty"`
}

BarcodeRule represents barcode.rule model.

func (*BarcodeRule) Many2One

func (br *BarcodeRule) Many2One() *Many2One

Many2One convert BarcodeRule to *Many2One.

type BarcodeRules

type BarcodeRules []BarcodeRule

BarcodeRules represents array of barcode.rule model.

type BarcodesBarcodeEventsMixin

type BarcodesBarcodeEventsMixin struct {
	LastUpdate     *Time   `xmlrpc:"__last_update,omptempty"`
	BarcodeScanned *String `xmlrpc:"_barcode_scanned,omptempty"`
	DisplayName    *String `xmlrpc:"display_name,omptempty"`
	Id             *Int    `xmlrpc:"id,omptempty"`
}

BarcodesBarcodeEventsMixin represents barcodes.barcode_events_mixin model.

func (*BarcodesBarcodeEventsMixin) Many2One

func (bb *BarcodesBarcodeEventsMixin) Many2One() *Many2One

Many2One convert BarcodesBarcodeEventsMixin to *Many2One.

type BarcodesBarcodeEventsMixins

type BarcodesBarcodeEventsMixins []BarcodesBarcodeEventsMixin

BarcodesBarcodeEventsMixins represents array of barcodes.barcode_events_mixin model.

type Base

type Base struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

Base represents base model.

func (*Base) Many2One

func (b *Base) Many2One() *Many2One

Many2One convert Base to *Many2One.

type BaseImportImport

type BaseImportImport struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	File        *String   `xmlrpc:"file,omptempty"`
	FileName    *String   `xmlrpc:"file_name,omptempty"`
	FileType    *String   `xmlrpc:"file_type,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	ResModel    *String   `xmlrpc:"res_model,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportImport represents base_import.import model.

func (*BaseImportImport) Many2One

func (bi *BaseImportImport) Many2One() *Many2One

Many2One convert BaseImportImport to *Many2One.

type BaseImportImports

type BaseImportImports []BaseImportImport

BaseImportImports represents array of base_import.import model.

type BaseImportTestsModelsChar

type BaseImportTestsModelsChar struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *String   `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsChar represents base_import.tests.models.char model.

func (*BaseImportTestsModelsChar) Many2One

func (btmc *BaseImportTestsModelsChar) Many2One() *Many2One

Many2One convert BaseImportTestsModelsChar to *Many2One.

type BaseImportTestsModelsCharNoreadonly

type BaseImportTestsModelsCharNoreadonly struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *String   `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsCharNoreadonly represents base_import.tests.models.char.noreadonly model.

func (*BaseImportTestsModelsCharNoreadonly) Many2One

func (btmcn *BaseImportTestsModelsCharNoreadonly) Many2One() *Many2One

Many2One convert BaseImportTestsModelsCharNoreadonly to *Many2One.

type BaseImportTestsModelsCharNoreadonlys

type BaseImportTestsModelsCharNoreadonlys []BaseImportTestsModelsCharNoreadonly

BaseImportTestsModelsCharNoreadonlys represents array of base_import.tests.models.char.noreadonly model.

type BaseImportTestsModelsCharReadonly

type BaseImportTestsModelsCharReadonly struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *String   `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsCharReadonly represents base_import.tests.models.char.readonly model.

func (*BaseImportTestsModelsCharReadonly) Many2One

func (btmcr *BaseImportTestsModelsCharReadonly) Many2One() *Many2One

Many2One convert BaseImportTestsModelsCharReadonly to *Many2One.

type BaseImportTestsModelsCharReadonlys

type BaseImportTestsModelsCharReadonlys []BaseImportTestsModelsCharReadonly

BaseImportTestsModelsCharReadonlys represents array of base_import.tests.models.char.readonly model.

type BaseImportTestsModelsCharRequired

type BaseImportTestsModelsCharRequired struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *String   `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsCharRequired represents base_import.tests.models.char.required model.

func (*BaseImportTestsModelsCharRequired) Many2One

func (btmcr *BaseImportTestsModelsCharRequired) Many2One() *Many2One

Many2One convert BaseImportTestsModelsCharRequired to *Many2One.

type BaseImportTestsModelsCharRequireds

type BaseImportTestsModelsCharRequireds []BaseImportTestsModelsCharRequired

BaseImportTestsModelsCharRequireds represents array of base_import.tests.models.char.required model.

type BaseImportTestsModelsCharStates

type BaseImportTestsModelsCharStates struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *String   `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsCharStates represents base_import.tests.models.char.states model.

func (*BaseImportTestsModelsCharStates) Many2One

func (btmcs *BaseImportTestsModelsCharStates) Many2One() *Many2One

Many2One convert BaseImportTestsModelsCharStates to *Many2One.

type BaseImportTestsModelsCharStatess

type BaseImportTestsModelsCharStatess []BaseImportTestsModelsCharStates

BaseImportTestsModelsCharStatess represents array of base_import.tests.models.char.states model.

type BaseImportTestsModelsCharStillreadonly

type BaseImportTestsModelsCharStillreadonly struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *String   `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsCharStillreadonly represents base_import.tests.models.char.stillreadonly model.

func (*BaseImportTestsModelsCharStillreadonly) Many2One

Many2One convert BaseImportTestsModelsCharStillreadonly to *Many2One.

type BaseImportTestsModelsCharStillreadonlys

type BaseImportTestsModelsCharStillreadonlys []BaseImportTestsModelsCharStillreadonly

BaseImportTestsModelsCharStillreadonlys represents array of base_import.tests.models.char.stillreadonly model.

type BaseImportTestsModelsChars

type BaseImportTestsModelsChars []BaseImportTestsModelsChar

BaseImportTestsModelsChars represents array of base_import.tests.models.char model.

type BaseImportTestsModelsM2O

type BaseImportTestsModelsM2O struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *Many2One `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsM2O represents base_import.tests.models.m2o model.

func (*BaseImportTestsModelsM2O) Many2One

func (btmm *BaseImportTestsModelsM2O) Many2One() *Many2One

Many2One convert BaseImportTestsModelsM2O to *Many2One.

type BaseImportTestsModelsM2ORelated

type BaseImportTestsModelsM2ORelated struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *Int      `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsM2ORelated represents base_import.tests.models.m2o.related model.

func (*BaseImportTestsModelsM2ORelated) Many2One

func (btmmr *BaseImportTestsModelsM2ORelated) Many2One() *Many2One

Many2One convert BaseImportTestsModelsM2ORelated to *Many2One.

type BaseImportTestsModelsM2ORelateds

type BaseImportTestsModelsM2ORelateds []BaseImportTestsModelsM2ORelated

BaseImportTestsModelsM2ORelateds represents array of base_import.tests.models.m2o.related model.

type BaseImportTestsModelsM2ORequired

type BaseImportTestsModelsM2ORequired struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *Many2One `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsM2ORequired represents base_import.tests.models.m2o.required model.

func (*BaseImportTestsModelsM2ORequired) Many2One

func (btmmr *BaseImportTestsModelsM2ORequired) Many2One() *Many2One

Many2One convert BaseImportTestsModelsM2ORequired to *Many2One.

type BaseImportTestsModelsM2ORequiredRelated

type BaseImportTestsModelsM2ORequiredRelated struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *Int      `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsM2ORequiredRelated represents base_import.tests.models.m2o.required.related model.

func (*BaseImportTestsModelsM2ORequiredRelated) Many2One

Many2One convert BaseImportTestsModelsM2ORequiredRelated to *Many2One.

type BaseImportTestsModelsM2ORequiredRelateds

type BaseImportTestsModelsM2ORequiredRelateds []BaseImportTestsModelsM2ORequiredRelated

BaseImportTestsModelsM2ORequiredRelateds represents array of base_import.tests.models.m2o.required.related model.

type BaseImportTestsModelsM2ORequireds

type BaseImportTestsModelsM2ORequireds []BaseImportTestsModelsM2ORequired

BaseImportTestsModelsM2ORequireds represents array of base_import.tests.models.m2o.required model.

type BaseImportTestsModelsM2Os

type BaseImportTestsModelsM2Os []BaseImportTestsModelsM2O

BaseImportTestsModelsM2Os represents array of base_import.tests.models.m2o model.

type BaseImportTestsModelsO2M

type BaseImportTestsModelsO2M struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Value       *Relation `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsO2M represents base_import.tests.models.o2m model.

func (*BaseImportTestsModelsO2M) Many2One

func (btmo *BaseImportTestsModelsO2M) Many2One() *Many2One

Many2One convert BaseImportTestsModelsO2M to *Many2One.

type BaseImportTestsModelsO2MChild

type BaseImportTestsModelsO2MChild struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	ParentId    *Many2One `xmlrpc:"parent_id,omptempty"`
	Value       *Int      `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsO2MChild represents base_import.tests.models.o2m.child model.

func (*BaseImportTestsModelsO2MChild) Many2One

func (btmoc *BaseImportTestsModelsO2MChild) Many2One() *Many2One

Many2One convert BaseImportTestsModelsO2MChild to *Many2One.

type BaseImportTestsModelsO2MChilds

type BaseImportTestsModelsO2MChilds []BaseImportTestsModelsO2MChild

BaseImportTestsModelsO2MChilds represents array of base_import.tests.models.o2m.child model.

type BaseImportTestsModelsO2Ms

type BaseImportTestsModelsO2Ms []BaseImportTestsModelsO2M

BaseImportTestsModelsO2Ms represents array of base_import.tests.models.o2m model.

type BaseImportTestsModelsPreview

type BaseImportTestsModelsPreview struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Othervalue  *Int      `xmlrpc:"othervalue,omptempty"`
	Somevalue   *Int      `xmlrpc:"somevalue,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseImportTestsModelsPreview represents base_import.tests.models.preview model.

func (*BaseImportTestsModelsPreview) Many2One

func (btmp *BaseImportTestsModelsPreview) Many2One() *Many2One

Many2One convert BaseImportTestsModelsPreview to *Many2One.

type BaseImportTestsModelsPreviews

type BaseImportTestsModelsPreviews []BaseImportTestsModelsPreview

BaseImportTestsModelsPreviews represents array of base_import.tests.models.preview model.

type BaseLanguageExport

type BaseLanguageExport struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	Data        *String    `xmlrpc:"data,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Format      *Selection `xmlrpc:"format,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Lang        *Selection `xmlrpc:"lang,omptempty"`
	Modules     *Relation  `xmlrpc:"modules,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	State       *Selection `xmlrpc:"state,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

BaseLanguageExport represents base.language.export model.

func (*BaseLanguageExport) Many2One

func (ble *BaseLanguageExport) Many2One() *Many2One

Many2One convert BaseLanguageExport to *Many2One.

type BaseLanguageExports

type BaseLanguageExports []BaseLanguageExport

BaseLanguageExports represents array of base.language.export model.

type BaseLanguageImport

type BaseLanguageImport struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Code        *String   `xmlrpc:"code,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	Data        *String   `xmlrpc:"data,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Filename    *String   `xmlrpc:"filename,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Overwrite   *Bool     `xmlrpc:"overwrite,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseLanguageImport represents base.language.import model.

func (*BaseLanguageImport) Many2One

func (bli *BaseLanguageImport) Many2One() *Many2One

Many2One convert BaseLanguageImport to *Many2One.

type BaseLanguageImports

type BaseLanguageImports []BaseLanguageImport

BaseLanguageImports represents array of base.language.import model.

type BaseLanguageInstall

type BaseLanguageInstall struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Lang        *Selection `xmlrpc:"lang,omptempty"`
	Overwrite   *Bool      `xmlrpc:"overwrite,omptempty"`
	State       *Selection `xmlrpc:"state,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

BaseLanguageInstall represents base.language.install model.

func (*BaseLanguageInstall) Many2One

func (bli *BaseLanguageInstall) Many2One() *Many2One

Many2One convert BaseLanguageInstall to *Many2One.

type BaseLanguageInstalls

type BaseLanguageInstalls []BaseLanguageInstall

BaseLanguageInstalls represents array of base.language.install model.

type BaseModuleUninstall

type BaseModuleUninstall struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	ModelIds    *Relation `xmlrpc:"model_ids,omptempty"`
	ModuleId    *Many2One `xmlrpc:"module_id,omptempty"`
	ModuleIds   *Relation `xmlrpc:"module_ids,omptempty"`
	ShowAll     *Bool     `xmlrpc:"show_all,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseModuleUninstall represents base.module.uninstall model.

func (*BaseModuleUninstall) Many2One

func (bmu *BaseModuleUninstall) Many2One() *Many2One

Many2One convert BaseModuleUninstall to *Many2One.

type BaseModuleUninstalls

type BaseModuleUninstalls []BaseModuleUninstall

BaseModuleUninstalls represents array of base.module.uninstall model.

type BaseModuleUpdate

type BaseModuleUpdate struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	Added       *Int       `xmlrpc:"added,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	State       *Selection `xmlrpc:"state,omptempty"`
	Updated     *Int       `xmlrpc:"updated,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

BaseModuleUpdate represents base.module.update model.

func (*BaseModuleUpdate) Many2One

func (bmu *BaseModuleUpdate) Many2One() *Many2One

Many2One convert BaseModuleUpdate to *Many2One.

type BaseModuleUpdates

type BaseModuleUpdates []BaseModuleUpdate

BaseModuleUpdates represents array of base.module.update model.

type BaseModuleUpgrade

type BaseModuleUpgrade struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	ModuleInfo  *String   `xmlrpc:"module_info,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BaseModuleUpgrade represents base.module.upgrade model.

func (*BaseModuleUpgrade) Many2One

func (bmu *BaseModuleUpgrade) Many2One() *Many2One

Many2One convert BaseModuleUpgrade to *Many2One.

type BaseModuleUpgrades

type BaseModuleUpgrades []BaseModuleUpgrade

BaseModuleUpgrades represents array of base.module.upgrade model.

type BasePartnerMergeAutomaticWizard

type BasePartnerMergeAutomaticWizard struct {
	LastUpdate         *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate         *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid          *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrentLineId      *Many2One  `xmlrpc:"current_line_id,omptempty"`
	DisplayName        *String    `xmlrpc:"display_name,omptempty"`
	DstPartnerId       *Many2One  `xmlrpc:"dst_partner_id,omptempty"`
	ExcludeContact     *Bool      `xmlrpc:"exclude_contact,omptempty"`
	ExcludeJournalItem *Bool      `xmlrpc:"exclude_journal_item,omptempty"`
	GroupByEmail       *Bool      `xmlrpc:"group_by_email,omptempty"`
	GroupByIsCompany   *Bool      `xmlrpc:"group_by_is_company,omptempty"`
	GroupByName        *Bool      `xmlrpc:"group_by_name,omptempty"`
	GroupByParentId    *Bool      `xmlrpc:"group_by_parent_id,omptempty"`
	GroupByVat         *Bool      `xmlrpc:"group_by_vat,omptempty"`
	Id                 *Int       `xmlrpc:"id,omptempty"`
	LineIds            *Relation  `xmlrpc:"line_ids,omptempty"`
	MaximumGroup       *Int       `xmlrpc:"maximum_group,omptempty"`
	NumberGroup        *Int       `xmlrpc:"number_group,omptempty"`
	PartnerIds         *Relation  `xmlrpc:"partner_ids,omptempty"`
	State              *Selection `xmlrpc:"state,omptempty"`
	WriteDate          *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid           *Many2One  `xmlrpc:"write_uid,omptempty"`
}

BasePartnerMergeAutomaticWizard represents base.partner.merge.automatic.wizard model.

func (*BasePartnerMergeAutomaticWizard) Many2One

func (bpmaw *BasePartnerMergeAutomaticWizard) Many2One() *Many2One

Many2One convert BasePartnerMergeAutomaticWizard to *Many2One.

type BasePartnerMergeAutomaticWizards

type BasePartnerMergeAutomaticWizards []BasePartnerMergeAutomaticWizard

BasePartnerMergeAutomaticWizards represents array of base.partner.merge.automatic.wizard model.

type BasePartnerMergeLine

type BasePartnerMergeLine struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	AggrIds     *String   `xmlrpc:"aggr_ids,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	MinId       *Int      `xmlrpc:"min_id,omptempty"`
	WizardId    *Many2One `xmlrpc:"wizard_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BasePartnerMergeLine represents base.partner.merge.line model.

func (*BasePartnerMergeLine) Many2One

func (bpml *BasePartnerMergeLine) Many2One() *Many2One

Many2One convert BasePartnerMergeLine to *Many2One.

type BasePartnerMergeLines

type BasePartnerMergeLines []BasePartnerMergeLine

BasePartnerMergeLines represents array of base.partner.merge.line model.

type BaseUpdateTranslations

type BaseUpdateTranslations struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Lang        *Selection `xmlrpc:"lang,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

BaseUpdateTranslations represents base.update.translations model.

func (*BaseUpdateTranslations) Many2One

func (but *BaseUpdateTranslations) Many2One() *Many2One

Many2One convert BaseUpdateTranslations to *Many2One.

type BaseUpdateTranslationss

type BaseUpdateTranslationss []BaseUpdateTranslations

BaseUpdateTranslationss represents array of base.update.translations model.

type Bases

type Bases []Base

Bases represents array of base model.

type BoardBoard

type BoardBoard struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

BoardBoard represents board.board model.

func (*BoardBoard) Many2One

func (bb *BoardBoard) Many2One() *Many2One

Many2One convert BoardBoard to *Many2One.

type BoardBoards

type BoardBoards []BoardBoard

BoardBoards represents array of board.board model.

type Bool

type Bool struct {
	// contains filtered or unexported fields
}

Bool is a bool wrapper

func NewBool

func NewBool(v bool) *Bool

NewBool creates a new *Bool.

func (*Bool) Get

func (b *Bool) Get() bool

Get *Bool value.

type BusBus

type BusBus struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Channel     *String   `xmlrpc:"channel,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Message     *String   `xmlrpc:"message,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

BusBus represents bus.bus model.

func (*BusBus) Many2One

func (bb *BusBus) Many2One() *Many2One

Many2One convert BusBus to *Many2One.

type BusBuss

type BusBuss []BusBus

BusBuss represents array of bus.bus model.

type BusPresence

type BusPresence struct {
	LastUpdate   *Time      `xmlrpc:"__last_update,omptempty"`
	DisplayName  *String    `xmlrpc:"display_name,omptempty"`
	Id           *Int       `xmlrpc:"id,omptempty"`
	LastPoll     *Time      `xmlrpc:"last_poll,omptempty"`
	LastPresence *Time      `xmlrpc:"last_presence,omptempty"`
	Status       *Selection `xmlrpc:"status,omptempty"`
	UserId       *Many2One  `xmlrpc:"user_id,omptempty"`
}

BusPresence represents bus.presence model.

func (*BusPresence) Many2One

func (bp *BusPresence) Many2One() *Many2One

Many2One convert BusPresence to *Many2One.

type BusPresences

type BusPresences []BusPresence

BusPresences represents array of bus.presence model.

type CalendarAlarm

type CalendarAlarm struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	Duration        *Int       `xmlrpc:"duration,omptempty"`
	DurationMinutes *Int       `xmlrpc:"duration_minutes,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	Interval        *Selection `xmlrpc:"interval,omptempty"`
	Name            *String    `xmlrpc:"name,omptempty"`
	Type            *Selection `xmlrpc:"type,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

CalendarAlarm represents calendar.alarm model.

func (*CalendarAlarm) Many2One

func (ca *CalendarAlarm) Many2One() *Many2One

Many2One convert CalendarAlarm to *Many2One.

type CalendarAlarmManager

type CalendarAlarmManager struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

CalendarAlarmManager represents calendar.alarm_manager model.

func (*CalendarAlarmManager) Many2One

func (ca *CalendarAlarmManager) Many2One() *Many2One

Many2One convert CalendarAlarmManager to *Many2One.

type CalendarAlarmManagers

type CalendarAlarmManagers []CalendarAlarmManager

CalendarAlarmManagers represents array of calendar.alarm_manager model.

type CalendarAlarms

type CalendarAlarms []CalendarAlarm

CalendarAlarms represents array of calendar.alarm model.

type CalendarAttendee

type CalendarAttendee struct {
	LastUpdate   *Time      `xmlrpc:"__last_update,omptempty"`
	AccessToken  *String    `xmlrpc:"access_token,omptempty"`
	Availability *Selection `xmlrpc:"availability,omptempty"`
	CommonName   *String    `xmlrpc:"common_name,omptempty"`
	CreateDate   *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName  *String    `xmlrpc:"display_name,omptempty"`
	Email        *String    `xmlrpc:"email,omptempty"`
	EventId      *Many2One  `xmlrpc:"event_id,omptempty"`
	Id           *Int       `xmlrpc:"id,omptempty"`
	PartnerId    *Many2One  `xmlrpc:"partner_id,omptempty"`
	State        *Selection `xmlrpc:"state,omptempty"`
	WriteDate    *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One  `xmlrpc:"write_uid,omptempty"`
}

CalendarAttendee represents calendar.attendee model.

func (*CalendarAttendee) Many2One

func (ca *CalendarAttendee) Many2One() *Many2One

Many2One convert CalendarAttendee to *Many2One.

type CalendarAttendees

type CalendarAttendees []CalendarAttendee

CalendarAttendees represents array of calendar.attendee model.

type CalendarContacts

type CalendarContacts struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	PartnerId   *Many2One `xmlrpc:"partner_id,omptempty"`
	UserId      *Many2One `xmlrpc:"user_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

CalendarContacts represents calendar.contacts model.

func (*CalendarContacts) Many2One

func (cc *CalendarContacts) Many2One() *Many2One

Many2One convert CalendarContacts to *Many2One.

type CalendarContactss

type CalendarContactss []CalendarContacts

CalendarContactss represents array of calendar.contacts model.

type CalendarEvent

type CalendarEvent struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	Active                   *Bool      `xmlrpc:"active,omptempty"`
	ActivityIds              *Relation  `xmlrpc:"activity_ids,omptempty"`
	AlarmIds                 *Relation  `xmlrpc:"alarm_ids,omptempty"`
	Allday                   *Bool      `xmlrpc:"allday,omptempty"`
	AttendeeIds              *Relation  `xmlrpc:"attendee_ids,omptempty"`
	AttendeeStatus           *Selection `xmlrpc:"attendee_status,omptempty"`
	Byday                    *Selection `xmlrpc:"byday,omptempty"`
	CategIds                 *Relation  `xmlrpc:"categ_ids,omptempty"`
	Count                    *Int       `xmlrpc:"count,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	Day                      *Int       `xmlrpc:"day,omptempty"`
	Description              *String    `xmlrpc:"description,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	DisplayStart             *String    `xmlrpc:"display_start,omptempty"`
	DisplayTime              *String    `xmlrpc:"display_time,omptempty"`
	Duration                 *Float     `xmlrpc:"duration,omptempty"`
	EndType                  *Selection `xmlrpc:"end_type,omptempty"`
	FinalDate                *Time      `xmlrpc:"final_date,omptempty"`
	Fr                       *Bool      `xmlrpc:"fr,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	Interval                 *Int       `xmlrpc:"interval,omptempty"`
	IsAttendee               *Bool      `xmlrpc:"is_attendee,omptempty"`
	IsHighlighted            *Bool      `xmlrpc:"is_highlighted,omptempty"`
	Location                 *String    `xmlrpc:"location,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Mo                       *Bool      `xmlrpc:"mo,omptempty"`
	MonthBy                  *Selection `xmlrpc:"month_by,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	OpportunityId            *Many2One  `xmlrpc:"opportunity_id,omptempty"`
	PartnerId                *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerIds               *Relation  `xmlrpc:"partner_ids,omptempty"`
	Privacy                  *Selection `xmlrpc:"privacy,omptempty"`
	Recurrency               *Bool      `xmlrpc:"recurrency,omptempty"`
	RecurrentId              *Int       `xmlrpc:"recurrent_id,omptempty"`
	RecurrentIdDate          *Time      `xmlrpc:"recurrent_id_date,omptempty"`
	ResId                    *Int       `xmlrpc:"res_id,omptempty"`
	ResModel                 *String    `xmlrpc:"res_model,omptempty"`
	ResModelId               *Many2One  `xmlrpc:"res_model_id,omptempty"`
	Rrule                    *String    `xmlrpc:"rrule,omptempty"`
	RruleType                *Selection `xmlrpc:"rrule_type,omptempty"`
	Sa                       *Bool      `xmlrpc:"sa,omptempty"`
	ShowAs                   *Selection `xmlrpc:"show_as,omptempty"`
	Start                    *Time      `xmlrpc:"start,omptempty"`
	StartDate                *Time      `xmlrpc:"start_date,omptempty"`
	StartDatetime            *Time      `xmlrpc:"start_datetime,omptempty"`
	State                    *Selection `xmlrpc:"state,omptempty"`
	Stop                     *Time      `xmlrpc:"stop,omptempty"`
	StopDate                 *Time      `xmlrpc:"stop_date,omptempty"`
	StopDatetime             *Time      `xmlrpc:"stop_datetime,omptempty"`
	Su                       *Bool      `xmlrpc:"su,omptempty"`
	Th                       *Bool      `xmlrpc:"th,omptempty"`
	Tu                       *Bool      `xmlrpc:"tu,omptempty"`
	UserId                   *Many2One  `xmlrpc:"user_id,omptempty"`
	We                       *Bool      `xmlrpc:"we,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WeekList                 *Selection `xmlrpc:"week_list,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

CalendarEvent represents calendar.event model.

func (*CalendarEvent) Many2One

func (ce *CalendarEvent) Many2One() *Many2One

Many2One convert CalendarEvent to *Many2One.

type CalendarEventType

type CalendarEventType struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

CalendarEventType represents calendar.event.type model.

func (*CalendarEventType) Many2One

func (cet *CalendarEventType) Many2One() *Many2One

Many2One convert CalendarEventType to *Many2One.

type CalendarEventTypes

type CalendarEventTypes []CalendarEventType

CalendarEventTypes represents array of calendar.event.type model.

type CalendarEvents

type CalendarEvents []CalendarEvent

CalendarEvents represents array of calendar.event model.

type CashBoxIn

type CashBoxIn struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Amount      *Float    `xmlrpc:"amount,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Ref         *String   `xmlrpc:"ref,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

CashBoxIn represents cash.box.in model.

func (*CashBoxIn) Many2One

func (cbi *CashBoxIn) Many2One() *Many2One

Many2One convert CashBoxIn to *Many2One.

type CashBoxIns

type CashBoxIns []CashBoxIn

CashBoxIns represents array of cash.box.in model.

type CashBoxOut

type CashBoxOut struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Amount      *Float    `xmlrpc:"amount,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

CashBoxOut represents cash.box.out model.

func (*CashBoxOut) Many2One

func (cbo *CashBoxOut) Many2One() *Many2One

Many2One convert CashBoxOut to *Many2One.

type CashBoxOuts

type CashBoxOuts []CashBoxOut

CashBoxOuts represents array of cash.box.out model.

type ChangePasswordUser

type ChangePasswordUser struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	NewPasswd   *String   `xmlrpc:"new_passwd,omptempty"`
	UserId      *Many2One `xmlrpc:"user_id,omptempty"`
	UserLogin   *String   `xmlrpc:"user_login,omptempty"`
	WizardId    *Many2One `xmlrpc:"wizard_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ChangePasswordUser represents change.password.user model.

func (*ChangePasswordUser) Many2One

func (cpu *ChangePasswordUser) Many2One() *Many2One

Many2One convert ChangePasswordUser to *Many2One.

type ChangePasswordUsers

type ChangePasswordUsers []ChangePasswordUser

ChangePasswordUsers represents array of change.password.user model.

type ChangePasswordWizard

type ChangePasswordWizard struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	UserIds     *Relation `xmlrpc:"user_ids,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ChangePasswordWizard represents change.password.wizard model.

func (*ChangePasswordWizard) Many2One

func (cpw *ChangePasswordWizard) Many2One() *Many2One

Many2One convert ChangePasswordWizard to *Many2One.

type ChangePasswordWizards

type ChangePasswordWizards []ChangePasswordWizard

ChangePasswordWizards represents array of change.password.wizard model.

type Client

type Client struct {
	// contains filtered or unexported fields
}

Client provides high and low level functions to interact with odoo

func NewClient

func NewClient(cfg *ClientConfig) (*Client, error)

NewClient creates a new *Client.

func (*Client) Close

func (c *Client) Close()

Close closes all opened client connections.

func (*Client) Count

func (c *Client) Count(model string, criteria *Criteria, options *Options) (int64, error)

Count model records matching with *Criteria. https://www.odoo.com/documentation/13.0/webservices/odoo.html#count-records

func (*Client) Create

func (c *Client) Create(model string, values []interface{}) ([]int64, error)

Create new model instances. https://www.odoo.com/documentation/13.0/webservices/odoo.html#create-records

func (*Client) CreateAccountAbstractPayment

func (c *Client) CreateAccountAbstractPayment(aap *AccountAbstractPayment) (int64, error)

CreateAccountAbstractPayment creates a new account.abstract.payment model and returns its id.

func (*Client) CreateAccountAbstractPayments

func (c *Client) CreateAccountAbstractPayments(aaps []*AccountAbstractPayment) ([]int64, error)

CreateAccountAbstractPayment creates a new account.abstract.payment model and returns its id.

func (*Client) CreateAccountAccount

func (c *Client) CreateAccountAccount(aa *AccountAccount) (int64, error)

CreateAccountAccount creates a new account.account model and returns its id.

func (*Client) CreateAccountAccountTag

func (c *Client) CreateAccountAccountTag(aat *AccountAccountTag) (int64, error)

CreateAccountAccountTag creates a new account.account.tag model and returns its id.

func (*Client) CreateAccountAccountTags

func (c *Client) CreateAccountAccountTags(aats []*AccountAccountTag) ([]int64, error)

CreateAccountAccountTag creates a new account.account.tag model and returns its id.

func (*Client) CreateAccountAccountTemplate

func (c *Client) CreateAccountAccountTemplate(aat *AccountAccountTemplate) (int64, error)

CreateAccountAccountTemplate creates a new account.account.template model and returns its id.

func (*Client) CreateAccountAccountTemplates

func (c *Client) CreateAccountAccountTemplates(aats []*AccountAccountTemplate) ([]int64, error)

CreateAccountAccountTemplate creates a new account.account.template model and returns its id.

func (*Client) CreateAccountAccountType

func (c *Client) CreateAccountAccountType(aat *AccountAccountType) (int64, error)

CreateAccountAccountType creates a new account.account.type model and returns its id.

func (*Client) CreateAccountAccountTypes

func (c *Client) CreateAccountAccountTypes(aats []*AccountAccountType) ([]int64, error)

CreateAccountAccountType creates a new account.account.type model and returns its id.

func (*Client) CreateAccountAccounts

func (c *Client) CreateAccountAccounts(aas []*AccountAccount) ([]int64, error)

CreateAccountAccount creates a new account.account model and returns its id.

func (*Client) CreateAccountAgedTrialBalance

func (c *Client) CreateAccountAgedTrialBalance(aatb *AccountAgedTrialBalance) (int64, error)

CreateAccountAgedTrialBalance creates a new account.aged.trial.balance model and returns its id.

func (*Client) CreateAccountAgedTrialBalances

func (c *Client) CreateAccountAgedTrialBalances(aatbs []*AccountAgedTrialBalance) ([]int64, error)

CreateAccountAgedTrialBalance creates a new account.aged.trial.balance model and returns its id.

func (*Client) CreateAccountAnalyticAccount

func (c *Client) CreateAccountAnalyticAccount(aaa *AccountAnalyticAccount) (int64, error)

CreateAccountAnalyticAccount creates a new account.analytic.account model and returns its id.

func (*Client) CreateAccountAnalyticAccounts

func (c *Client) CreateAccountAnalyticAccounts(aaas []*AccountAnalyticAccount) ([]int64, error)

CreateAccountAnalyticAccount creates a new account.analytic.account model and returns its id.

func (*Client) CreateAccountAnalyticLine

func (c *Client) CreateAccountAnalyticLine(aal *AccountAnalyticLine) (int64, error)

CreateAccountAnalyticLine creates a new account.analytic.line model and returns its id.

func (*Client) CreateAccountAnalyticLines

func (c *Client) CreateAccountAnalyticLines(aals []*AccountAnalyticLine) ([]int64, error)

CreateAccountAnalyticLine creates a new account.analytic.line model and returns its id.

func (*Client) CreateAccountAnalyticTag

func (c *Client) CreateAccountAnalyticTag(aat *AccountAnalyticTag) (int64, error)

CreateAccountAnalyticTag creates a new account.analytic.tag model and returns its id.

func (*Client) CreateAccountAnalyticTags

func (c *Client) CreateAccountAnalyticTags(aats []*AccountAnalyticTag) ([]int64, error)

CreateAccountAnalyticTag creates a new account.analytic.tag model and returns its id.

func (*Client) CreateAccountBalanceReport

func (c *Client) CreateAccountBalanceReport(abr *AccountBalanceReport) (int64, error)

CreateAccountBalanceReport creates a new account.balance.report model and returns its id.

func (*Client) CreateAccountBalanceReports

func (c *Client) CreateAccountBalanceReports(abrs []*AccountBalanceReport) ([]int64, error)

CreateAccountBalanceReport creates a new account.balance.report model and returns its id.

func (*Client) CreateAccountBankAccountsWizard

func (c *Client) CreateAccountBankAccountsWizard(abaw *AccountBankAccountsWizard) (int64, error)

CreateAccountBankAccountsWizard creates a new account.bank.accounts.wizard model and returns its id.

func (*Client) CreateAccountBankAccountsWizards

func (c *Client) CreateAccountBankAccountsWizards(abaws []*AccountBankAccountsWizard) ([]int64, error)

CreateAccountBankAccountsWizard creates a new account.bank.accounts.wizard model and returns its id.

func (*Client) CreateAccountBankStatement

func (c *Client) CreateAccountBankStatement(abs *AccountBankStatement) (int64, error)

CreateAccountBankStatement creates a new account.bank.statement model and returns its id.

func (*Client) CreateAccountBankStatementCashbox

func (c *Client) CreateAccountBankStatementCashbox(absc *AccountBankStatementCashbox) (int64, error)

CreateAccountBankStatementCashbox creates a new account.bank.statement.cashbox model and returns its id.

func (*Client) CreateAccountBankStatementCashboxs

func (c *Client) CreateAccountBankStatementCashboxs(abscs []*AccountBankStatementCashbox) ([]int64, error)

CreateAccountBankStatementCashbox creates a new account.bank.statement.cashbox model and returns its id.

func (*Client) CreateAccountBankStatementClosebalance

func (c *Client) CreateAccountBankStatementClosebalance(absc *AccountBankStatementClosebalance) (int64, error)

CreateAccountBankStatementClosebalance creates a new account.bank.statement.closebalance model and returns its id.

func (*Client) CreateAccountBankStatementClosebalances

func (c *Client) CreateAccountBankStatementClosebalances(abscs []*AccountBankStatementClosebalance) ([]int64, error)

CreateAccountBankStatementClosebalance creates a new account.bank.statement.closebalance model and returns its id.

func (*Client) CreateAccountBankStatementImport

func (c *Client) CreateAccountBankStatementImport(absi *AccountBankStatementImport) (int64, error)

CreateAccountBankStatementImport creates a new account.bank.statement.import model and returns its id.

func (*Client) CreateAccountBankStatementImportJournalCreation

func (c *Client) CreateAccountBankStatementImportJournalCreation(absijc *AccountBankStatementImportJournalCreation) (int64, error)

CreateAccountBankStatementImportJournalCreation creates a new account.bank.statement.import.journal.creation model and returns its id.

func (*Client) CreateAccountBankStatementImportJournalCreations

func (c *Client) CreateAccountBankStatementImportJournalCreations(absijcs []*AccountBankStatementImportJournalCreation) ([]int64, error)

CreateAccountBankStatementImportJournalCreation creates a new account.bank.statement.import.journal.creation model and returns its id.

func (*Client) CreateAccountBankStatementImports

func (c *Client) CreateAccountBankStatementImports(absis []*AccountBankStatementImport) ([]int64, error)

CreateAccountBankStatementImport creates a new account.bank.statement.import model and returns its id.

func (*Client) CreateAccountBankStatementLine

func (c *Client) CreateAccountBankStatementLine(absl *AccountBankStatementLine) (int64, error)

CreateAccountBankStatementLine creates a new account.bank.statement.line model and returns its id.

func (*Client) CreateAccountBankStatementLines

func (c *Client) CreateAccountBankStatementLines(absls []*AccountBankStatementLine) ([]int64, error)

CreateAccountBankStatementLine creates a new account.bank.statement.line model and returns its id.

func (*Client) CreateAccountBankStatements

func (c *Client) CreateAccountBankStatements(abss []*AccountBankStatement) ([]int64, error)

CreateAccountBankStatement creates a new account.bank.statement model and returns its id.

func (*Client) CreateAccountCashRounding

func (c *Client) CreateAccountCashRounding(acr *AccountCashRounding) (int64, error)

CreateAccountCashRounding creates a new account.cash.rounding model and returns its id.

func (*Client) CreateAccountCashRoundings

func (c *Client) CreateAccountCashRoundings(acrs []*AccountCashRounding) ([]int64, error)

CreateAccountCashRounding creates a new account.cash.rounding model and returns its id.

func (*Client) CreateAccountCashboxLine

func (c *Client) CreateAccountCashboxLine(acl *AccountCashboxLine) (int64, error)

CreateAccountCashboxLine creates a new account.cashbox.line model and returns its id.

func (*Client) CreateAccountCashboxLines

func (c *Client) CreateAccountCashboxLines(acls []*AccountCashboxLine) ([]int64, error)

CreateAccountCashboxLine creates a new account.cashbox.line model and returns its id.

func (*Client) CreateAccountChartTemplate

func (c *Client) CreateAccountChartTemplate(act *AccountChartTemplate) (int64, error)

CreateAccountChartTemplate creates a new account.chart.template model and returns its id.

func (*Client) CreateAccountChartTemplates

func (c *Client) CreateAccountChartTemplates(acts []*AccountChartTemplate) ([]int64, error)

CreateAccountChartTemplate creates a new account.chart.template model and returns its id.

func (*Client) CreateAccountCommonAccountReport

func (c *Client) CreateAccountCommonAccountReport(acar *AccountCommonAccountReport) (int64, error)

CreateAccountCommonAccountReport creates a new account.common.account.report model and returns its id.

func (*Client) CreateAccountCommonAccountReports

func (c *Client) CreateAccountCommonAccountReports(acars []*AccountCommonAccountReport) ([]int64, error)

CreateAccountCommonAccountReport creates a new account.common.account.report model and returns its id.

func (*Client) CreateAccountCommonJournalReport

func (c *Client) CreateAccountCommonJournalReport(acjr *AccountCommonJournalReport) (int64, error)

CreateAccountCommonJournalReport creates a new account.common.journal.report model and returns its id.

func (*Client) CreateAccountCommonJournalReports

func (c *Client) CreateAccountCommonJournalReports(acjrs []*AccountCommonJournalReport) ([]int64, error)

CreateAccountCommonJournalReport creates a new account.common.journal.report model and returns its id.

func (*Client) CreateAccountCommonPartnerReport

func (c *Client) CreateAccountCommonPartnerReport(acpr *AccountCommonPartnerReport) (int64, error)

CreateAccountCommonPartnerReport creates a new account.common.partner.report model and returns its id.

func (*Client) CreateAccountCommonPartnerReports

func (c *Client) CreateAccountCommonPartnerReports(acprs []*AccountCommonPartnerReport) ([]int64, error)

CreateAccountCommonPartnerReport creates a new account.common.partner.report model and returns its id.

func (*Client) CreateAccountCommonReport

func (c *Client) CreateAccountCommonReport(acr *AccountCommonReport) (int64, error)

CreateAccountCommonReport creates a new account.common.report model and returns its id.

func (*Client) CreateAccountCommonReports

func (c *Client) CreateAccountCommonReports(acrs []*AccountCommonReport) ([]int64, error)

CreateAccountCommonReport creates a new account.common.report model and returns its id.

func (*Client) CreateAccountFinancialReport

func (c *Client) CreateAccountFinancialReport(afr *AccountFinancialReport) (int64, error)

CreateAccountFinancialReport creates a new account.financial.report model and returns its id.

func (*Client) CreateAccountFinancialReports

func (c *Client) CreateAccountFinancialReports(afrs []*AccountFinancialReport) ([]int64, error)

CreateAccountFinancialReport creates a new account.financial.report model and returns its id.

func (*Client) CreateAccountFinancialYearOp

func (c *Client) CreateAccountFinancialYearOp(afyo *AccountFinancialYearOp) (int64, error)

CreateAccountFinancialYearOp creates a new account.financial.year.op model and returns its id.

func (*Client) CreateAccountFinancialYearOps

func (c *Client) CreateAccountFinancialYearOps(afyos []*AccountFinancialYearOp) ([]int64, error)

CreateAccountFinancialYearOp creates a new account.financial.year.op model and returns its id.

func (*Client) CreateAccountFiscalPosition

func (c *Client) CreateAccountFiscalPosition(afp *AccountFiscalPosition) (int64, error)

CreateAccountFiscalPosition creates a new account.fiscal.position model and returns its id.

func (*Client) CreateAccountFiscalPositionAccount

func (c *Client) CreateAccountFiscalPositionAccount(afpa *AccountFiscalPositionAccount) (int64, error)

CreateAccountFiscalPositionAccount creates a new account.fiscal.position.account model and returns its id.

func (*Client) CreateAccountFiscalPositionAccountTemplate

func (c *Client) CreateAccountFiscalPositionAccountTemplate(afpat *AccountFiscalPositionAccountTemplate) (int64, error)

CreateAccountFiscalPositionAccountTemplate creates a new account.fiscal.position.account.template model and returns its id.

func (*Client) CreateAccountFiscalPositionAccountTemplates

func (c *Client) CreateAccountFiscalPositionAccountTemplates(afpats []*AccountFiscalPositionAccountTemplate) ([]int64, error)

CreateAccountFiscalPositionAccountTemplate creates a new account.fiscal.position.account.template model and returns its id.

func (*Client) CreateAccountFiscalPositionAccounts

func (c *Client) CreateAccountFiscalPositionAccounts(afpas []*AccountFiscalPositionAccount) ([]int64, error)

CreateAccountFiscalPositionAccount creates a new account.fiscal.position.account model and returns its id.

func (*Client) CreateAccountFiscalPositionTax

func (c *Client) CreateAccountFiscalPositionTax(afpt *AccountFiscalPositionTax) (int64, error)

CreateAccountFiscalPositionTax creates a new account.fiscal.position.tax model and returns its id.

func (*Client) CreateAccountFiscalPositionTaxTemplate

func (c *Client) CreateAccountFiscalPositionTaxTemplate(afptt *AccountFiscalPositionTaxTemplate) (int64, error)

CreateAccountFiscalPositionTaxTemplate creates a new account.fiscal.position.tax.template model and returns its id.

func (*Client) CreateAccountFiscalPositionTaxTemplates

func (c *Client) CreateAccountFiscalPositionTaxTemplates(afptts []*AccountFiscalPositionTaxTemplate) ([]int64, error)

CreateAccountFiscalPositionTaxTemplate creates a new account.fiscal.position.tax.template model and returns its id.

func (*Client) CreateAccountFiscalPositionTaxs

func (c *Client) CreateAccountFiscalPositionTaxs(afpts []*AccountFiscalPositionTax) ([]int64, error)

CreateAccountFiscalPositionTax creates a new account.fiscal.position.tax model and returns its id.

func (*Client) CreateAccountFiscalPositionTemplate

func (c *Client) CreateAccountFiscalPositionTemplate(afpt *AccountFiscalPositionTemplate) (int64, error)

CreateAccountFiscalPositionTemplate creates a new account.fiscal.position.template model and returns its id.

func (*Client) CreateAccountFiscalPositionTemplates

func (c *Client) CreateAccountFiscalPositionTemplates(afpts []*AccountFiscalPositionTemplate) ([]int64, error)

CreateAccountFiscalPositionTemplate creates a new account.fiscal.position.template model and returns its id.

func (*Client) CreateAccountFiscalPositions

func (c *Client) CreateAccountFiscalPositions(afps []*AccountFiscalPosition) ([]int64, error)

CreateAccountFiscalPosition creates a new account.fiscal.position model and returns its id.

func (*Client) CreateAccountFrFec

func (c *Client) CreateAccountFrFec(aff *AccountFrFec) (int64, error)

CreateAccountFrFec creates a new account.fr.fec model and returns its id.

func (*Client) CreateAccountFrFecs

func (c *Client) CreateAccountFrFecs(affs []*AccountFrFec) ([]int64, error)

CreateAccountFrFec creates a new account.fr.fec model and returns its id.

func (*Client) CreateAccountFullReconcile

func (c *Client) CreateAccountFullReconcile(afr *AccountFullReconcile) (int64, error)

CreateAccountFullReconcile creates a new account.full.reconcile model and returns its id.

func (*Client) CreateAccountFullReconciles

func (c *Client) CreateAccountFullReconciles(afrs []*AccountFullReconcile) ([]int64, error)

CreateAccountFullReconcile creates a new account.full.reconcile model and returns its id.

func (*Client) CreateAccountGroup

func (c *Client) CreateAccountGroup(ag *AccountGroup) (int64, error)

CreateAccountGroup creates a new account.group model and returns its id.

func (*Client) CreateAccountGroups

func (c *Client) CreateAccountGroups(ags []*AccountGroup) ([]int64, error)

CreateAccountGroup creates a new account.group model and returns its id.

func (*Client) CreateAccountInvoice

func (c *Client) CreateAccountInvoice(ai *AccountInvoice) (int64, error)

CreateAccountInvoice creates a new account.invoice model and returns its id.

func (*Client) CreateAccountInvoiceConfirm

func (c *Client) CreateAccountInvoiceConfirm(aic *AccountInvoiceConfirm) (int64, error)

CreateAccountInvoiceConfirm creates a new account.invoice.confirm model and returns its id.

func (*Client) CreateAccountInvoiceConfirms

func (c *Client) CreateAccountInvoiceConfirms(aics []*AccountInvoiceConfirm) ([]int64, error)

CreateAccountInvoiceConfirm creates a new account.invoice.confirm model and returns its id.

func (*Client) CreateAccountInvoiceLine

func (c *Client) CreateAccountInvoiceLine(ail *AccountInvoiceLine) (int64, error)

CreateAccountInvoiceLine creates a new account.invoice.line model and returns its id.

func (*Client) CreateAccountInvoiceLines

func (c *Client) CreateAccountInvoiceLines(ails []*AccountInvoiceLine) ([]int64, error)

CreateAccountInvoiceLine creates a new account.invoice.line model and returns its id.

func (*Client) CreateAccountInvoiceRefund

func (c *Client) CreateAccountInvoiceRefund(air *AccountInvoiceRefund) (int64, error)

CreateAccountInvoiceRefund creates a new account.invoice.refund model and returns its id.

func (*Client) CreateAccountInvoiceRefunds

func (c *Client) CreateAccountInvoiceRefunds(airs []*AccountInvoiceRefund) ([]int64, error)

CreateAccountInvoiceRefund creates a new account.invoice.refund model and returns its id.

func (*Client) CreateAccountInvoiceReport

func (c *Client) CreateAccountInvoiceReport(air *AccountInvoiceReport) (int64, error)

CreateAccountInvoiceReport creates a new account.invoice.report model and returns its id.

func (*Client) CreateAccountInvoiceReports

func (c *Client) CreateAccountInvoiceReports(airs []*AccountInvoiceReport) ([]int64, error)

CreateAccountInvoiceReport creates a new account.invoice.report model and returns its id.

func (*Client) CreateAccountInvoiceTax

func (c *Client) CreateAccountInvoiceTax(ait *AccountInvoiceTax) (int64, error)

CreateAccountInvoiceTax creates a new account.invoice.tax model and returns its id.

func (*Client) CreateAccountInvoiceTaxs

func (c *Client) CreateAccountInvoiceTaxs(aits []*AccountInvoiceTax) ([]int64, error)

CreateAccountInvoiceTax creates a new account.invoice.tax model and returns its id.

func (*Client) CreateAccountInvoices

func (c *Client) CreateAccountInvoices(ais []*AccountInvoice) ([]int64, error)

CreateAccountInvoice creates a new account.invoice model and returns its id.

func (*Client) CreateAccountJournal

func (c *Client) CreateAccountJournal(aj *AccountJournal) (int64, error)

CreateAccountJournal creates a new account.journal model and returns its id.

func (*Client) CreateAccountJournals

func (c *Client) CreateAccountJournals(ajs []*AccountJournal) ([]int64, error)

CreateAccountJournal creates a new account.journal model and returns its id.

func (*Client) CreateAccountMove

func (c *Client) CreateAccountMove(am *AccountMove) (int64, error)

CreateAccountMove creates a new account.move model and returns its id.

func (*Client) CreateAccountMoveLine

func (c *Client) CreateAccountMoveLine(aml *AccountMoveLine) (int64, error)

CreateAccountMoveLine creates a new account.move.line model and returns its id.

func (*Client) CreateAccountMoveLineReconcile

func (c *Client) CreateAccountMoveLineReconcile(amlr *AccountMoveLineReconcile) (int64, error)

CreateAccountMoveLineReconcile creates a new account.move.line.reconcile model and returns its id.

func (*Client) CreateAccountMoveLineReconcileWriteoff

func (c *Client) CreateAccountMoveLineReconcileWriteoff(amlrw *AccountMoveLineReconcileWriteoff) (int64, error)

CreateAccountMoveLineReconcileWriteoff creates a new account.move.line.reconcile.writeoff model and returns its id.

func (*Client) CreateAccountMoveLineReconcileWriteoffs

func (c *Client) CreateAccountMoveLineReconcileWriteoffs(amlrws []*AccountMoveLineReconcileWriteoff) ([]int64, error)

CreateAccountMoveLineReconcileWriteoff creates a new account.move.line.reconcile.writeoff model and returns its id.

func (*Client) CreateAccountMoveLineReconciles

func (c *Client) CreateAccountMoveLineReconciles(amlrs []*AccountMoveLineReconcile) ([]int64, error)

CreateAccountMoveLineReconcile creates a new account.move.line.reconcile model and returns its id.

func (*Client) CreateAccountMoveLines

func (c *Client) CreateAccountMoveLines(amls []*AccountMoveLine) ([]int64, error)

CreateAccountMoveLine creates a new account.move.line model and returns its id.

func (*Client) CreateAccountMoveReversal

func (c *Client) CreateAccountMoveReversal(amr *AccountMoveReversal) (int64, error)

CreateAccountMoveReversal creates a new account.move.reversal model and returns its id.

func (*Client) CreateAccountMoveReversals

func (c *Client) CreateAccountMoveReversals(amrs []*AccountMoveReversal) ([]int64, error)

CreateAccountMoveReversal creates a new account.move.reversal model and returns its id.

func (*Client) CreateAccountMoves

func (c *Client) CreateAccountMoves(ams []*AccountMove) ([]int64, error)

CreateAccountMove creates a new account.move model and returns its id.

func (*Client) CreateAccountOpening

func (c *Client) CreateAccountOpening(ao *AccountOpening) (int64, error)

CreateAccountOpening creates a new account.opening model and returns its id.

func (*Client) CreateAccountOpenings

func (c *Client) CreateAccountOpenings(aos []*AccountOpening) ([]int64, error)

CreateAccountOpening creates a new account.opening model and returns its id.

func (*Client) CreateAccountPartialReconcile

func (c *Client) CreateAccountPartialReconcile(apr *AccountPartialReconcile) (int64, error)

CreateAccountPartialReconcile creates a new account.partial.reconcile model and returns its id.

func (*Client) CreateAccountPartialReconciles

func (c *Client) CreateAccountPartialReconciles(aprs []*AccountPartialReconcile) ([]int64, error)

CreateAccountPartialReconcile creates a new account.partial.reconcile model and returns its id.

func (*Client) CreateAccountPayment

func (c *Client) CreateAccountPayment(ap *AccountPayment) (int64, error)

CreateAccountPayment creates a new account.payment model and returns its id.

func (*Client) CreateAccountPaymentMethod

func (c *Client) CreateAccountPaymentMethod(apm *AccountPaymentMethod) (int64, error)

CreateAccountPaymentMethod creates a new account.payment.method model and returns its id.

func (*Client) CreateAccountPaymentMethods

func (c *Client) CreateAccountPaymentMethods(apms []*AccountPaymentMethod) ([]int64, error)

CreateAccountPaymentMethod creates a new account.payment.method model and returns its id.

func (*Client) CreateAccountPaymentTerm

func (c *Client) CreateAccountPaymentTerm(apt *AccountPaymentTerm) (int64, error)

CreateAccountPaymentTerm creates a new account.payment.term model and returns its id.

func (*Client) CreateAccountPaymentTermLine

func (c *Client) CreateAccountPaymentTermLine(aptl *AccountPaymentTermLine) (int64, error)

CreateAccountPaymentTermLine creates a new account.payment.term.line model and returns its id.

func (*Client) CreateAccountPaymentTermLines

func (c *Client) CreateAccountPaymentTermLines(aptls []*AccountPaymentTermLine) ([]int64, error)

CreateAccountPaymentTermLine creates a new account.payment.term.line model and returns its id.

func (*Client) CreateAccountPaymentTerms

func (c *Client) CreateAccountPaymentTerms(apts []*AccountPaymentTerm) ([]int64, error)

CreateAccountPaymentTerm creates a new account.payment.term model and returns its id.

func (*Client) CreateAccountPayments

func (c *Client) CreateAccountPayments(aps []*AccountPayment) ([]int64, error)

CreateAccountPayment creates a new account.payment model and returns its id.

func (*Client) CreateAccountPrintJournal

func (c *Client) CreateAccountPrintJournal(apj *AccountPrintJournal) (int64, error)

CreateAccountPrintJournal creates a new account.print.journal model and returns its id.

func (*Client) CreateAccountPrintJournals

func (c *Client) CreateAccountPrintJournals(apjs []*AccountPrintJournal) ([]int64, error)

CreateAccountPrintJournal creates a new account.print.journal model and returns its id.

func (*Client) CreateAccountReconcileModel

func (c *Client) CreateAccountReconcileModel(arm *AccountReconcileModel) (int64, error)

CreateAccountReconcileModel creates a new account.reconcile.model model and returns its id.

func (*Client) CreateAccountReconcileModelTemplate

func (c *Client) CreateAccountReconcileModelTemplate(armt *AccountReconcileModelTemplate) (int64, error)

CreateAccountReconcileModelTemplate creates a new account.reconcile.model.template model and returns its id.

func (*Client) CreateAccountReconcileModelTemplates

func (c *Client) CreateAccountReconcileModelTemplates(armts []*AccountReconcileModelTemplate) ([]int64, error)

CreateAccountReconcileModelTemplate creates a new account.reconcile.model.template model and returns its id.

func (*Client) CreateAccountReconcileModels

func (c *Client) CreateAccountReconcileModels(arms []*AccountReconcileModel) ([]int64, error)

CreateAccountReconcileModel creates a new account.reconcile.model model and returns its id.

func (*Client) CreateAccountRegisterPayments

func (c *Client) CreateAccountRegisterPayments(arp *AccountRegisterPayments) (int64, error)

CreateAccountRegisterPayments creates a new account.register.payments model and returns its id.

func (*Client) CreateAccountRegisterPaymentss

func (c *Client) CreateAccountRegisterPaymentss(arps []*AccountRegisterPayments) ([]int64, error)

CreateAccountRegisterPayments creates a new account.register.payments model and returns its id.

func (*Client) CreateAccountReportGeneralLedger

func (c *Client) CreateAccountReportGeneralLedger(argl *AccountReportGeneralLedger) (int64, error)

CreateAccountReportGeneralLedger creates a new account.report.general.ledger model and returns its id.

func (*Client) CreateAccountReportGeneralLedgers

func (c *Client) CreateAccountReportGeneralLedgers(argls []*AccountReportGeneralLedger) ([]int64, error)

CreateAccountReportGeneralLedger creates a new account.report.general.ledger model and returns its id.

func (*Client) CreateAccountReportPartnerLedger

func (c *Client) CreateAccountReportPartnerLedger(arpl *AccountReportPartnerLedger) (int64, error)

CreateAccountReportPartnerLedger creates a new account.report.partner.ledger model and returns its id.

func (*Client) CreateAccountReportPartnerLedgers

func (c *Client) CreateAccountReportPartnerLedgers(arpls []*AccountReportPartnerLedger) ([]int64, error)

CreateAccountReportPartnerLedger creates a new account.report.partner.ledger model and returns its id.

func (*Client) CreateAccountTax

func (c *Client) CreateAccountTax(at *AccountTax) (int64, error)

CreateAccountTax creates a new account.tax model and returns its id.

func (*Client) CreateAccountTaxGroup

func (c *Client) CreateAccountTaxGroup(atg *AccountTaxGroup) (int64, error)

CreateAccountTaxGroup creates a new account.tax.group model and returns its id.

func (*Client) CreateAccountTaxGroups

func (c *Client) CreateAccountTaxGroups(atgs []*AccountTaxGroup) ([]int64, error)

CreateAccountTaxGroup creates a new account.tax.group model and returns its id.

func (*Client) CreateAccountTaxReport

func (c *Client) CreateAccountTaxReport(atr *AccountTaxReport) (int64, error)

CreateAccountTaxReport creates a new account.tax.report model and returns its id.

func (*Client) CreateAccountTaxReports

func (c *Client) CreateAccountTaxReports(atrs []*AccountTaxReport) ([]int64, error)

CreateAccountTaxReport creates a new account.tax.report model and returns its id.

func (*Client) CreateAccountTaxTemplate

func (c *Client) CreateAccountTaxTemplate(att *AccountTaxTemplate) (int64, error)

CreateAccountTaxTemplate creates a new account.tax.template model and returns its id.

func (*Client) CreateAccountTaxTemplates

func (c *Client) CreateAccountTaxTemplates(atts []*AccountTaxTemplate) ([]int64, error)

CreateAccountTaxTemplate creates a new account.tax.template model and returns its id.

func (*Client) CreateAccountTaxs

func (c *Client) CreateAccountTaxs(ats []*AccountTax) ([]int64, error)

CreateAccountTax creates a new account.tax model and returns its id.

func (*Client) CreateAccountUnreconcile

func (c *Client) CreateAccountUnreconcile(au *AccountUnreconcile) (int64, error)

CreateAccountUnreconcile creates a new account.unreconcile model and returns its id.

func (*Client) CreateAccountUnreconciles

func (c *Client) CreateAccountUnreconciles(aus []*AccountUnreconcile) ([]int64, error)

CreateAccountUnreconcile creates a new account.unreconcile model and returns its id.

func (*Client) CreateAccountingReport

func (c *Client) CreateAccountingReport(ar *AccountingReport) (int64, error)

CreateAccountingReport creates a new accounting.report model and returns its id.

func (*Client) CreateAccountingReports

func (c *Client) CreateAccountingReports(ars []*AccountingReport) ([]int64, error)

CreateAccountingReport creates a new accounting.report model and returns its id.

func (*Client) CreateAutosalesConfig

func (c *Client) CreateAutosalesConfig(ac *AutosalesConfig) (int64, error)

CreateAutosalesConfig creates a new autosales.config model and returns its id.

func (*Client) CreateAutosalesConfigLine

func (c *Client) CreateAutosalesConfigLine(acl *AutosalesConfigLine) (int64, error)

CreateAutosalesConfigLine creates a new autosales.config.line model and returns its id.

func (*Client) CreateAutosalesConfigLines

func (c *Client) CreateAutosalesConfigLines(acls []*AutosalesConfigLine) ([]int64, error)

CreateAutosalesConfigLine creates a new autosales.config.line model and returns its id.

func (*Client) CreateAutosalesConfigs

func (c *Client) CreateAutosalesConfigs(acs []*AutosalesConfig) ([]int64, error)

CreateAutosalesConfig creates a new autosales.config model and returns its id.

func (*Client) CreateBarcodeNomenclature

func (c *Client) CreateBarcodeNomenclature(bn *BarcodeNomenclature) (int64, error)

CreateBarcodeNomenclature creates a new barcode.nomenclature model and returns its id.

func (*Client) CreateBarcodeNomenclatures

func (c *Client) CreateBarcodeNomenclatures(bns []*BarcodeNomenclature) ([]int64, error)

CreateBarcodeNomenclature creates a new barcode.nomenclature model and returns its id.

func (*Client) CreateBarcodeRule

func (c *Client) CreateBarcodeRule(br *BarcodeRule) (int64, error)

CreateBarcodeRule creates a new barcode.rule model and returns its id.

func (*Client) CreateBarcodeRules

func (c *Client) CreateBarcodeRules(brs []*BarcodeRule) ([]int64, error)

CreateBarcodeRule creates a new barcode.rule model and returns its id.

func (*Client) CreateBarcodesBarcodeEventsMixin

func (c *Client) CreateBarcodesBarcodeEventsMixin(bb *BarcodesBarcodeEventsMixin) (int64, error)

CreateBarcodesBarcodeEventsMixin creates a new barcodes.barcode_events_mixin model and returns its id.

func (*Client) CreateBarcodesBarcodeEventsMixins

func (c *Client) CreateBarcodesBarcodeEventsMixins(bbs []*BarcodesBarcodeEventsMixin) ([]int64, error)

CreateBarcodesBarcodeEventsMixin creates a new barcodes.barcode_events_mixin model and returns its id.

func (*Client) CreateBase

func (c *Client) CreateBase(b *Base) (int64, error)

CreateBase creates a new base model and returns its id.

func (*Client) CreateBaseImportImport

func (c *Client) CreateBaseImportImport(bi *BaseImportImport) (int64, error)

CreateBaseImportImport creates a new base_import.import model and returns its id.

func (*Client) CreateBaseImportImports

func (c *Client) CreateBaseImportImports(bis []*BaseImportImport) ([]int64, error)

CreateBaseImportImport creates a new base_import.import model and returns its id.

func (*Client) CreateBaseImportTestsModelsChar

func (c *Client) CreateBaseImportTestsModelsChar(btmc *BaseImportTestsModelsChar) (int64, error)

CreateBaseImportTestsModelsChar creates a new base_import.tests.models.char model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharNoreadonly

func (c *Client) CreateBaseImportTestsModelsCharNoreadonly(btmcn *BaseImportTestsModelsCharNoreadonly) (int64, error)

CreateBaseImportTestsModelsCharNoreadonly creates a new base_import.tests.models.char.noreadonly model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharNoreadonlys

func (c *Client) CreateBaseImportTestsModelsCharNoreadonlys(btmcns []*BaseImportTestsModelsCharNoreadonly) ([]int64, error)

CreateBaseImportTestsModelsCharNoreadonly creates a new base_import.tests.models.char.noreadonly model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharReadonly

func (c *Client) CreateBaseImportTestsModelsCharReadonly(btmcr *BaseImportTestsModelsCharReadonly) (int64, error)

CreateBaseImportTestsModelsCharReadonly creates a new base_import.tests.models.char.readonly model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharReadonlys

func (c *Client) CreateBaseImportTestsModelsCharReadonlys(btmcrs []*BaseImportTestsModelsCharReadonly) ([]int64, error)

CreateBaseImportTestsModelsCharReadonly creates a new base_import.tests.models.char.readonly model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharRequired

func (c *Client) CreateBaseImportTestsModelsCharRequired(btmcr *BaseImportTestsModelsCharRequired) (int64, error)

CreateBaseImportTestsModelsCharRequired creates a new base_import.tests.models.char.required model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharRequireds

func (c *Client) CreateBaseImportTestsModelsCharRequireds(btmcrs []*BaseImportTestsModelsCharRequired) ([]int64, error)

CreateBaseImportTestsModelsCharRequired creates a new base_import.tests.models.char.required model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharStates

func (c *Client) CreateBaseImportTestsModelsCharStates(btmcs *BaseImportTestsModelsCharStates) (int64, error)

CreateBaseImportTestsModelsCharStates creates a new base_import.tests.models.char.states model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharStatess

func (c *Client) CreateBaseImportTestsModelsCharStatess(btmcss []*BaseImportTestsModelsCharStates) ([]int64, error)

CreateBaseImportTestsModelsCharStates creates a new base_import.tests.models.char.states model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharStillreadonly

func (c *Client) CreateBaseImportTestsModelsCharStillreadonly(btmcs *BaseImportTestsModelsCharStillreadonly) (int64, error)

CreateBaseImportTestsModelsCharStillreadonly creates a new base_import.tests.models.char.stillreadonly model and returns its id.

func (*Client) CreateBaseImportTestsModelsCharStillreadonlys

func (c *Client) CreateBaseImportTestsModelsCharStillreadonlys(btmcss []*BaseImportTestsModelsCharStillreadonly) ([]int64, error)

CreateBaseImportTestsModelsCharStillreadonly creates a new base_import.tests.models.char.stillreadonly model and returns its id.

func (*Client) CreateBaseImportTestsModelsChars

func (c *Client) CreateBaseImportTestsModelsChars(btmcs []*BaseImportTestsModelsChar) ([]int64, error)

CreateBaseImportTestsModelsChar creates a new base_import.tests.models.char model and returns its id.

func (*Client) CreateBaseImportTestsModelsM2O

func (c *Client) CreateBaseImportTestsModelsM2O(btmm *BaseImportTestsModelsM2O) (int64, error)

CreateBaseImportTestsModelsM2O creates a new base_import.tests.models.m2o model and returns its id.

func (*Client) CreateBaseImportTestsModelsM2ORelated

func (c *Client) CreateBaseImportTestsModelsM2ORelated(btmmr *BaseImportTestsModelsM2ORelated) (int64, error)

CreateBaseImportTestsModelsM2ORelated creates a new base_import.tests.models.m2o.related model and returns its id.

func (*Client) CreateBaseImportTestsModelsM2ORelateds

func (c *Client) CreateBaseImportTestsModelsM2ORelateds(btmmrs []*BaseImportTestsModelsM2ORelated) ([]int64, error)

CreateBaseImportTestsModelsM2ORelated creates a new base_import.tests.models.m2o.related model and returns its id.

func (*Client) CreateBaseImportTestsModelsM2ORequired

func (c *Client) CreateBaseImportTestsModelsM2ORequired(btmmr *BaseImportTestsModelsM2ORequired) (int64, error)

CreateBaseImportTestsModelsM2ORequired creates a new base_import.tests.models.m2o.required model and returns its id.

func (*Client) CreateBaseImportTestsModelsM2ORequiredRelated

func (c *Client) CreateBaseImportTestsModelsM2ORequiredRelated(btmmrr *BaseImportTestsModelsM2ORequiredRelated) (int64, error)

CreateBaseImportTestsModelsM2ORequiredRelated creates a new base_import.tests.models.m2o.required.related model and returns its id.

func (*Client) CreateBaseImportTestsModelsM2ORequiredRelateds

func (c *Client) CreateBaseImportTestsModelsM2ORequiredRelateds(btmmrrs []*BaseImportTestsModelsM2ORequiredRelated) ([]int64, error)

CreateBaseImportTestsModelsM2ORequiredRelated creates a new base_import.tests.models.m2o.required.related model and returns its id.

func (*Client) CreateBaseImportTestsModelsM2ORequireds

func (c *Client) CreateBaseImportTestsModelsM2ORequireds(btmmrs []*BaseImportTestsModelsM2ORequired) ([]int64, error)

CreateBaseImportTestsModelsM2ORequired creates a new base_import.tests.models.m2o.required model and returns its id.

func (*Client) CreateBaseImportTestsModelsM2Os

func (c *Client) CreateBaseImportTestsModelsM2Os(btmms []*BaseImportTestsModelsM2O) ([]int64, error)

CreateBaseImportTestsModelsM2O creates a new base_import.tests.models.m2o model and returns its id.

func (*Client) CreateBaseImportTestsModelsO2M

func (c *Client) CreateBaseImportTestsModelsO2M(btmo *BaseImportTestsModelsO2M) (int64, error)

CreateBaseImportTestsModelsO2M creates a new base_import.tests.models.o2m model and returns its id.

func (*Client) CreateBaseImportTestsModelsO2MChild

func (c *Client) CreateBaseImportTestsModelsO2MChild(btmoc *BaseImportTestsModelsO2MChild) (int64, error)

CreateBaseImportTestsModelsO2MChild creates a new base_import.tests.models.o2m.child model and returns its id.

func (*Client) CreateBaseImportTestsModelsO2MChilds

func (c *Client) CreateBaseImportTestsModelsO2MChilds(btmocs []*BaseImportTestsModelsO2MChild) ([]int64, error)

CreateBaseImportTestsModelsO2MChild creates a new base_import.tests.models.o2m.child model and returns its id.

func (*Client) CreateBaseImportTestsModelsO2Ms

func (c *Client) CreateBaseImportTestsModelsO2Ms(btmos []*BaseImportTestsModelsO2M) ([]int64, error)

CreateBaseImportTestsModelsO2M creates a new base_import.tests.models.o2m model and returns its id.

func (*Client) CreateBaseImportTestsModelsPreview

func (c *Client) CreateBaseImportTestsModelsPreview(btmp *BaseImportTestsModelsPreview) (int64, error)

CreateBaseImportTestsModelsPreview creates a new base_import.tests.models.preview model and returns its id.

func (*Client) CreateBaseImportTestsModelsPreviews

func (c *Client) CreateBaseImportTestsModelsPreviews(btmps []*BaseImportTestsModelsPreview) ([]int64, error)

CreateBaseImportTestsModelsPreview creates a new base_import.tests.models.preview model and returns its id.

func (*Client) CreateBaseLanguageExport

func (c *Client) CreateBaseLanguageExport(ble *BaseLanguageExport) (int64, error)

CreateBaseLanguageExport creates a new base.language.export model and returns its id.

func (*Client) CreateBaseLanguageExports

func (c *Client) CreateBaseLanguageExports(bles []*BaseLanguageExport) ([]int64, error)

CreateBaseLanguageExport creates a new base.language.export model and returns its id.

func (*Client) CreateBaseLanguageImport

func (c *Client) CreateBaseLanguageImport(bli *BaseLanguageImport) (int64, error)

CreateBaseLanguageImport creates a new base.language.import model and returns its id.

func (*Client) CreateBaseLanguageImports

func (c *Client) CreateBaseLanguageImports(blis []*BaseLanguageImport) ([]int64, error)

CreateBaseLanguageImport creates a new base.language.import model and returns its id.

func (*Client) CreateBaseLanguageInstall

func (c *Client) CreateBaseLanguageInstall(bli *BaseLanguageInstall) (int64, error)

CreateBaseLanguageInstall creates a new base.language.install model and returns its id.

func (*Client) CreateBaseLanguageInstalls

func (c *Client) CreateBaseLanguageInstalls(blis []*BaseLanguageInstall) ([]int64, error)

CreateBaseLanguageInstall creates a new base.language.install model and returns its id.

func (*Client) CreateBaseModuleUninstall

func (c *Client) CreateBaseModuleUninstall(bmu *BaseModuleUninstall) (int64, error)

CreateBaseModuleUninstall creates a new base.module.uninstall model and returns its id.

func (*Client) CreateBaseModuleUninstalls

func (c *Client) CreateBaseModuleUninstalls(bmus []*BaseModuleUninstall) ([]int64, error)

CreateBaseModuleUninstall creates a new base.module.uninstall model and returns its id.

func (*Client) CreateBaseModuleUpdate

func (c *Client) CreateBaseModuleUpdate(bmu *BaseModuleUpdate) (int64, error)

CreateBaseModuleUpdate creates a new base.module.update model and returns its id.

func (*Client) CreateBaseModuleUpdates

func (c *Client) CreateBaseModuleUpdates(bmus []*BaseModuleUpdate) ([]int64, error)

CreateBaseModuleUpdate creates a new base.module.update model and returns its id.

func (*Client) CreateBaseModuleUpgrade

func (c *Client) CreateBaseModuleUpgrade(bmu *BaseModuleUpgrade) (int64, error)

CreateBaseModuleUpgrade creates a new base.module.upgrade model and returns its id.

func (*Client) CreateBaseModuleUpgrades

func (c *Client) CreateBaseModuleUpgrades(bmus []*BaseModuleUpgrade) ([]int64, error)

CreateBaseModuleUpgrade creates a new base.module.upgrade model and returns its id.

func (*Client) CreateBasePartnerMergeAutomaticWizard

func (c *Client) CreateBasePartnerMergeAutomaticWizard(bpmaw *BasePartnerMergeAutomaticWizard) (int64, error)

CreateBasePartnerMergeAutomaticWizard creates a new base.partner.merge.automatic.wizard model and returns its id.

func (*Client) CreateBasePartnerMergeAutomaticWizards

func (c *Client) CreateBasePartnerMergeAutomaticWizards(bpmaws []*BasePartnerMergeAutomaticWizard) ([]int64, error)

CreateBasePartnerMergeAutomaticWizard creates a new base.partner.merge.automatic.wizard model and returns its id.

func (*Client) CreateBasePartnerMergeLine

func (c *Client) CreateBasePartnerMergeLine(bpml *BasePartnerMergeLine) (int64, error)

CreateBasePartnerMergeLine creates a new base.partner.merge.line model and returns its id.

func (*Client) CreateBasePartnerMergeLines

func (c *Client) CreateBasePartnerMergeLines(bpmls []*BasePartnerMergeLine) ([]int64, error)

CreateBasePartnerMergeLine creates a new base.partner.merge.line model and returns its id.

func (*Client) CreateBaseUpdateTranslations

func (c *Client) CreateBaseUpdateTranslations(but *BaseUpdateTranslations) (int64, error)

CreateBaseUpdateTranslations creates a new base.update.translations model and returns its id.

func (*Client) CreateBaseUpdateTranslationss

func (c *Client) CreateBaseUpdateTranslationss(buts []*BaseUpdateTranslations) ([]int64, error)

CreateBaseUpdateTranslations creates a new base.update.translations model and returns its id.

func (*Client) CreateBases

func (c *Client) CreateBases(bs []*Base) ([]int64, error)

CreateBase creates a new base model and returns its id.

func (*Client) CreateBoardBoard

func (c *Client) CreateBoardBoard(bb *BoardBoard) (int64, error)

CreateBoardBoard creates a new board.board model and returns its id.

func (*Client) CreateBoardBoards

func (c *Client) CreateBoardBoards(bbs []*BoardBoard) ([]int64, error)

CreateBoardBoard creates a new board.board model and returns its id.

func (*Client) CreateBusBus

func (c *Client) CreateBusBus(bb *BusBus) (int64, error)

CreateBusBus creates a new bus.bus model and returns its id.

func (*Client) CreateBusBuss

func (c *Client) CreateBusBuss(bbs []*BusBus) ([]int64, error)

CreateBusBus creates a new bus.bus model and returns its id.

func (*Client) CreateBusPresence

func (c *Client) CreateBusPresence(bp *BusPresence) (int64, error)

CreateBusPresence creates a new bus.presence model and returns its id.

func (*Client) CreateBusPresences

func (c *Client) CreateBusPresences(bps []*BusPresence) ([]int64, error)

CreateBusPresence creates a new bus.presence model and returns its id.

func (*Client) CreateCalendarAlarm

func (c *Client) CreateCalendarAlarm(ca *CalendarAlarm) (int64, error)

CreateCalendarAlarm creates a new calendar.alarm model and returns its id.

func (*Client) CreateCalendarAlarmManager

func (c *Client) CreateCalendarAlarmManager(ca *CalendarAlarmManager) (int64, error)

CreateCalendarAlarmManager creates a new calendar.alarm_manager model and returns its id.

func (*Client) CreateCalendarAlarmManagers

func (c *Client) CreateCalendarAlarmManagers(cas []*CalendarAlarmManager) ([]int64, error)

CreateCalendarAlarmManager creates a new calendar.alarm_manager model and returns its id.

func (*Client) CreateCalendarAlarms

func (c *Client) CreateCalendarAlarms(cas []*CalendarAlarm) ([]int64, error)

CreateCalendarAlarm creates a new calendar.alarm model and returns its id.

func (*Client) CreateCalendarAttendee

func (c *Client) CreateCalendarAttendee(ca *CalendarAttendee) (int64, error)

CreateCalendarAttendee creates a new calendar.attendee model and returns its id.

func (*Client) CreateCalendarAttendees

func (c *Client) CreateCalendarAttendees(cas []*CalendarAttendee) ([]int64, error)

CreateCalendarAttendee creates a new calendar.attendee model and returns its id.

func (*Client) CreateCalendarContacts

func (c *Client) CreateCalendarContacts(cc *CalendarContacts) (int64, error)

CreateCalendarContacts creates a new calendar.contacts model and returns its id.

func (*Client) CreateCalendarContactss

func (c *Client) CreateCalendarContactss(ccs []*CalendarContacts) ([]int64, error)

CreateCalendarContacts creates a new calendar.contacts model and returns its id.

func (*Client) CreateCalendarEvent

func (c *Client) CreateCalendarEvent(ce *CalendarEvent) (int64, error)

CreateCalendarEvent creates a new calendar.event model and returns its id.

func (*Client) CreateCalendarEventType

func (c *Client) CreateCalendarEventType(cet *CalendarEventType) (int64, error)

CreateCalendarEventType creates a new calendar.event.type model and returns its id.

func (*Client) CreateCalendarEventTypes

func (c *Client) CreateCalendarEventTypes(cets []*CalendarEventType) ([]int64, error)

CreateCalendarEventType creates a new calendar.event.type model and returns its id.

func (*Client) CreateCalendarEvents

func (c *Client) CreateCalendarEvents(ces []*CalendarEvent) ([]int64, error)

CreateCalendarEvent creates a new calendar.event model and returns its id.

func (*Client) CreateCashBoxIn

func (c *Client) CreateCashBoxIn(cbi *CashBoxIn) (int64, error)

CreateCashBoxIn creates a new cash.box.in model and returns its id.

func (*Client) CreateCashBoxIns

func (c *Client) CreateCashBoxIns(cbis []*CashBoxIn) ([]int64, error)

CreateCashBoxIn creates a new cash.box.in model and returns its id.

func (*Client) CreateCashBoxOut

func (c *Client) CreateCashBoxOut(cbo *CashBoxOut) (int64, error)

CreateCashBoxOut creates a new cash.box.out model and returns its id.

func (*Client) CreateCashBoxOuts

func (c *Client) CreateCashBoxOuts(cbos []*CashBoxOut) ([]int64, error)

CreateCashBoxOut creates a new cash.box.out model and returns its id.

func (*Client) CreateChangePasswordUser

func (c *Client) CreateChangePasswordUser(cpu *ChangePasswordUser) (int64, error)

CreateChangePasswordUser creates a new change.password.user model and returns its id.

func (*Client) CreateChangePasswordUsers

func (c *Client) CreateChangePasswordUsers(cpus []*ChangePasswordUser) ([]int64, error)

CreateChangePasswordUser creates a new change.password.user model and returns its id.

func (*Client) CreateChangePasswordWizard

func (c *Client) CreateChangePasswordWizard(cpw *ChangePasswordWizard) (int64, error)

CreateChangePasswordWizard creates a new change.password.wizard model and returns its id.

func (*Client) CreateChangePasswordWizards

func (c *Client) CreateChangePasswordWizards(cpws []*ChangePasswordWizard) ([]int64, error)

CreateChangePasswordWizard creates a new change.password.wizard model and returns its id.

func (*Client) CreateCrmActivityReport

func (c *Client) CreateCrmActivityReport(car *CrmActivityReport) (int64, error)

CreateCrmActivityReport creates a new crm.activity.report model and returns its id.

func (*Client) CreateCrmActivityReports

func (c *Client) CreateCrmActivityReports(cars []*CrmActivityReport) ([]int64, error)

CreateCrmActivityReport creates a new crm.activity.report model and returns its id.

func (*Client) CreateCrmLead

func (c *Client) CreateCrmLead(cl *CrmLead) (int64, error)

CreateCrmLead creates a new crm.lead model and returns its id.

func (*Client) CreateCrmLead2OpportunityPartner

func (c *Client) CreateCrmLead2OpportunityPartner(clp *CrmLead2OpportunityPartner) (int64, error)

CreateCrmLead2OpportunityPartner creates a new crm.lead2opportunity.partner model and returns its id.

func (*Client) CreateCrmLead2OpportunityPartnerMass

func (c *Client) CreateCrmLead2OpportunityPartnerMass(clpm *CrmLead2OpportunityPartnerMass) (int64, error)

CreateCrmLead2OpportunityPartnerMass creates a new crm.lead2opportunity.partner.mass model and returns its id.

func (*Client) CreateCrmLead2OpportunityPartnerMasss

func (c *Client) CreateCrmLead2OpportunityPartnerMasss(clpms []*CrmLead2OpportunityPartnerMass) ([]int64, error)

CreateCrmLead2OpportunityPartnerMass creates a new crm.lead2opportunity.partner.mass model and returns its id.

func (*Client) CreateCrmLead2OpportunityPartners

func (c *Client) CreateCrmLead2OpportunityPartners(clps []*CrmLead2OpportunityPartner) ([]int64, error)

CreateCrmLead2OpportunityPartner creates a new crm.lead2opportunity.partner model and returns its id.

func (*Client) CreateCrmLeadLost

func (c *Client) CreateCrmLeadLost(cll *CrmLeadLost) (int64, error)

CreateCrmLeadLost creates a new crm.lead.lost model and returns its id.

func (*Client) CreateCrmLeadLosts

func (c *Client) CreateCrmLeadLosts(clls []*CrmLeadLost) ([]int64, error)

CreateCrmLeadLost creates a new crm.lead.lost model and returns its id.

func (*Client) CreateCrmLeadTag

func (c *Client) CreateCrmLeadTag(clt *CrmLeadTag) (int64, error)

CreateCrmLeadTag creates a new crm.lead.tag model and returns its id.

func (*Client) CreateCrmLeadTags

func (c *Client) CreateCrmLeadTags(clts []*CrmLeadTag) ([]int64, error)

CreateCrmLeadTag creates a new crm.lead.tag model and returns its id.

func (*Client) CreateCrmLeads

func (c *Client) CreateCrmLeads(cls []*CrmLead) ([]int64, error)

CreateCrmLead creates a new crm.lead model and returns its id.

func (*Client) CreateCrmLostReason

func (c *Client) CreateCrmLostReason(clr *CrmLostReason) (int64, error)

CreateCrmLostReason creates a new crm.lost.reason model and returns its id.

func (*Client) CreateCrmLostReasons

func (c *Client) CreateCrmLostReasons(clrs []*CrmLostReason) ([]int64, error)

CreateCrmLostReason creates a new crm.lost.reason model and returns its id.

func (*Client) CreateCrmMergeOpportunity

func (c *Client) CreateCrmMergeOpportunity(cmo *CrmMergeOpportunity) (int64, error)

CreateCrmMergeOpportunity creates a new crm.merge.opportunity model and returns its id.

func (*Client) CreateCrmMergeOpportunitys

func (c *Client) CreateCrmMergeOpportunitys(cmos []*CrmMergeOpportunity) ([]int64, error)

CreateCrmMergeOpportunity creates a new crm.merge.opportunity model and returns its id.

func (*Client) CreateCrmOpportunityReport

func (c *Client) CreateCrmOpportunityReport(cor *CrmOpportunityReport) (int64, error)

CreateCrmOpportunityReport creates a new crm.opportunity.report model and returns its id.

func (*Client) CreateCrmOpportunityReports

func (c *Client) CreateCrmOpportunityReports(cors []*CrmOpportunityReport) ([]int64, error)

CreateCrmOpportunityReport creates a new crm.opportunity.report model and returns its id.

func (*Client) CreateCrmPartnerBinding

func (c *Client) CreateCrmPartnerBinding(cpb *CrmPartnerBinding) (int64, error)

CreateCrmPartnerBinding creates a new crm.partner.binding model and returns its id.

func (*Client) CreateCrmPartnerBindings

func (c *Client) CreateCrmPartnerBindings(cpbs []*CrmPartnerBinding) ([]int64, error)

CreateCrmPartnerBinding creates a new crm.partner.binding model and returns its id.

func (*Client) CreateCrmStage

func (c *Client) CreateCrmStage(cs *CrmStage) (int64, error)

CreateCrmStage creates a new crm.stage model and returns its id.

func (*Client) CreateCrmStages

func (c *Client) CreateCrmStages(css []*CrmStage) ([]int64, error)

CreateCrmStage creates a new crm.stage model and returns its id.

func (*Client) CreateCrmTeam

func (c *Client) CreateCrmTeam(ct *CrmTeam) (int64, error)

CreateCrmTeam creates a new crm.team model and returns its id.

func (*Client) CreateCrmTeams

func (c *Client) CreateCrmTeams(cts []*CrmTeam) ([]int64, error)

CreateCrmTeam creates a new crm.team model and returns its id.

func (*Client) CreateDecimalPrecision

func (c *Client) CreateDecimalPrecision(dp *DecimalPrecision) (int64, error)

CreateDecimalPrecision creates a new decimal.precision model and returns its id.

func (*Client) CreateDecimalPrecisions

func (c *Client) CreateDecimalPrecisions(dps []*DecimalPrecision) ([]int64, error)

CreateDecimalPrecision creates a new decimal.precision model and returns its id.

func (*Client) CreateEmailTemplatePreview

func (c *Client) CreateEmailTemplatePreview(ep *EmailTemplatePreview) (int64, error)

CreateEmailTemplatePreview creates a new email_template.preview model and returns its id.

func (*Client) CreateEmailTemplatePreviews

func (c *Client) CreateEmailTemplatePreviews(eps []*EmailTemplatePreview) ([]int64, error)

CreateEmailTemplatePreview creates a new email_template.preview model and returns its id.

func (*Client) CreateFetchmailServer

func (c *Client) CreateFetchmailServer(fs *FetchmailServer) (int64, error)

CreateFetchmailServer creates a new fetchmail.server model and returns its id.

func (*Client) CreateFetchmailServers

func (c *Client) CreateFetchmailServers(fss []*FetchmailServer) ([]int64, error)

CreateFetchmailServer creates a new fetchmail.server model and returns its id.

func (*Client) CreateFormatAddressMixin

func (c *Client) CreateFormatAddressMixin(fam *FormatAddressMixin) (int64, error)

CreateFormatAddressMixin creates a new format.address.mixin model and returns its id.

func (*Client) CreateFormatAddressMixins

func (c *Client) CreateFormatAddressMixins(fams []*FormatAddressMixin) ([]int64, error)

CreateFormatAddressMixin creates a new format.address.mixin model and returns its id.

func (*Client) CreateHrDepartment

func (c *Client) CreateHrDepartment(hd *HrDepartment) (int64, error)

CreateHrDepartment creates a new hr.department model and returns its id.

func (*Client) CreateHrDepartments

func (c *Client) CreateHrDepartments(hds []*HrDepartment) ([]int64, error)

CreateHrDepartment creates a new hr.department model and returns its id.

func (*Client) CreateHrEmployee

func (c *Client) CreateHrEmployee(he *HrEmployee) (int64, error)

CreateHrEmployee creates a new hr.employee model and returns its id.

func (*Client) CreateHrEmployeeCategory

func (c *Client) CreateHrEmployeeCategory(hec *HrEmployeeCategory) (int64, error)

CreateHrEmployeeCategory creates a new hr.employee.category model and returns its id.

func (*Client) CreateHrEmployeeCategorys

func (c *Client) CreateHrEmployeeCategorys(hecs []*HrEmployeeCategory) ([]int64, error)

CreateHrEmployeeCategory creates a new hr.employee.category model and returns its id.

func (*Client) CreateHrEmployees

func (c *Client) CreateHrEmployees(hes []*HrEmployee) ([]int64, error)

CreateHrEmployee creates a new hr.employee model and returns its id.

func (*Client) CreateHrHolidays

func (c *Client) CreateHrHolidays(hh *HrHolidays) (int64, error)

CreateHrHolidays creates a new hr.holidays model and returns its id.

func (*Client) CreateHrHolidaysRemainingLeavesUser

func (c *Client) CreateHrHolidaysRemainingLeavesUser(hhrlu *HrHolidaysRemainingLeavesUser) (int64, error)

CreateHrHolidaysRemainingLeavesUser creates a new hr.holidays.remaining.leaves.user model and returns its id.

func (*Client) CreateHrHolidaysRemainingLeavesUsers

func (c *Client) CreateHrHolidaysRemainingLeavesUsers(hhrlus []*HrHolidaysRemainingLeavesUser) ([]int64, error)

CreateHrHolidaysRemainingLeavesUser creates a new hr.holidays.remaining.leaves.user model and returns its id.

func (*Client) CreateHrHolidaysStatus

func (c *Client) CreateHrHolidaysStatus(hhs *HrHolidaysStatus) (int64, error)

CreateHrHolidaysStatus creates a new hr.holidays.status model and returns its id.

func (*Client) CreateHrHolidaysStatuss

func (c *Client) CreateHrHolidaysStatuss(hhss []*HrHolidaysStatus) ([]int64, error)

CreateHrHolidaysStatus creates a new hr.holidays.status model and returns its id.

func (*Client) CreateHrHolidaysSummaryDept

func (c *Client) CreateHrHolidaysSummaryDept(hhsd *HrHolidaysSummaryDept) (int64, error)

CreateHrHolidaysSummaryDept creates a new hr.holidays.summary.dept model and returns its id.

func (*Client) CreateHrHolidaysSummaryDepts

func (c *Client) CreateHrHolidaysSummaryDepts(hhsds []*HrHolidaysSummaryDept) ([]int64, error)

CreateHrHolidaysSummaryDept creates a new hr.holidays.summary.dept model and returns its id.

func (*Client) CreateHrHolidaysSummaryEmployee

func (c *Client) CreateHrHolidaysSummaryEmployee(hhse *HrHolidaysSummaryEmployee) (int64, error)

CreateHrHolidaysSummaryEmployee creates a new hr.holidays.summary.employee model and returns its id.

func (*Client) CreateHrHolidaysSummaryEmployees

func (c *Client) CreateHrHolidaysSummaryEmployees(hhses []*HrHolidaysSummaryEmployee) ([]int64, error)

CreateHrHolidaysSummaryEmployee creates a new hr.holidays.summary.employee model and returns its id.

func (*Client) CreateHrHolidayss

func (c *Client) CreateHrHolidayss(hhs []*HrHolidays) ([]int64, error)

CreateHrHolidays creates a new hr.holidays model and returns its id.

func (*Client) CreateHrJob

func (c *Client) CreateHrJob(hj *HrJob) (int64, error)

CreateHrJob creates a new hr.job model and returns its id.

func (*Client) CreateHrJobs

func (c *Client) CreateHrJobs(hjs []*HrJob) ([]int64, error)

CreateHrJob creates a new hr.job model and returns its id.

func (*Client) CreateIapAccount

func (c *Client) CreateIapAccount(ia *IapAccount) (int64, error)

CreateIapAccount creates a new iap.account model and returns its id.

func (*Client) CreateIapAccounts

func (c *Client) CreateIapAccounts(ias []*IapAccount) ([]int64, error)

CreateIapAccount creates a new iap.account model and returns its id.

func (*Client) CreateImLivechatChannel

func (c *Client) CreateImLivechatChannel(ic *ImLivechatChannel) (int64, error)

CreateImLivechatChannel creates a new im_livechat.channel model and returns its id.

func (*Client) CreateImLivechatChannelRule

func (c *Client) CreateImLivechatChannelRule(icr *ImLivechatChannelRule) (int64, error)

CreateImLivechatChannelRule creates a new im_livechat.channel.rule model and returns its id.

func (*Client) CreateImLivechatChannelRules

func (c *Client) CreateImLivechatChannelRules(icrs []*ImLivechatChannelRule) ([]int64, error)

CreateImLivechatChannelRule creates a new im_livechat.channel.rule model and returns its id.

func (*Client) CreateImLivechatChannels

func (c *Client) CreateImLivechatChannels(ics []*ImLivechatChannel) ([]int64, error)

CreateImLivechatChannel creates a new im_livechat.channel model and returns its id.

func (*Client) CreateImLivechatReportChannel

func (c *Client) CreateImLivechatReportChannel(irc *ImLivechatReportChannel) (int64, error)

CreateImLivechatReportChannel creates a new im_livechat.report.channel model and returns its id.

func (*Client) CreateImLivechatReportChannels

func (c *Client) CreateImLivechatReportChannels(ircs []*ImLivechatReportChannel) ([]int64, error)

CreateImLivechatReportChannel creates a new im_livechat.report.channel model and returns its id.

func (*Client) CreateImLivechatReportOperator

func (c *Client) CreateImLivechatReportOperator(iro *ImLivechatReportOperator) (int64, error)

CreateImLivechatReportOperator creates a new im_livechat.report.operator model and returns its id.

func (*Client) CreateImLivechatReportOperators

func (c *Client) CreateImLivechatReportOperators(iros []*ImLivechatReportOperator) ([]int64, error)

CreateImLivechatReportOperator creates a new im_livechat.report.operator model and returns its id.

func (*Client) CreateIrActionsActUrl

func (c *Client) CreateIrActionsActUrl(iaa *IrActionsActUrl) (int64, error)

CreateIrActionsActUrl creates a new ir.actions.act_url model and returns its id.

func (*Client) CreateIrActionsActUrls

func (c *Client) CreateIrActionsActUrls(iaas []*IrActionsActUrl) ([]int64, error)

CreateIrActionsActUrl creates a new ir.actions.act_url model and returns its id.

func (*Client) CreateIrActionsActWindow

func (c *Client) CreateIrActionsActWindow(iaa *IrActionsActWindow) (int64, error)

CreateIrActionsActWindow creates a new ir.actions.act_window model and returns its id.

func (*Client) CreateIrActionsActWindowClose

func (c *Client) CreateIrActionsActWindowClose(iaa *IrActionsActWindowClose) (int64, error)

CreateIrActionsActWindowClose creates a new ir.actions.act_window_close model and returns its id.

func (*Client) CreateIrActionsActWindowCloses

func (c *Client) CreateIrActionsActWindowCloses(iaas []*IrActionsActWindowClose) ([]int64, error)

CreateIrActionsActWindowClose creates a new ir.actions.act_window_close model and returns its id.

func (*Client) CreateIrActionsActWindowView

func (c *Client) CreateIrActionsActWindowView(iaav *IrActionsActWindowView) (int64, error)

CreateIrActionsActWindowView creates a new ir.actions.act_window.view model and returns its id.

func (*Client) CreateIrActionsActWindowViews

func (c *Client) CreateIrActionsActWindowViews(iaavs []*IrActionsActWindowView) ([]int64, error)

CreateIrActionsActWindowView creates a new ir.actions.act_window.view model and returns its id.

func (*Client) CreateIrActionsActWindows

func (c *Client) CreateIrActionsActWindows(iaas []*IrActionsActWindow) ([]int64, error)

CreateIrActionsActWindow creates a new ir.actions.act_window model and returns its id.

func (*Client) CreateIrActionsActions

func (c *Client) CreateIrActionsActions(iaa *IrActionsActions) (int64, error)

CreateIrActionsActions creates a new ir.actions.actions model and returns its id.

func (*Client) CreateIrActionsActionss

func (c *Client) CreateIrActionsActionss(iaas []*IrActionsActions) ([]int64, error)

CreateIrActionsActions creates a new ir.actions.actions model and returns its id.

func (*Client) CreateIrActionsClient

func (c *Client) CreateIrActionsClient(iac *IrActionsClient) (int64, error)

CreateIrActionsClient creates a new ir.actions.client model and returns its id.

func (*Client) CreateIrActionsClients

func (c *Client) CreateIrActionsClients(iacs []*IrActionsClient) ([]int64, error)

CreateIrActionsClient creates a new ir.actions.client model and returns its id.

func (*Client) CreateIrActionsReport

func (c *Client) CreateIrActionsReport(iar *IrActionsReport) (int64, error)

CreateIrActionsReport creates a new ir.actions.report model and returns its id.

func (*Client) CreateIrActionsReports

func (c *Client) CreateIrActionsReports(iars []*IrActionsReport) ([]int64, error)

CreateIrActionsReport creates a new ir.actions.report model and returns its id.

func (*Client) CreateIrActionsServer

func (c *Client) CreateIrActionsServer(ias *IrActionsServer) (int64, error)

CreateIrActionsServer creates a new ir.actions.server model and returns its id.

func (*Client) CreateIrActionsServers

func (c *Client) CreateIrActionsServers(iass []*IrActionsServer) ([]int64, error)

CreateIrActionsServer creates a new ir.actions.server model and returns its id.

func (*Client) CreateIrActionsTodo

func (c *Client) CreateIrActionsTodo(iat *IrActionsTodo) (int64, error)

CreateIrActionsTodo creates a new ir.actions.todo model and returns its id.

func (*Client) CreateIrActionsTodos

func (c *Client) CreateIrActionsTodos(iats []*IrActionsTodo) ([]int64, error)

CreateIrActionsTodo creates a new ir.actions.todo model and returns its id.

func (*Client) CreateIrAttachment

func (c *Client) CreateIrAttachment(ia *IrAttachment) (int64, error)

CreateIrAttachment creates a new ir.attachment model and returns its id.

func (*Client) CreateIrAttachments

func (c *Client) CreateIrAttachments(ias []*IrAttachment) ([]int64, error)

CreateIrAttachment creates a new ir.attachment model and returns its id.

func (*Client) CreateIrAutovacuum

func (c *Client) CreateIrAutovacuum(ia *IrAutovacuum) (int64, error)

CreateIrAutovacuum creates a new ir.autovacuum model and returns its id.

func (*Client) CreateIrAutovacuums

func (c *Client) CreateIrAutovacuums(ias []*IrAutovacuum) ([]int64, error)

CreateIrAutovacuum creates a new ir.autovacuum model and returns its id.

func (*Client) CreateIrConfigParameter

func (c *Client) CreateIrConfigParameter(ic *IrConfigParameter) (int64, error)

CreateIrConfigParameter creates a new ir.config_parameter model and returns its id.

func (*Client) CreateIrConfigParameters

func (c *Client) CreateIrConfigParameters(ics []*IrConfigParameter) ([]int64, error)

CreateIrConfigParameter creates a new ir.config_parameter model and returns its id.

func (*Client) CreateIrCron

func (c *Client) CreateIrCron(ic *IrCron) (int64, error)

CreateIrCron creates a new ir.cron model and returns its id.

func (*Client) CreateIrCrons

func (c *Client) CreateIrCrons(ics []*IrCron) ([]int64, error)

CreateIrCron creates a new ir.cron model and returns its id.

func (*Client) CreateIrDefault

func (c *Client) CreateIrDefault(ID *IrDefault) (int64, error)

CreateIrDefault creates a new ir.default model and returns its id.

func (*Client) CreateIrDefaults

func (c *Client) CreateIrDefaults(IDs []*IrDefault) ([]int64, error)

CreateIrDefault creates a new ir.default model and returns its id.

func (*Client) CreateIrExports

func (c *Client) CreateIrExports(ie *IrExports) (int64, error)

CreateIrExports creates a new ir.exports model and returns its id.

func (*Client) CreateIrExportsLine

func (c *Client) CreateIrExportsLine(iel *IrExportsLine) (int64, error)

CreateIrExportsLine creates a new ir.exports.line model and returns its id.

func (*Client) CreateIrExportsLines

func (c *Client) CreateIrExportsLines(iels []*IrExportsLine) ([]int64, error)

CreateIrExportsLine creates a new ir.exports.line model and returns its id.

func (*Client) CreateIrExportss

func (c *Client) CreateIrExportss(ies []*IrExports) ([]int64, error)

CreateIrExports creates a new ir.exports model and returns its id.

func (*Client) CreateIrFieldsConverter

func (c *Client) CreateIrFieldsConverter(ifc *IrFieldsConverter) (int64, error)

CreateIrFieldsConverter creates a new ir.fields.converter model and returns its id.

func (*Client) CreateIrFieldsConverters

func (c *Client) CreateIrFieldsConverters(ifcs []*IrFieldsConverter) ([]int64, error)

CreateIrFieldsConverter creates a new ir.fields.converter model and returns its id.

func (*Client) CreateIrFilters

func (c *Client) CreateIrFilters(IF *IrFilters) (int64, error)

CreateIrFilters creates a new ir.filters model and returns its id.

func (*Client) CreateIrFilterss

func (c *Client) CreateIrFilterss(IFs []*IrFilters) ([]int64, error)

CreateIrFilters creates a new ir.filters model and returns its id.

func (*Client) CreateIrHttp

func (c *Client) CreateIrHttp(ih *IrHttp) (int64, error)

CreateIrHttp creates a new ir.http model and returns its id.

func (*Client) CreateIrHttps

func (c *Client) CreateIrHttps(ihs []*IrHttp) ([]int64, error)

CreateIrHttp creates a new ir.http model and returns its id.

func (*Client) CreateIrLogging

func (c *Client) CreateIrLogging(il *IrLogging) (int64, error)

CreateIrLogging creates a new ir.logging model and returns its id.

func (*Client) CreateIrLoggings

func (c *Client) CreateIrLoggings(ils []*IrLogging) ([]int64, error)

CreateIrLogging creates a new ir.logging model and returns its id.

func (*Client) CreateIrMailServer

func (c *Client) CreateIrMailServer(im *IrMailServer) (int64, error)

CreateIrMailServer creates a new ir.mail_server model and returns its id.

func (*Client) CreateIrMailServers

func (c *Client) CreateIrMailServers(ims []*IrMailServer) ([]int64, error)

CreateIrMailServer creates a new ir.mail_server model and returns its id.

func (*Client) CreateIrModel

func (c *Client) CreateIrModel(im *IrModel) (int64, error)

CreateIrModel creates a new ir.model model and returns its id.

func (*Client) CreateIrModelAccess

func (c *Client) CreateIrModelAccess(ima *IrModelAccess) (int64, error)

CreateIrModelAccess creates a new ir.model.access model and returns its id.

func (*Client) CreateIrModelAccesss

func (c *Client) CreateIrModelAccesss(imas []*IrModelAccess) ([]int64, error)

CreateIrModelAccess creates a new ir.model.access model and returns its id.

func (*Client) CreateIrModelConstraint

func (c *Client) CreateIrModelConstraint(imc *IrModelConstraint) (int64, error)

CreateIrModelConstraint creates a new ir.model.constraint model and returns its id.

func (*Client) CreateIrModelConstraints

func (c *Client) CreateIrModelConstraints(imcs []*IrModelConstraint) ([]int64, error)

CreateIrModelConstraint creates a new ir.model.constraint model and returns its id.

func (*Client) CreateIrModelData

func (c *Client) CreateIrModelData(imd *IrModelData) (int64, error)

CreateIrModelData creates a new ir.model.data model and returns its id.

func (*Client) CreateIrModelDatas

func (c *Client) CreateIrModelDatas(imds []*IrModelData) ([]int64, error)

CreateIrModelData creates a new ir.model.data model and returns its id.

func (*Client) CreateIrModelFields

func (c *Client) CreateIrModelFields(imf *IrModelFields) (int64, error)

CreateIrModelFields creates a new ir.model.fields model and returns its id.

func (*Client) CreateIrModelFieldss

func (c *Client) CreateIrModelFieldss(imfs []*IrModelFields) ([]int64, error)

CreateIrModelFields creates a new ir.model.fields model and returns its id.

func (*Client) CreateIrModelRelation

func (c *Client) CreateIrModelRelation(imr *IrModelRelation) (int64, error)

CreateIrModelRelation creates a new ir.model.relation model and returns its id.

func (*Client) CreateIrModelRelations

func (c *Client) CreateIrModelRelations(imrs []*IrModelRelation) ([]int64, error)

CreateIrModelRelation creates a new ir.model.relation model and returns its id.

func (*Client) CreateIrModels

func (c *Client) CreateIrModels(ims []*IrModel) ([]int64, error)

CreateIrModel creates a new ir.model model and returns its id.

func (*Client) CreateIrModuleCategory

func (c *Client) CreateIrModuleCategory(imc *IrModuleCategory) (int64, error)

CreateIrModuleCategory creates a new ir.module.category model and returns its id.

func (*Client) CreateIrModuleCategorys

func (c *Client) CreateIrModuleCategorys(imcs []*IrModuleCategory) ([]int64, error)

CreateIrModuleCategory creates a new ir.module.category model and returns its id.

func (*Client) CreateIrModuleModule

func (c *Client) CreateIrModuleModule(imm *IrModuleModule) (int64, error)

CreateIrModuleModule creates a new ir.module.module model and returns its id.

func (*Client) CreateIrModuleModuleDependency

func (c *Client) CreateIrModuleModuleDependency(immd *IrModuleModuleDependency) (int64, error)

CreateIrModuleModuleDependency creates a new ir.module.module.dependency model and returns its id.

func (*Client) CreateIrModuleModuleDependencys

func (c *Client) CreateIrModuleModuleDependencys(immds []*IrModuleModuleDependency) ([]int64, error)

CreateIrModuleModuleDependency creates a new ir.module.module.dependency model and returns its id.

func (*Client) CreateIrModuleModuleExclusion

func (c *Client) CreateIrModuleModuleExclusion(imme *IrModuleModuleExclusion) (int64, error)

CreateIrModuleModuleExclusion creates a new ir.module.module.exclusion model and returns its id.

func (*Client) CreateIrModuleModuleExclusions

func (c *Client) CreateIrModuleModuleExclusions(immes []*IrModuleModuleExclusion) ([]int64, error)

CreateIrModuleModuleExclusion creates a new ir.module.module.exclusion model and returns its id.

func (*Client) CreateIrModuleModules

func (c *Client) CreateIrModuleModules(imms []*IrModuleModule) ([]int64, error)

CreateIrModuleModule creates a new ir.module.module model and returns its id.

func (*Client) CreateIrProperty

func (c *Client) CreateIrProperty(ip *IrProperty) (int64, error)

CreateIrProperty creates a new ir.property model and returns its id.

func (*Client) CreateIrPropertys

func (c *Client) CreateIrPropertys(ips []*IrProperty) ([]int64, error)

CreateIrProperty creates a new ir.property model and returns its id.

func (*Client) CreateIrQweb

func (c *Client) CreateIrQweb(iq *IrQweb) (int64, error)

CreateIrQweb creates a new ir.qweb model and returns its id.

func (*Client) CreateIrQwebField

func (c *Client) CreateIrQwebField(iqf *IrQwebField) (int64, error)

CreateIrQwebField creates a new ir.qweb.field model and returns its id.

func (*Client) CreateIrQwebFieldBarcode

func (c *Client) CreateIrQwebFieldBarcode(iqfb *IrQwebFieldBarcode) (int64, error)

CreateIrQwebFieldBarcode creates a new ir.qweb.field.barcode model and returns its id.

func (*Client) CreateIrQwebFieldBarcodes

func (c *Client) CreateIrQwebFieldBarcodes(iqfbs []*IrQwebFieldBarcode) ([]int64, error)

CreateIrQwebFieldBarcode creates a new ir.qweb.field.barcode model and returns its id.

func (*Client) CreateIrQwebFieldContact

func (c *Client) CreateIrQwebFieldContact(iqfc *IrQwebFieldContact) (int64, error)

CreateIrQwebFieldContact creates a new ir.qweb.field.contact model and returns its id.

func (*Client) CreateIrQwebFieldContacts

func (c *Client) CreateIrQwebFieldContacts(iqfcs []*IrQwebFieldContact) ([]int64, error)

CreateIrQwebFieldContact creates a new ir.qweb.field.contact model and returns its id.

func (*Client) CreateIrQwebFieldDate

func (c *Client) CreateIrQwebFieldDate(iqfd *IrQwebFieldDate) (int64, error)

CreateIrQwebFieldDate creates a new ir.qweb.field.date model and returns its id.

func (*Client) CreateIrQwebFieldDates

func (c *Client) CreateIrQwebFieldDates(iqfds []*IrQwebFieldDate) ([]int64, error)

CreateIrQwebFieldDate creates a new ir.qweb.field.date model and returns its id.

func (*Client) CreateIrQwebFieldDatetime

func (c *Client) CreateIrQwebFieldDatetime(iqfd *IrQwebFieldDatetime) (int64, error)

CreateIrQwebFieldDatetime creates a new ir.qweb.field.datetime model and returns its id.

func (*Client) CreateIrQwebFieldDatetimes

func (c *Client) CreateIrQwebFieldDatetimes(iqfds []*IrQwebFieldDatetime) ([]int64, error)

CreateIrQwebFieldDatetime creates a new ir.qweb.field.datetime model and returns its id.

func (*Client) CreateIrQwebFieldDuration

func (c *Client) CreateIrQwebFieldDuration(iqfd *IrQwebFieldDuration) (int64, error)

CreateIrQwebFieldDuration creates a new ir.qweb.field.duration model and returns its id.

func (*Client) CreateIrQwebFieldDurations

func (c *Client) CreateIrQwebFieldDurations(iqfds []*IrQwebFieldDuration) ([]int64, error)

CreateIrQwebFieldDuration creates a new ir.qweb.field.duration model and returns its id.

func (*Client) CreateIrQwebFieldFloat

func (c *Client) CreateIrQwebFieldFloat(iqff *IrQwebFieldFloat) (int64, error)

CreateIrQwebFieldFloat creates a new ir.qweb.field.float model and returns its id.

func (*Client) CreateIrQwebFieldFloatTime

func (c *Client) CreateIrQwebFieldFloatTime(iqff *IrQwebFieldFloatTime) (int64, error)

CreateIrQwebFieldFloatTime creates a new ir.qweb.field.float_time model and returns its id.

func (*Client) CreateIrQwebFieldFloatTimes

func (c *Client) CreateIrQwebFieldFloatTimes(iqffs []*IrQwebFieldFloatTime) ([]int64, error)

CreateIrQwebFieldFloatTime creates a new ir.qweb.field.float_time model and returns its id.

func (*Client) CreateIrQwebFieldFloats

func (c *Client) CreateIrQwebFieldFloats(iqffs []*IrQwebFieldFloat) ([]int64, error)

CreateIrQwebFieldFloat creates a new ir.qweb.field.float model and returns its id.

func (*Client) CreateIrQwebFieldHtml

func (c *Client) CreateIrQwebFieldHtml(iqfh *IrQwebFieldHtml) (int64, error)

CreateIrQwebFieldHtml creates a new ir.qweb.field.html model and returns its id.

func (*Client) CreateIrQwebFieldHtmls

func (c *Client) CreateIrQwebFieldHtmls(iqfhs []*IrQwebFieldHtml) ([]int64, error)

CreateIrQwebFieldHtml creates a new ir.qweb.field.html model and returns its id.

func (*Client) CreateIrQwebFieldImage

func (c *Client) CreateIrQwebFieldImage(iqfi *IrQwebFieldImage) (int64, error)

CreateIrQwebFieldImage creates a new ir.qweb.field.image model and returns its id.

func (*Client) CreateIrQwebFieldImages

func (c *Client) CreateIrQwebFieldImages(iqfis []*IrQwebFieldImage) ([]int64, error)

CreateIrQwebFieldImage creates a new ir.qweb.field.image model and returns its id.

func (*Client) CreateIrQwebFieldInteger

func (c *Client) CreateIrQwebFieldInteger(iqfi *IrQwebFieldInteger) (int64, error)

CreateIrQwebFieldInteger creates a new ir.qweb.field.integer model and returns its id.

func (*Client) CreateIrQwebFieldIntegers

func (c *Client) CreateIrQwebFieldIntegers(iqfis []*IrQwebFieldInteger) ([]int64, error)

CreateIrQwebFieldInteger creates a new ir.qweb.field.integer model and returns its id.

func (*Client) CreateIrQwebFieldMany2One

func (c *Client) CreateIrQwebFieldMany2One(iqfm *IrQwebFieldMany2One) (int64, error)

CreateIrQwebFieldMany2One creates a new ir.qweb.field.many2one model and returns its id.

func (*Client) CreateIrQwebFieldMany2Ones

func (c *Client) CreateIrQwebFieldMany2Ones(iqfms []*IrQwebFieldMany2One) ([]int64, error)

CreateIrQwebFieldMany2One creates a new ir.qweb.field.many2one model and returns its id.

func (*Client) CreateIrQwebFieldMonetary

func (c *Client) CreateIrQwebFieldMonetary(iqfm *IrQwebFieldMonetary) (int64, error)

CreateIrQwebFieldMonetary creates a new ir.qweb.field.monetary model and returns its id.

func (*Client) CreateIrQwebFieldMonetarys

func (c *Client) CreateIrQwebFieldMonetarys(iqfms []*IrQwebFieldMonetary) ([]int64, error)

CreateIrQwebFieldMonetary creates a new ir.qweb.field.monetary model and returns its id.

func (*Client) CreateIrQwebFieldQweb

func (c *Client) CreateIrQwebFieldQweb(iqfq *IrQwebFieldQweb) (int64, error)

CreateIrQwebFieldQweb creates a new ir.qweb.field.qweb model and returns its id.

func (*Client) CreateIrQwebFieldQwebs

func (c *Client) CreateIrQwebFieldQwebs(iqfqs []*IrQwebFieldQweb) ([]int64, error)

CreateIrQwebFieldQweb creates a new ir.qweb.field.qweb model and returns its id.

func (*Client) CreateIrQwebFieldRelative

func (c *Client) CreateIrQwebFieldRelative(iqfr *IrQwebFieldRelative) (int64, error)

CreateIrQwebFieldRelative creates a new ir.qweb.field.relative model and returns its id.

func (*Client) CreateIrQwebFieldRelatives

func (c *Client) CreateIrQwebFieldRelatives(iqfrs []*IrQwebFieldRelative) ([]int64, error)

CreateIrQwebFieldRelative creates a new ir.qweb.field.relative model and returns its id.

func (*Client) CreateIrQwebFieldSelection

func (c *Client) CreateIrQwebFieldSelection(iqfs *IrQwebFieldSelection) (int64, error)

CreateIrQwebFieldSelection creates a new ir.qweb.field.selection model and returns its id.

func (*Client) CreateIrQwebFieldSelections

func (c *Client) CreateIrQwebFieldSelections(iqfss []*IrQwebFieldSelection) ([]int64, error)

CreateIrQwebFieldSelection creates a new ir.qweb.field.selection model and returns its id.

func (*Client) CreateIrQwebFieldText

func (c *Client) CreateIrQwebFieldText(iqft *IrQwebFieldText) (int64, error)

CreateIrQwebFieldText creates a new ir.qweb.field.text model and returns its id.

func (*Client) CreateIrQwebFieldTexts

func (c *Client) CreateIrQwebFieldTexts(iqfts []*IrQwebFieldText) ([]int64, error)

CreateIrQwebFieldText creates a new ir.qweb.field.text model and returns its id.

func (*Client) CreateIrQwebFields

func (c *Client) CreateIrQwebFields(iqfs []*IrQwebField) ([]int64, error)

CreateIrQwebField creates a new ir.qweb.field model and returns its id.

func (*Client) CreateIrQwebs

func (c *Client) CreateIrQwebs(iqs []*IrQweb) ([]int64, error)

CreateIrQweb creates a new ir.qweb model and returns its id.

func (*Client) CreateIrRule

func (c *Client) CreateIrRule(ir *IrRule) (int64, error)

CreateIrRule creates a new ir.rule model and returns its id.

func (*Client) CreateIrRules

func (c *Client) CreateIrRules(irs []*IrRule) ([]int64, error)

CreateIrRule creates a new ir.rule model and returns its id.

func (*Client) CreateIrSequence

func (c *Client) CreateIrSequence(is *IrSequence) (int64, error)

CreateIrSequence creates a new ir.sequence model and returns its id.

func (*Client) CreateIrSequenceDateRange

func (c *Client) CreateIrSequenceDateRange(isd *IrSequenceDateRange) (int64, error)

CreateIrSequenceDateRange creates a new ir.sequence.date_range model and returns its id.

func (*Client) CreateIrSequenceDateRanges

func (c *Client) CreateIrSequenceDateRanges(isds []*IrSequenceDateRange) ([]int64, error)

CreateIrSequenceDateRange creates a new ir.sequence.date_range model and returns its id.

func (*Client) CreateIrSequences

func (c *Client) CreateIrSequences(iss []*IrSequence) ([]int64, error)

CreateIrSequence creates a new ir.sequence model and returns its id.

func (*Client) CreateIrServerObjectLines

func (c *Client) CreateIrServerObjectLines(isol *IrServerObjectLines) (int64, error)

CreateIrServerObjectLines creates a new ir.server.object.lines model and returns its id.

func (*Client) CreateIrServerObjectLiness

func (c *Client) CreateIrServerObjectLiness(isols []*IrServerObjectLines) ([]int64, error)

CreateIrServerObjectLines creates a new ir.server.object.lines model and returns its id.

func (*Client) CreateIrTranslation

func (c *Client) CreateIrTranslation(it *IrTranslation) (int64, error)

CreateIrTranslation creates a new ir.translation model and returns its id.

func (*Client) CreateIrTranslations

func (c *Client) CreateIrTranslations(its []*IrTranslation) ([]int64, error)

CreateIrTranslation creates a new ir.translation model and returns its id.

func (*Client) CreateIrUiMenu

func (c *Client) CreateIrUiMenu(ium *IrUiMenu) (int64, error)

CreateIrUiMenu creates a new ir.ui.menu model and returns its id.

func (*Client) CreateIrUiMenus

func (c *Client) CreateIrUiMenus(iums []*IrUiMenu) ([]int64, error)

CreateIrUiMenu creates a new ir.ui.menu model and returns its id.

func (*Client) CreateIrUiView

func (c *Client) CreateIrUiView(iuv *IrUiView) (int64, error)

CreateIrUiView creates a new ir.ui.view model and returns its id.

func (*Client) CreateIrUiViewCustom

func (c *Client) CreateIrUiViewCustom(iuvc *IrUiViewCustom) (int64, error)

CreateIrUiViewCustom creates a new ir.ui.view.custom model and returns its id.

func (*Client) CreateIrUiViewCustoms

func (c *Client) CreateIrUiViewCustoms(iuvcs []*IrUiViewCustom) ([]int64, error)

CreateIrUiViewCustom creates a new ir.ui.view.custom model and returns its id.

func (*Client) CreateIrUiViews

func (c *Client) CreateIrUiViews(iuvs []*IrUiView) ([]int64, error)

CreateIrUiView creates a new ir.ui.view model and returns its id.

func (*Client) CreateLinkTracker

func (c *Client) CreateLinkTracker(lt *LinkTracker) (int64, error)

CreateLinkTracker creates a new link.tracker model and returns its id.

func (*Client) CreateLinkTrackerClick

func (c *Client) CreateLinkTrackerClick(ltc *LinkTrackerClick) (int64, error)

CreateLinkTrackerClick creates a new link.tracker.click model and returns its id.

func (*Client) CreateLinkTrackerClicks

func (c *Client) CreateLinkTrackerClicks(ltcs []*LinkTrackerClick) ([]int64, error)

CreateLinkTrackerClick creates a new link.tracker.click model and returns its id.

func (*Client) CreateLinkTrackerCode

func (c *Client) CreateLinkTrackerCode(ltc *LinkTrackerCode) (int64, error)

CreateLinkTrackerCode creates a new link.tracker.code model and returns its id.

func (*Client) CreateLinkTrackerCodes

func (c *Client) CreateLinkTrackerCodes(ltcs []*LinkTrackerCode) ([]int64, error)

CreateLinkTrackerCode creates a new link.tracker.code model and returns its id.

func (*Client) CreateLinkTrackers

func (c *Client) CreateLinkTrackers(lts []*LinkTracker) ([]int64, error)

CreateLinkTracker creates a new link.tracker model and returns its id.

func (*Client) CreateMailActivity

func (c *Client) CreateMailActivity(ma *MailActivity) (int64, error)

CreateMailActivity creates a new mail.activity model and returns its id.

func (*Client) CreateMailActivityMixin

func (c *Client) CreateMailActivityMixin(mam *MailActivityMixin) (int64, error)

CreateMailActivityMixin creates a new mail.activity.mixin model and returns its id.

func (*Client) CreateMailActivityMixins

func (c *Client) CreateMailActivityMixins(mams []*MailActivityMixin) ([]int64, error)

CreateMailActivityMixin creates a new mail.activity.mixin model and returns its id.

func (*Client) CreateMailActivityType

func (c *Client) CreateMailActivityType(mat *MailActivityType) (int64, error)

CreateMailActivityType creates a new mail.activity.type model and returns its id.

func (*Client) CreateMailActivityTypes

func (c *Client) CreateMailActivityTypes(mats []*MailActivityType) ([]int64, error)

CreateMailActivityType creates a new mail.activity.type model and returns its id.

func (*Client) CreateMailActivitys

func (c *Client) CreateMailActivitys(mas []*MailActivity) ([]int64, error)

CreateMailActivity creates a new mail.activity model and returns its id.

func (*Client) CreateMailAlias

func (c *Client) CreateMailAlias(ma *MailAlias) (int64, error)

CreateMailAlias creates a new mail.alias model and returns its id.

func (*Client) CreateMailAliasMixin

func (c *Client) CreateMailAliasMixin(mam *MailAliasMixin) (int64, error)

CreateMailAliasMixin creates a new mail.alias.mixin model and returns its id.

func (*Client) CreateMailAliasMixins

func (c *Client) CreateMailAliasMixins(mams []*MailAliasMixin) ([]int64, error)

CreateMailAliasMixin creates a new mail.alias.mixin model and returns its id.

func (*Client) CreateMailAliass

func (c *Client) CreateMailAliass(mas []*MailAlias) ([]int64, error)

CreateMailAlias creates a new mail.alias model and returns its id.

func (*Client) CreateMailChannel

func (c *Client) CreateMailChannel(mc *MailChannel) (int64, error)

CreateMailChannel creates a new mail.channel model and returns its id.

func (*Client) CreateMailChannelPartner

func (c *Client) CreateMailChannelPartner(mcp *MailChannelPartner) (int64, error)

CreateMailChannelPartner creates a new mail.channel.partner model and returns its id.

func (*Client) CreateMailChannelPartners

func (c *Client) CreateMailChannelPartners(mcps []*MailChannelPartner) ([]int64, error)

CreateMailChannelPartner creates a new mail.channel.partner model and returns its id.

func (*Client) CreateMailChannels

func (c *Client) CreateMailChannels(mcs []*MailChannel) ([]int64, error)

CreateMailChannel creates a new mail.channel model and returns its id.

func (*Client) CreateMailComposeMessage

func (c *Client) CreateMailComposeMessage(mcm *MailComposeMessage) (int64, error)

CreateMailComposeMessage creates a new mail.compose.message model and returns its id.

func (*Client) CreateMailComposeMessages

func (c *Client) CreateMailComposeMessages(mcms []*MailComposeMessage) ([]int64, error)

CreateMailComposeMessage creates a new mail.compose.message model and returns its id.

func (*Client) CreateMailFollowers

func (c *Client) CreateMailFollowers(mf *MailFollowers) (int64, error)

CreateMailFollowers creates a new mail.followers model and returns its id.

func (*Client) CreateMailFollowerss

func (c *Client) CreateMailFollowerss(mfs []*MailFollowers) ([]int64, error)

CreateMailFollowers creates a new mail.followers model and returns its id.

func (*Client) CreateMailMail

func (c *Client) CreateMailMail(mm *MailMail) (int64, error)

CreateMailMail creates a new mail.mail model and returns its id.

func (*Client) CreateMailMailStatistics

func (c *Client) CreateMailMailStatistics(mms *MailMailStatistics) (int64, error)

CreateMailMailStatistics creates a new mail.mail.statistics model and returns its id.

func (*Client) CreateMailMailStatisticss

func (c *Client) CreateMailMailStatisticss(mmss []*MailMailStatistics) ([]int64, error)

CreateMailMailStatistics creates a new mail.mail.statistics model and returns its id.

func (*Client) CreateMailMails

func (c *Client) CreateMailMails(mms []*MailMail) ([]int64, error)

CreateMailMail creates a new mail.mail model and returns its id.

func (*Client) CreateMailMassMailing

func (c *Client) CreateMailMassMailing(mm *MailMassMailing) (int64, error)

CreateMailMassMailing creates a new mail.mass_mailing model and returns its id.

func (*Client) CreateMailMassMailingCampaign

func (c *Client) CreateMailMassMailingCampaign(mmc *MailMassMailingCampaign) (int64, error)

CreateMailMassMailingCampaign creates a new mail.mass_mailing.campaign model and returns its id.

func (*Client) CreateMailMassMailingCampaigns

func (c *Client) CreateMailMassMailingCampaigns(mmcs []*MailMassMailingCampaign) ([]int64, error)

CreateMailMassMailingCampaign creates a new mail.mass_mailing.campaign model and returns its id.

func (*Client) CreateMailMassMailingContact

func (c *Client) CreateMailMassMailingContact(mmc *MailMassMailingContact) (int64, error)

CreateMailMassMailingContact creates a new mail.mass_mailing.contact model and returns its id.

func (*Client) CreateMailMassMailingContacts

func (c *Client) CreateMailMassMailingContacts(mmcs []*MailMassMailingContact) ([]int64, error)

CreateMailMassMailingContact creates a new mail.mass_mailing.contact model and returns its id.

func (*Client) CreateMailMassMailingList

func (c *Client) CreateMailMassMailingList(mml *MailMassMailingList) (int64, error)

CreateMailMassMailingList creates a new mail.mass_mailing.list model and returns its id.

func (*Client) CreateMailMassMailingLists

func (c *Client) CreateMailMassMailingLists(mmls []*MailMassMailingList) ([]int64, error)

CreateMailMassMailingList creates a new mail.mass_mailing.list model and returns its id.

func (*Client) CreateMailMassMailingStage

func (c *Client) CreateMailMassMailingStage(mms *MailMassMailingStage) (int64, error)

CreateMailMassMailingStage creates a new mail.mass_mailing.stage model and returns its id.

func (*Client) CreateMailMassMailingStages

func (c *Client) CreateMailMassMailingStages(mmss []*MailMassMailingStage) ([]int64, error)

CreateMailMassMailingStage creates a new mail.mass_mailing.stage model and returns its id.

func (*Client) CreateMailMassMailingTag

func (c *Client) CreateMailMassMailingTag(mmt *MailMassMailingTag) (int64, error)

CreateMailMassMailingTag creates a new mail.mass_mailing.tag model and returns its id.

func (*Client) CreateMailMassMailingTags

func (c *Client) CreateMailMassMailingTags(mmts []*MailMassMailingTag) ([]int64, error)

CreateMailMassMailingTag creates a new mail.mass_mailing.tag model and returns its id.

func (*Client) CreateMailMassMailings

func (c *Client) CreateMailMassMailings(mms []*MailMassMailing) ([]int64, error)

CreateMailMassMailing creates a new mail.mass_mailing model and returns its id.

func (*Client) CreateMailMessage

func (c *Client) CreateMailMessage(mm *MailMessage) (int64, error)

CreateMailMessage creates a new mail.message model and returns its id.

func (*Client) CreateMailMessageSubtype

func (c *Client) CreateMailMessageSubtype(mms *MailMessageSubtype) (int64, error)

CreateMailMessageSubtype creates a new mail.message.subtype model and returns its id.

func (*Client) CreateMailMessageSubtypes

func (c *Client) CreateMailMessageSubtypes(mmss []*MailMessageSubtype) ([]int64, error)

CreateMailMessageSubtype creates a new mail.message.subtype model and returns its id.

func (*Client) CreateMailMessages

func (c *Client) CreateMailMessages(mms []*MailMessage) ([]int64, error)

CreateMailMessage creates a new mail.message model and returns its id.

func (*Client) CreateMailNotification

func (c *Client) CreateMailNotification(mn *MailNotification) (int64, error)

CreateMailNotification creates a new mail.notification model and returns its id.

func (*Client) CreateMailNotifications

func (c *Client) CreateMailNotifications(mns []*MailNotification) ([]int64, error)

CreateMailNotification creates a new mail.notification model and returns its id.

func (*Client) CreateMailShortcode

func (c *Client) CreateMailShortcode(ms *MailShortcode) (int64, error)

CreateMailShortcode creates a new mail.shortcode model and returns its id.

func (*Client) CreateMailShortcodes

func (c *Client) CreateMailShortcodes(mss []*MailShortcode) ([]int64, error)

CreateMailShortcode creates a new mail.shortcode model and returns its id.

func (*Client) CreateMailStatisticsReport

func (c *Client) CreateMailStatisticsReport(msr *MailStatisticsReport) (int64, error)

CreateMailStatisticsReport creates a new mail.statistics.report model and returns its id.

func (*Client) CreateMailStatisticsReports

func (c *Client) CreateMailStatisticsReports(msrs []*MailStatisticsReport) ([]int64, error)

CreateMailStatisticsReport creates a new mail.statistics.report model and returns its id.

func (*Client) CreateMailTemplate

func (c *Client) CreateMailTemplate(mt *MailTemplate) (int64, error)

CreateMailTemplate creates a new mail.template model and returns its id.

func (*Client) CreateMailTemplates

func (c *Client) CreateMailTemplates(mts []*MailTemplate) ([]int64, error)

CreateMailTemplate creates a new mail.template model and returns its id.

func (*Client) CreateMailTestSimple

func (c *Client) CreateMailTestSimple(mts *MailTestSimple) (int64, error)

CreateMailTestSimple creates a new mail.test.simple model and returns its id.

func (*Client) CreateMailTestSimples

func (c *Client) CreateMailTestSimples(mtss []*MailTestSimple) ([]int64, error)

CreateMailTestSimple creates a new mail.test.simple model and returns its id.

func (*Client) CreateMailThread

func (c *Client) CreateMailThread(mt *MailThread) (int64, error)

CreateMailThread creates a new mail.thread model and returns its id.

func (*Client) CreateMailThreads

func (c *Client) CreateMailThreads(mts []*MailThread) ([]int64, error)

CreateMailThread creates a new mail.thread model and returns its id.

func (*Client) CreateMailTrackingValue

func (c *Client) CreateMailTrackingValue(mtv *MailTrackingValue) (int64, error)

CreateMailTrackingValue creates a new mail.tracking.value model and returns its id.

func (*Client) CreateMailTrackingValues

func (c *Client) CreateMailTrackingValues(mtvs []*MailTrackingValue) ([]int64, error)

CreateMailTrackingValue creates a new mail.tracking.value model and returns its id.

func (*Client) CreateMailWizardInvite

func (c *Client) CreateMailWizardInvite(mwi *MailWizardInvite) (int64, error)

CreateMailWizardInvite creates a new mail.wizard.invite model and returns its id.

func (*Client) CreateMailWizardInvites

func (c *Client) CreateMailWizardInvites(mwis []*MailWizardInvite) ([]int64, error)

CreateMailWizardInvite creates a new mail.wizard.invite model and returns its id.

func (*Client) CreatePaymentAcquirer

func (c *Client) CreatePaymentAcquirer(pa *PaymentAcquirer) (int64, error)

CreatePaymentAcquirer creates a new payment.acquirer model and returns its id.

func (*Client) CreatePaymentAcquirers

func (c *Client) CreatePaymentAcquirers(pas []*PaymentAcquirer) ([]int64, error)

CreatePaymentAcquirer creates a new payment.acquirer model and returns its id.

func (*Client) CreatePaymentIcon

func (c *Client) CreatePaymentIcon(pi *PaymentIcon) (int64, error)

CreatePaymentIcon creates a new payment.icon model and returns its id.

func (*Client) CreatePaymentIcons

func (c *Client) CreatePaymentIcons(pis []*PaymentIcon) ([]int64, error)

CreatePaymentIcon creates a new payment.icon model and returns its id.

func (*Client) CreatePaymentToken

func (c *Client) CreatePaymentToken(pt *PaymentToken) (int64, error)

CreatePaymentToken creates a new payment.token model and returns its id.

func (*Client) CreatePaymentTokens

func (c *Client) CreatePaymentTokens(pts []*PaymentToken) ([]int64, error)

CreatePaymentToken creates a new payment.token model and returns its id.

func (*Client) CreatePaymentTransaction

func (c *Client) CreatePaymentTransaction(pt *PaymentTransaction) (int64, error)

CreatePaymentTransaction creates a new payment.transaction model and returns its id.

func (*Client) CreatePaymentTransactions

func (c *Client) CreatePaymentTransactions(pts []*PaymentTransaction) ([]int64, error)

CreatePaymentTransaction creates a new payment.transaction model and returns its id.

func (*Client) CreatePortalMixin

func (c *Client) CreatePortalMixin(pm *PortalMixin) (int64, error)

CreatePortalMixin creates a new portal.mixin model and returns its id.

func (*Client) CreatePortalMixins

func (c *Client) CreatePortalMixins(pms []*PortalMixin) ([]int64, error)

CreatePortalMixin creates a new portal.mixin model and returns its id.

func (*Client) CreatePortalWizard

func (c *Client) CreatePortalWizard(pw *PortalWizard) (int64, error)

CreatePortalWizard creates a new portal.wizard model and returns its id.

func (*Client) CreatePortalWizardUser

func (c *Client) CreatePortalWizardUser(pwu *PortalWizardUser) (int64, error)

CreatePortalWizardUser creates a new portal.wizard.user model and returns its id.

func (*Client) CreatePortalWizardUsers

func (c *Client) CreatePortalWizardUsers(pwus []*PortalWizardUser) ([]int64, error)

CreatePortalWizardUser creates a new portal.wizard.user model and returns its id.

func (*Client) CreatePortalWizards

func (c *Client) CreatePortalWizards(pws []*PortalWizard) ([]int64, error)

CreatePortalWizard creates a new portal.wizard model and returns its id.

func (*Client) CreateProcurementGroup

func (c *Client) CreateProcurementGroup(pg *ProcurementGroup) (int64, error)

CreateProcurementGroup creates a new procurement.group model and returns its id.

func (*Client) CreateProcurementGroups

func (c *Client) CreateProcurementGroups(pgs []*ProcurementGroup) ([]int64, error)

CreateProcurementGroup creates a new procurement.group model and returns its id.

func (*Client) CreateProcurementRule

func (c *Client) CreateProcurementRule(pr *ProcurementRule) (int64, error)

CreateProcurementRule creates a new procurement.rule model and returns its id.

func (*Client) CreateProcurementRules

func (c *Client) CreateProcurementRules(prs []*ProcurementRule) ([]int64, error)

CreateProcurementRule creates a new procurement.rule model and returns its id.

func (*Client) CreateProductAttribute

func (c *Client) CreateProductAttribute(pa *ProductAttribute) (int64, error)

CreateProductAttribute creates a new product.attribute model and returns its id.

func (*Client) CreateProductAttributeLine

func (c *Client) CreateProductAttributeLine(pal *ProductAttributeLine) (int64, error)

CreateProductAttributeLine creates a new product.attribute.line model and returns its id.

func (*Client) CreateProductAttributeLines

func (c *Client) CreateProductAttributeLines(pals []*ProductAttributeLine) ([]int64, error)

CreateProductAttributeLine creates a new product.attribute.line model and returns its id.

func (*Client) CreateProductAttributePrice

func (c *Client) CreateProductAttributePrice(pap *ProductAttributePrice) (int64, error)

CreateProductAttributePrice creates a new product.attribute.price model and returns its id.

func (*Client) CreateProductAttributePrices

func (c *Client) CreateProductAttributePrices(paps []*ProductAttributePrice) ([]int64, error)

CreateProductAttributePrice creates a new product.attribute.price model and returns its id.

func (*Client) CreateProductAttributeValue

func (c *Client) CreateProductAttributeValue(pav *ProductAttributeValue) (int64, error)

CreateProductAttributeValue creates a new product.attribute.value model and returns its id.

func (*Client) CreateProductAttributeValues

func (c *Client) CreateProductAttributeValues(pavs []*ProductAttributeValue) ([]int64, error)

CreateProductAttributeValue creates a new product.attribute.value model and returns its id.

func (*Client) CreateProductAttributes

func (c *Client) CreateProductAttributes(pas []*ProductAttribute) ([]int64, error)

CreateProductAttribute creates a new product.attribute model and returns its id.

func (*Client) CreateProductCategory

func (c *Client) CreateProductCategory(pc *ProductCategory) (int64, error)

CreateProductCategory creates a new product.category model and returns its id.

func (*Client) CreateProductCategorys

func (c *Client) CreateProductCategorys(pcs []*ProductCategory) ([]int64, error)

CreateProductCategory creates a new product.category model and returns its id.

func (*Client) CreateProductPackaging

func (c *Client) CreateProductPackaging(pp *ProductPackaging) (int64, error)

CreateProductPackaging creates a new product.packaging model and returns its id.

func (*Client) CreateProductPackagings

func (c *Client) CreateProductPackagings(pps []*ProductPackaging) ([]int64, error)

CreateProductPackaging creates a new product.packaging model and returns its id.

func (*Client) CreateProductPriceHistory

func (c *Client) CreateProductPriceHistory(pph *ProductPriceHistory) (int64, error)

CreateProductPriceHistory creates a new product.price.history model and returns its id.

func (*Client) CreateProductPriceHistorys

func (c *Client) CreateProductPriceHistorys(pphs []*ProductPriceHistory) ([]int64, error)

CreateProductPriceHistory creates a new product.price.history model and returns its id.

func (*Client) CreateProductPriceList

func (c *Client) CreateProductPriceList(pp *ProductPriceList) (int64, error)

CreateProductPriceList creates a new product.price_list model and returns its id.

func (*Client) CreateProductPriceLists

func (c *Client) CreateProductPriceLists(pps []*ProductPriceList) ([]int64, error)

CreateProductPriceList creates a new product.price_list model and returns its id.

func (*Client) CreateProductPricelist

func (c *Client) CreateProductPricelist(pp *ProductPricelist) (int64, error)

CreateProductPricelist creates a new product.pricelist model and returns its id.

func (*Client) CreateProductPricelistItem

func (c *Client) CreateProductPricelistItem(ppi *ProductPricelistItem) (int64, error)

CreateProductPricelistItem creates a new product.pricelist.item model and returns its id.

func (*Client) CreateProductPricelistItems

func (c *Client) CreateProductPricelistItems(ppis []*ProductPricelistItem) ([]int64, error)

CreateProductPricelistItem creates a new product.pricelist.item model and returns its id.

func (*Client) CreateProductPricelists

func (c *Client) CreateProductPricelists(pps []*ProductPricelist) ([]int64, error)

CreateProductPricelist creates a new product.pricelist model and returns its id.

func (*Client) CreateProductProduct

func (c *Client) CreateProductProduct(pp *ProductProduct) (int64, error)

CreateProductProduct creates a new product.product model and returns its id.

func (*Client) CreateProductProducts

func (c *Client) CreateProductProducts(pps []*ProductProduct) ([]int64, error)

CreateProductProduct creates a new product.product model and returns its id.

func (*Client) CreateProductPutaway

func (c *Client) CreateProductPutaway(pp *ProductPutaway) (int64, error)

CreateProductPutaway creates a new product.putaway model and returns its id.

func (*Client) CreateProductPutaways

func (c *Client) CreateProductPutaways(pps []*ProductPutaway) ([]int64, error)

CreateProductPutaway creates a new product.putaway model and returns its id.

func (*Client) CreateProductRemoval

func (c *Client) CreateProductRemoval(pr *ProductRemoval) (int64, error)

CreateProductRemoval creates a new product.removal model and returns its id.

func (*Client) CreateProductRemovals

func (c *Client) CreateProductRemovals(prs []*ProductRemoval) ([]int64, error)

CreateProductRemoval creates a new product.removal model and returns its id.

func (*Client) CreateProductSupplierinfo

func (c *Client) CreateProductSupplierinfo(ps *ProductSupplierinfo) (int64, error)

CreateProductSupplierinfo creates a new product.supplierinfo model and returns its id.

func (*Client) CreateProductSupplierinfos

func (c *Client) CreateProductSupplierinfos(pss []*ProductSupplierinfo) ([]int64, error)

CreateProductSupplierinfo creates a new product.supplierinfo model and returns its id.

func (*Client) CreateProductTemplate

func (c *Client) CreateProductTemplate(pt *ProductTemplate) (int64, error)

CreateProductTemplate creates a new product.template model and returns its id.

func (*Client) CreateProductTemplates

func (c *Client) CreateProductTemplates(pts []*ProductTemplate) ([]int64, error)

CreateProductTemplate creates a new product.template model and returns its id.

func (*Client) CreateProductUom

func (c *Client) CreateProductUom(pu *ProductUom) (int64, error)

CreateProductUom creates a new product.uom model and returns its id.

func (*Client) CreateProductUomCateg

func (c *Client) CreateProductUomCateg(puc *ProductUomCateg) (int64, error)

CreateProductUomCateg creates a new product.uom.categ model and returns its id.

func (*Client) CreateProductUomCategs

func (c *Client) CreateProductUomCategs(pucs []*ProductUomCateg) ([]int64, error)

CreateProductUomCateg creates a new product.uom.categ model and returns its id.

func (*Client) CreateProductUoms

func (c *Client) CreateProductUoms(pus []*ProductUom) ([]int64, error)

CreateProductUom creates a new product.uom model and returns its id.

func (*Client) CreateProjectProject

func (c *Client) CreateProjectProject(pp *ProjectProject) (int64, error)

CreateProjectProject creates a new project.project model and returns its id.

func (*Client) CreateProjectProjects

func (c *Client) CreateProjectProjects(pps []*ProjectProject) ([]int64, error)

CreateProjectProject creates a new project.project model and returns its id.

func (*Client) CreateProjectTags

func (c *Client) CreateProjectTags(pt *ProjectTags) (int64, error)

CreateProjectTags creates a new project.tags model and returns its id.

func (*Client) CreateProjectTagss

func (c *Client) CreateProjectTagss(pts []*ProjectTags) ([]int64, error)

CreateProjectTags creates a new project.tags model and returns its id.

func (*Client) CreateProjectTask

func (c *Client) CreateProjectTask(pt *ProjectTask) (int64, error)

CreateProjectTask creates a new project.task model and returns its id.

func (*Client) CreateProjectTaskMergeWizard

func (c *Client) CreateProjectTaskMergeWizard(ptmw *ProjectTaskMergeWizard) (int64, error)

CreateProjectTaskMergeWizard creates a new project.task.merge.wizard model and returns its id.

func (*Client) CreateProjectTaskMergeWizards

func (c *Client) CreateProjectTaskMergeWizards(ptmws []*ProjectTaskMergeWizard) ([]int64, error)

CreateProjectTaskMergeWizard creates a new project.task.merge.wizard model and returns its id.

func (*Client) CreateProjectTaskType

func (c *Client) CreateProjectTaskType(ptt *ProjectTaskType) (int64, error)

CreateProjectTaskType creates a new project.task.type model and returns its id.

func (*Client) CreateProjectTaskTypes

func (c *Client) CreateProjectTaskTypes(ptts []*ProjectTaskType) ([]int64, error)

CreateProjectTaskType creates a new project.task.type model and returns its id.

func (*Client) CreateProjectTasks

func (c *Client) CreateProjectTasks(pts []*ProjectTask) ([]int64, error)

CreateProjectTask creates a new project.task model and returns its id.

func (*Client) CreatePublisherWarrantyContract

func (c *Client) CreatePublisherWarrantyContract(pc *PublisherWarrantyContract) (int64, error)

CreatePublisherWarrantyContract creates a new publisher_warranty.contract model and returns its id.

func (*Client) CreatePublisherWarrantyContracts

func (c *Client) CreatePublisherWarrantyContracts(pcs []*PublisherWarrantyContract) ([]int64, error)

CreatePublisherWarrantyContract creates a new publisher_warranty.contract model and returns its id.

func (*Client) CreatePurchaseOrder

func (c *Client) CreatePurchaseOrder(po *PurchaseOrder) (int64, error)

CreatePurchaseOrder creates a new purchase.order model and returns its id.

func (*Client) CreatePurchaseOrderLine

func (c *Client) CreatePurchaseOrderLine(pol *PurchaseOrderLine) (int64, error)

CreatePurchaseOrderLine creates a new purchase.order.line model and returns its id.

func (*Client) CreatePurchaseOrderLines

func (c *Client) CreatePurchaseOrderLines(pols []*PurchaseOrderLine) ([]int64, error)

CreatePurchaseOrderLine creates a new purchase.order.line model and returns its id.

func (*Client) CreatePurchaseOrders

func (c *Client) CreatePurchaseOrders(pos []*PurchaseOrder) ([]int64, error)

CreatePurchaseOrder creates a new purchase.order model and returns its id.

func (*Client) CreatePurchaseReport

func (c *Client) CreatePurchaseReport(pr *PurchaseReport) (int64, error)

CreatePurchaseReport creates a new purchase.report model and returns its id.

func (*Client) CreatePurchaseReports

func (c *Client) CreatePurchaseReports(prs []*PurchaseReport) ([]int64, error)

CreatePurchaseReport creates a new purchase.report model and returns its id.

func (*Client) CreateRatingMixin

func (c *Client) CreateRatingMixin(rm *RatingMixin) (int64, error)

CreateRatingMixin creates a new rating.mixin model and returns its id.

func (*Client) CreateRatingMixins

func (c *Client) CreateRatingMixins(rms []*RatingMixin) ([]int64, error)

CreateRatingMixin creates a new rating.mixin model and returns its id.

func (*Client) CreateRatingRating

func (c *Client) CreateRatingRating(rr *RatingRating) (int64, error)

CreateRatingRating creates a new rating.rating model and returns its id.

func (*Client) CreateRatingRatings

func (c *Client) CreateRatingRatings(rrs []*RatingRating) ([]int64, error)

CreateRatingRating creates a new rating.rating model and returns its id.

func (*Client) CreateReportAccountReportAgedpartnerbalance

func (c *Client) CreateReportAccountReportAgedpartnerbalance(rar *ReportAccountReportAgedpartnerbalance) (int64, error)

CreateReportAccountReportAgedpartnerbalance creates a new report.account.report_agedpartnerbalance model and returns its id.

func (*Client) CreateReportAccountReportAgedpartnerbalances

func (c *Client) CreateReportAccountReportAgedpartnerbalances(rars []*ReportAccountReportAgedpartnerbalance) ([]int64, error)

CreateReportAccountReportAgedpartnerbalance creates a new report.account.report_agedpartnerbalance model and returns its id.

func (*Client) CreateReportAccountReportFinancial

func (c *Client) CreateReportAccountReportFinancial(rar *ReportAccountReportFinancial) (int64, error)

CreateReportAccountReportFinancial creates a new report.account.report_financial model and returns its id.

func (*Client) CreateReportAccountReportFinancials

func (c *Client) CreateReportAccountReportFinancials(rars []*ReportAccountReportFinancial) ([]int64, error)

CreateReportAccountReportFinancial creates a new report.account.report_financial model and returns its id.

func (*Client) CreateReportAccountReportGeneralledger

func (c *Client) CreateReportAccountReportGeneralledger(rar *ReportAccountReportGeneralledger) (int64, error)

CreateReportAccountReportGeneralledger creates a new report.account.report_generalledger model and returns its id.

func (*Client) CreateReportAccountReportGeneralledgers

func (c *Client) CreateReportAccountReportGeneralledgers(rars []*ReportAccountReportGeneralledger) ([]int64, error)

CreateReportAccountReportGeneralledger creates a new report.account.report_generalledger model and returns its id.

func (*Client) CreateReportAccountReportJournal

func (c *Client) CreateReportAccountReportJournal(rar *ReportAccountReportJournal) (int64, error)

CreateReportAccountReportJournal creates a new report.account.report_journal model and returns its id.

func (*Client) CreateReportAccountReportJournals

func (c *Client) CreateReportAccountReportJournals(rars []*ReportAccountReportJournal) ([]int64, error)

CreateReportAccountReportJournal creates a new report.account.report_journal model and returns its id.

func (*Client) CreateReportAccountReportOverdue

func (c *Client) CreateReportAccountReportOverdue(rar *ReportAccountReportOverdue) (int64, error)

CreateReportAccountReportOverdue creates a new report.account.report_overdue model and returns its id.

func (*Client) CreateReportAccountReportOverdues

func (c *Client) CreateReportAccountReportOverdues(rars []*ReportAccountReportOverdue) ([]int64, error)

CreateReportAccountReportOverdue creates a new report.account.report_overdue model and returns its id.

func (*Client) CreateReportAccountReportPartnerledger

func (c *Client) CreateReportAccountReportPartnerledger(rar *ReportAccountReportPartnerledger) (int64, error)

CreateReportAccountReportPartnerledger creates a new report.account.report_partnerledger model and returns its id.

func (*Client) CreateReportAccountReportPartnerledgers

func (c *Client) CreateReportAccountReportPartnerledgers(rars []*ReportAccountReportPartnerledger) ([]int64, error)

CreateReportAccountReportPartnerledger creates a new report.account.report_partnerledger model and returns its id.

func (*Client) CreateReportAccountReportTax

func (c *Client) CreateReportAccountReportTax(rar *ReportAccountReportTax) (int64, error)

CreateReportAccountReportTax creates a new report.account.report_tax model and returns its id.

func (*Client) CreateReportAccountReportTaxs

func (c *Client) CreateReportAccountReportTaxs(rars []*ReportAccountReportTax) ([]int64, error)

CreateReportAccountReportTax creates a new report.account.report_tax model and returns its id.

func (*Client) CreateReportAccountReportTrialbalance

func (c *Client) CreateReportAccountReportTrialbalance(rar *ReportAccountReportTrialbalance) (int64, error)

CreateReportAccountReportTrialbalance creates a new report.account.report_trialbalance model and returns its id.

func (*Client) CreateReportAccountReportTrialbalances

func (c *Client) CreateReportAccountReportTrialbalances(rars []*ReportAccountReportTrialbalance) ([]int64, error)

CreateReportAccountReportTrialbalance creates a new report.account.report_trialbalance model and returns its id.

func (*Client) CreateReportAllChannelsSales

func (c *Client) CreateReportAllChannelsSales(racs *ReportAllChannelsSales) (int64, error)

CreateReportAllChannelsSales creates a new report.all.channels.sales model and returns its id.

func (*Client) CreateReportAllChannelsSaless

func (c *Client) CreateReportAllChannelsSaless(racss []*ReportAllChannelsSales) ([]int64, error)

CreateReportAllChannelsSales creates a new report.all.channels.sales model and returns its id.

func (*Client) CreateReportBaseReportIrmodulereference

func (c *Client) CreateReportBaseReportIrmodulereference(rbr *ReportBaseReportIrmodulereference) (int64, error)

CreateReportBaseReportIrmodulereference creates a new report.base.report_irmodulereference model and returns its id.

func (*Client) CreateReportBaseReportIrmodulereferences

func (c *Client) CreateReportBaseReportIrmodulereferences(rbrs []*ReportBaseReportIrmodulereference) ([]int64, error)

CreateReportBaseReportIrmodulereference creates a new report.base.report_irmodulereference model and returns its id.

func (*Client) CreateReportHrHolidaysReportHolidayssummary

func (c *Client) CreateReportHrHolidaysReportHolidayssummary(rhr *ReportHrHolidaysReportHolidayssummary) (int64, error)

CreateReportHrHolidaysReportHolidayssummary creates a new report.hr_holidays.report_holidayssummary model and returns its id.

func (*Client) CreateReportHrHolidaysReportHolidayssummarys

func (c *Client) CreateReportHrHolidaysReportHolidayssummarys(rhrs []*ReportHrHolidaysReportHolidayssummary) ([]int64, error)

CreateReportHrHolidaysReportHolidayssummary creates a new report.hr_holidays.report_holidayssummary model and returns its id.

func (*Client) CreateReportPaperformat

func (c *Client) CreateReportPaperformat(rp *ReportPaperformat) (int64, error)

CreateReportPaperformat creates a new report.paperformat model and returns its id.

func (*Client) CreateReportPaperformats

func (c *Client) CreateReportPaperformats(rps []*ReportPaperformat) ([]int64, error)

CreateReportPaperformat creates a new report.paperformat model and returns its id.

func (*Client) CreateReportProductReportPricelist

func (c *Client) CreateReportProductReportPricelist(rpr *ReportProductReportPricelist) (int64, error)

CreateReportProductReportPricelist creates a new report.product.report_pricelist model and returns its id.

func (*Client) CreateReportProductReportPricelists

func (c *Client) CreateReportProductReportPricelists(rprs []*ReportProductReportPricelist) ([]int64, error)

CreateReportProductReportPricelist creates a new report.product.report_pricelist model and returns its id.

func (*Client) CreateReportProjectTaskUser

func (c *Client) CreateReportProjectTaskUser(rptu *ReportProjectTaskUser) (int64, error)

CreateReportProjectTaskUser creates a new report.project.task.user model and returns its id.

func (*Client) CreateReportProjectTaskUsers

func (c *Client) CreateReportProjectTaskUsers(rptus []*ReportProjectTaskUser) ([]int64, error)

CreateReportProjectTaskUser creates a new report.project.task.user model and returns its id.

func (*Client) CreateReportSaleReportSaleproforma

func (c *Client) CreateReportSaleReportSaleproforma(rsr *ReportSaleReportSaleproforma) (int64, error)

CreateReportSaleReportSaleproforma creates a new report.sale.report_saleproforma model and returns its id.

func (*Client) CreateReportSaleReportSaleproformas

func (c *Client) CreateReportSaleReportSaleproformas(rsrs []*ReportSaleReportSaleproforma) ([]int64, error)

CreateReportSaleReportSaleproforma creates a new report.sale.report_saleproforma model and returns its id.

func (*Client) CreateReportStockForecast

func (c *Client) CreateReportStockForecast(rsf *ReportStockForecast) (int64, error)

CreateReportStockForecast creates a new report.stock.forecast model and returns its id.

func (*Client) CreateReportStockForecasts

func (c *Client) CreateReportStockForecasts(rsfs []*ReportStockForecast) ([]int64, error)

CreateReportStockForecast creates a new report.stock.forecast model and returns its id.

func (*Client) CreateResBank

func (c *Client) CreateResBank(rb *ResBank) (int64, error)

CreateResBank creates a new res.bank model and returns its id.

func (*Client) CreateResBanks

func (c *Client) CreateResBanks(rbs []*ResBank) ([]int64, error)

CreateResBank creates a new res.bank model and returns its id.

func (*Client) CreateResCompany

func (c *Client) CreateResCompany(rc *ResCompany) (int64, error)

CreateResCompany creates a new res.company model and returns its id.

func (*Client) CreateResCompanys

func (c *Client) CreateResCompanys(rcs []*ResCompany) ([]int64, error)

CreateResCompany creates a new res.company model and returns its id.

func (*Client) CreateResConfig

func (c *Client) CreateResConfig(rc *ResConfig) (int64, error)

CreateResConfig creates a new res.config model and returns its id.

func (*Client) CreateResConfigInstaller

func (c *Client) CreateResConfigInstaller(rci *ResConfigInstaller) (int64, error)

CreateResConfigInstaller creates a new res.config.installer model and returns its id.

func (*Client) CreateResConfigInstallers

func (c *Client) CreateResConfigInstallers(rcis []*ResConfigInstaller) ([]int64, error)

CreateResConfigInstaller creates a new res.config.installer model and returns its id.

func (*Client) CreateResConfigSettings

func (c *Client) CreateResConfigSettings(rcs *ResConfigSettings) (int64, error)

CreateResConfigSettings creates a new res.config.settings model and returns its id.

func (*Client) CreateResConfigSettingss

func (c *Client) CreateResConfigSettingss(rcss []*ResConfigSettings) ([]int64, error)

CreateResConfigSettings creates a new res.config.settings model and returns its id.

func (*Client) CreateResConfigs

func (c *Client) CreateResConfigs(rcs []*ResConfig) ([]int64, error)

CreateResConfig creates a new res.config model and returns its id.

func (*Client) CreateResCountry

func (c *Client) CreateResCountry(rc *ResCountry) (int64, error)

CreateResCountry creates a new res.country model and returns its id.

func (*Client) CreateResCountryGroup

func (c *Client) CreateResCountryGroup(rcg *ResCountryGroup) (int64, error)

CreateResCountryGroup creates a new res.country.group model and returns its id.

func (*Client) CreateResCountryGroups

func (c *Client) CreateResCountryGroups(rcgs []*ResCountryGroup) ([]int64, error)

CreateResCountryGroup creates a new res.country.group model and returns its id.

func (*Client) CreateResCountryState

func (c *Client) CreateResCountryState(rcs *ResCountryState) (int64, error)

CreateResCountryState creates a new res.country.state model and returns its id.

func (*Client) CreateResCountryStates

func (c *Client) CreateResCountryStates(rcss []*ResCountryState) ([]int64, error)

CreateResCountryState creates a new res.country.state model and returns its id.

func (*Client) CreateResCountrys

func (c *Client) CreateResCountrys(rcs []*ResCountry) ([]int64, error)

CreateResCountry creates a new res.country model and returns its id.

func (*Client) CreateResCurrency

func (c *Client) CreateResCurrency(rc *ResCurrency) (int64, error)

CreateResCurrency creates a new res.currency model and returns its id.

func (*Client) CreateResCurrencyRate

func (c *Client) CreateResCurrencyRate(rcr *ResCurrencyRate) (int64, error)

CreateResCurrencyRate creates a new res.currency.rate model and returns its id.

func (*Client) CreateResCurrencyRates

func (c *Client) CreateResCurrencyRates(rcrs []*ResCurrencyRate) ([]int64, error)

CreateResCurrencyRate creates a new res.currency.rate model and returns its id.

func (*Client) CreateResCurrencys

func (c *Client) CreateResCurrencys(rcs []*ResCurrency) ([]int64, error)

CreateResCurrency creates a new res.currency model and returns its id.

func (*Client) CreateResGroups

func (c *Client) CreateResGroups(rg *ResGroups) (int64, error)

CreateResGroups creates a new res.groups model and returns its id.

func (*Client) CreateResGroupss

func (c *Client) CreateResGroupss(rgs []*ResGroups) ([]int64, error)

CreateResGroups creates a new res.groups model and returns its id.

func (*Client) CreateResLang

func (c *Client) CreateResLang(rl *ResLang) (int64, error)

CreateResLang creates a new res.lang model and returns its id.

func (*Client) CreateResLangs

func (c *Client) CreateResLangs(rls []*ResLang) ([]int64, error)

CreateResLang creates a new res.lang model and returns its id.

func (*Client) CreateResPartner

func (c *Client) CreateResPartner(rp *ResPartner) (int64, error)

CreateResPartner creates a new res.partner model and returns its id.

func (*Client) CreateResPartnerBank

func (c *Client) CreateResPartnerBank(rpb *ResPartnerBank) (int64, error)

CreateResPartnerBank creates a new res.partner.bank model and returns its id.

func (*Client) CreateResPartnerBanks

func (c *Client) CreateResPartnerBanks(rpbs []*ResPartnerBank) ([]int64, error)

CreateResPartnerBank creates a new res.partner.bank model and returns its id.

func (*Client) CreateResPartnerCategory

func (c *Client) CreateResPartnerCategory(rpc *ResPartnerCategory) (int64, error)

CreateResPartnerCategory creates a new res.partner.category model and returns its id.

func (*Client) CreateResPartnerCategorys

func (c *Client) CreateResPartnerCategorys(rpcs []*ResPartnerCategory) ([]int64, error)

CreateResPartnerCategory creates a new res.partner.category model and returns its id.

func (*Client) CreateResPartnerIndustry

func (c *Client) CreateResPartnerIndustry(rpi *ResPartnerIndustry) (int64, error)

CreateResPartnerIndustry creates a new res.partner.industry model and returns its id.

func (*Client) CreateResPartnerIndustrys

func (c *Client) CreateResPartnerIndustrys(rpis []*ResPartnerIndustry) ([]int64, error)

CreateResPartnerIndustry creates a new res.partner.industry model and returns its id.

func (*Client) CreateResPartnerTitle

func (c *Client) CreateResPartnerTitle(rpt *ResPartnerTitle) (int64, error)

CreateResPartnerTitle creates a new res.partner.title model and returns its id.

func (*Client) CreateResPartnerTitles

func (c *Client) CreateResPartnerTitles(rpts []*ResPartnerTitle) ([]int64, error)

CreateResPartnerTitle creates a new res.partner.title model and returns its id.

func (*Client) CreateResPartners

func (c *Client) CreateResPartners(rps []*ResPartner) ([]int64, error)

CreateResPartner creates a new res.partner model and returns its id.

func (c *Client) CreateResRequestLink(rrl *ResRequestLink) (int64, error)

CreateResRequestLink creates a new res.request.link model and returns its id.

func (c *Client) CreateResRequestLinks(rrls []*ResRequestLink) ([]int64, error)

CreateResRequestLink creates a new res.request.link model and returns its id.

func (*Client) CreateResUsers

func (c *Client) CreateResUsers(ru *ResUsers) (int64, error)

CreateResUsers creates a new res.users model and returns its id.

func (*Client) CreateResUsersLog

func (c *Client) CreateResUsersLog(rul *ResUsersLog) (int64, error)

CreateResUsersLog creates a new res.users.log model and returns its id.

func (*Client) CreateResUsersLogs

func (c *Client) CreateResUsersLogs(ruls []*ResUsersLog) ([]int64, error)

CreateResUsersLog creates a new res.users.log model and returns its id.

func (*Client) CreateResUserss

func (c *Client) CreateResUserss(rus []*ResUsers) ([]int64, error)

CreateResUsers creates a new res.users model and returns its id.

func (*Client) CreateResourceCalendar

func (c *Client) CreateResourceCalendar(rc *ResourceCalendar) (int64, error)

CreateResourceCalendar creates a new resource.calendar model and returns its id.

func (*Client) CreateResourceCalendarAttendance

func (c *Client) CreateResourceCalendarAttendance(rca *ResourceCalendarAttendance) (int64, error)

CreateResourceCalendarAttendance creates a new resource.calendar.attendance model and returns its id.

func (*Client) CreateResourceCalendarAttendances

func (c *Client) CreateResourceCalendarAttendances(rcas []*ResourceCalendarAttendance) ([]int64, error)

CreateResourceCalendarAttendance creates a new resource.calendar.attendance model and returns its id.

func (*Client) CreateResourceCalendarLeaves

func (c *Client) CreateResourceCalendarLeaves(rcl *ResourceCalendarLeaves) (int64, error)

CreateResourceCalendarLeaves creates a new resource.calendar.leaves model and returns its id.

func (*Client) CreateResourceCalendarLeavess

func (c *Client) CreateResourceCalendarLeavess(rcls []*ResourceCalendarLeaves) ([]int64, error)

CreateResourceCalendarLeaves creates a new resource.calendar.leaves model and returns its id.

func (*Client) CreateResourceCalendars

func (c *Client) CreateResourceCalendars(rcs []*ResourceCalendar) ([]int64, error)

CreateResourceCalendar creates a new resource.calendar model and returns its id.

func (*Client) CreateResourceMixin

func (c *Client) CreateResourceMixin(rm *ResourceMixin) (int64, error)

CreateResourceMixin creates a new resource.mixin model and returns its id.

func (*Client) CreateResourceMixins

func (c *Client) CreateResourceMixins(rms []*ResourceMixin) ([]int64, error)

CreateResourceMixin creates a new resource.mixin model and returns its id.

func (*Client) CreateResourceResource

func (c *Client) CreateResourceResource(rr *ResourceResource) (int64, error)

CreateResourceResource creates a new resource.resource model and returns its id.

func (*Client) CreateResourceResources

func (c *Client) CreateResourceResources(rrs []*ResourceResource) ([]int64, error)

CreateResourceResource creates a new resource.resource model and returns its id.

func (*Client) CreateSaleAdvancePaymentInv

func (c *Client) CreateSaleAdvancePaymentInv(sapi *SaleAdvancePaymentInv) (int64, error)

CreateSaleAdvancePaymentInv creates a new sale.advance.payment.inv model and returns its id.

func (*Client) CreateSaleAdvancePaymentInvs

func (c *Client) CreateSaleAdvancePaymentInvs(sapis []*SaleAdvancePaymentInv) ([]int64, error)

CreateSaleAdvancePaymentInv creates a new sale.advance.payment.inv model and returns its id.

func (*Client) CreateSaleLayoutCategory

func (c *Client) CreateSaleLayoutCategory(sl *SaleLayoutCategory) (int64, error)

CreateSaleLayoutCategory creates a new sale.layout_category model and returns its id.

func (*Client) CreateSaleLayoutCategorys

func (c *Client) CreateSaleLayoutCategorys(sls []*SaleLayoutCategory) ([]int64, error)

CreateSaleLayoutCategory creates a new sale.layout_category model and returns its id.

func (*Client) CreateSaleOrder

func (c *Client) CreateSaleOrder(so *SaleOrder) (int64, error)

CreateSaleOrder creates a new sale.order model and returns its id.

func (*Client) CreateSaleOrderLine

func (c *Client) CreateSaleOrderLine(sol *SaleOrderLine) (int64, error)

CreateSaleOrderLine creates a new sale.order.line model and returns its id.

func (*Client) CreateSaleOrderLines

func (c *Client) CreateSaleOrderLines(sols []*SaleOrderLine) ([]int64, error)

CreateSaleOrderLine creates a new sale.order.line model and returns its id.

func (*Client) CreateSaleOrders

func (c *Client) CreateSaleOrders(sos []*SaleOrder) ([]int64, error)

CreateSaleOrder creates a new sale.order model and returns its id.

func (*Client) CreateSaleReport

func (c *Client) CreateSaleReport(sr *SaleReport) (int64, error)

CreateSaleReport creates a new sale.report model and returns its id.

func (*Client) CreateSaleReports

func (c *Client) CreateSaleReports(srs []*SaleReport) ([]int64, error)

CreateSaleReport creates a new sale.report model and returns its id.

func (*Client) CreateSlideAnswer

func (c *Client) CreateSlideAnswer(sa *SlideAnswer) (int64, error)

func (*Client) CreateSlideAnswers

func (c *Client) CreateSlideAnswers(sa []*SlideAnswer) ([]int64, error)

func (*Client) CreateSlideChannel

func (c *Client) CreateSlideChannel(sc *SlideChannel) (int64, error)

func (*Client) CreateSlideChannelInvite

func (c *Client) CreateSlideChannelInvite(sci *SlideChannelInvite) (int64, error)

func (*Client) CreateSlideChannelInvites

func (c *Client) CreateSlideChannelInvites(sci []*SlideChannelInvite) ([]int64, error)

func (*Client) CreateSlideChannelPartner

func (c *Client) CreateSlideChannelPartner(scp *SlideChannelPartner) (int64, error)

func (*Client) CreateSlideChannelPartners

func (c *Client) CreateSlideChannelPartners(scp []*SlideChannelPartner) ([]int64, error)

func (*Client) CreateSlideChannelTag

func (c *Client) CreateSlideChannelTag(sct *SlideChannelTag) (int64, error)

func (*Client) CreateSlideChannelTagGroup

func (c *Client) CreateSlideChannelTagGroup(sctg *SlideChannelTagGroup) (int64, error)

func (*Client) CreateSlideChannelTagGroups

func (c *Client) CreateSlideChannelTagGroups(sctg []*SlideChannelTagGroup) ([]int64, error)

func (*Client) CreateSlideChannelTags

func (c *Client) CreateSlideChannelTags(sct []*SlideChannelTag) ([]int64, error)

func (*Client) CreateSlideChannels

func (c *Client) CreateSlideChannels(sc []*SlideChannel) ([]int64, error)

func (*Client) CreateSlideEmbed

func (c *Client) CreateSlideEmbed(se *SlideEmbed) (int64, error)

func (*Client) CreateSlideEmbeds

func (c *Client) CreateSlideEmbeds(se []*SlideEmbed) ([]int64, error)

func (*Client) CreateSlideQuestion

func (c *Client) CreateSlideQuestion(sq *SlideQuestion) (int64, error)

func (*Client) CreateSlideQuestions

func (c *Client) CreateSlideQuestions(sq []*SlideQuestion) ([]int64, error)

func (*Client) CreateSlideSlide

func (c *Client) CreateSlideSlide(ss *SlideSlide) (int64, error)

func (*Client) CreateSlideSlidePartner

func (c *Client) CreateSlideSlidePartner(ssp *SlideSlidePartner) (int64, error)

func (*Client) CreateSlideSlidePartners

func (c *Client) CreateSlideSlidePartners(ssp []*SlideSlidePartner) ([]int64, error)

func (*Client) CreateSlideSlideResource

func (c *Client) CreateSlideSlideResource(ssr *SlideSlideResource) (int64, error)

func (*Client) CreateSlideSlideResources

func (c *Client) CreateSlideSlideResources(ssr []*SlideSlideResource) ([]int64, error)

func (*Client) CreateSlideSlides

func (c *Client) CreateSlideSlides(ss []*SlideSlide) ([]int64, error)

func (*Client) CreateSlideTag

func (c *Client) CreateSlideTag(st *SlideTag) (int64, error)

func (*Client) CreateSlideTags

func (c *Client) CreateSlideTags(st []*SlideTag) ([]int64, error)

func (*Client) CreateSmsApi

func (c *Client) CreateSmsApi(sa *SmsApi) (int64, error)

CreateSmsApi creates a new sms.api model and returns its id.

func (*Client) CreateSmsApis

func (c *Client) CreateSmsApis(sas []*SmsApi) ([]int64, error)

CreateSmsApi creates a new sms.api model and returns its id.

func (*Client) CreateSmsSendSms

func (c *Client) CreateSmsSendSms(ss *SmsSendSms) (int64, error)

CreateSmsSendSms creates a new sms.send_sms model and returns its id.

func (*Client) CreateSmsSendSmss

func (c *Client) CreateSmsSendSmss(sss []*SmsSendSms) ([]int64, error)

CreateSmsSendSms creates a new sms.send_sms model and returns its id.

func (*Client) CreateStockBackorderConfirmation

func (c *Client) CreateStockBackorderConfirmation(sbc *StockBackorderConfirmation) (int64, error)

CreateStockBackorderConfirmation creates a new stock.backorder.confirmation model and returns its id.

func (*Client) CreateStockBackorderConfirmations

func (c *Client) CreateStockBackorderConfirmations(sbcs []*StockBackorderConfirmation) ([]int64, error)

CreateStockBackorderConfirmation creates a new stock.backorder.confirmation model and returns its id.

func (*Client) CreateStockChangeProductQty

func (c *Client) CreateStockChangeProductQty(scpq *StockChangeProductQty) (int64, error)

CreateStockChangeProductQty creates a new stock.change.product.qty model and returns its id.

func (*Client) CreateStockChangeProductQtys

func (c *Client) CreateStockChangeProductQtys(scpqs []*StockChangeProductQty) ([]int64, error)

CreateStockChangeProductQty creates a new stock.change.product.qty model and returns its id.

func (*Client) CreateStockChangeStandardPrice

func (c *Client) CreateStockChangeStandardPrice(scsp *StockChangeStandardPrice) (int64, error)

CreateStockChangeStandardPrice creates a new stock.change.standard.price model and returns its id.

func (*Client) CreateStockChangeStandardPrices

func (c *Client) CreateStockChangeStandardPrices(scsps []*StockChangeStandardPrice) ([]int64, error)

CreateStockChangeStandardPrice creates a new stock.change.standard.price model and returns its id.

func (*Client) CreateStockFixedPutawayStrat

func (c *Client) CreateStockFixedPutawayStrat(sfps *StockFixedPutawayStrat) (int64, error)

CreateStockFixedPutawayStrat creates a new stock.fixed.putaway.strat model and returns its id.

func (*Client) CreateStockFixedPutawayStrats

func (c *Client) CreateStockFixedPutawayStrats(sfpss []*StockFixedPutawayStrat) ([]int64, error)

CreateStockFixedPutawayStrat creates a new stock.fixed.putaway.strat model and returns its id.

func (*Client) CreateStockImmediateTransfer

func (c *Client) CreateStockImmediateTransfer(sit *StockImmediateTransfer) (int64, error)

CreateStockImmediateTransfer creates a new stock.immediate.transfer model and returns its id.

func (*Client) CreateStockImmediateTransfers

func (c *Client) CreateStockImmediateTransfers(sits []*StockImmediateTransfer) ([]int64, error)

CreateStockImmediateTransfer creates a new stock.immediate.transfer model and returns its id.

func (*Client) CreateStockIncoterms

func (c *Client) CreateStockIncoterms(si *StockIncoterms) (int64, error)

CreateStockIncoterms creates a new stock.incoterms model and returns its id.

func (*Client) CreateStockIncotermss

func (c *Client) CreateStockIncotermss(sis []*StockIncoterms) ([]int64, error)

CreateStockIncoterms creates a new stock.incoterms model and returns its id.

func (*Client) CreateStockInventory

func (c *Client) CreateStockInventory(si *StockInventory) (int64, error)

CreateStockInventory creates a new stock.inventory model and returns its id.

func (*Client) CreateStockInventoryLine

func (c *Client) CreateStockInventoryLine(sil *StockInventoryLine) (int64, error)

CreateStockInventoryLine creates a new stock.inventory.line model and returns its id.

func (*Client) CreateStockInventoryLines

func (c *Client) CreateStockInventoryLines(sils []*StockInventoryLine) ([]int64, error)

CreateStockInventoryLine creates a new stock.inventory.line model and returns its id.

func (*Client) CreateStockInventorys

func (c *Client) CreateStockInventorys(sis []*StockInventory) ([]int64, error)

CreateStockInventory creates a new stock.inventory model and returns its id.

func (*Client) CreateStockLocation

func (c *Client) CreateStockLocation(sl *StockLocation) (int64, error)

CreateStockLocation creates a new stock.location model and returns its id.

func (*Client) CreateStockLocationPath

func (c *Client) CreateStockLocationPath(slp *StockLocationPath) (int64, error)

CreateStockLocationPath creates a new stock.location.path model and returns its id.

func (*Client) CreateStockLocationPaths

func (c *Client) CreateStockLocationPaths(slps []*StockLocationPath) ([]int64, error)

CreateStockLocationPath creates a new stock.location.path model and returns its id.

func (*Client) CreateStockLocationRoute

func (c *Client) CreateStockLocationRoute(slr *StockLocationRoute) (int64, error)

CreateStockLocationRoute creates a new stock.location.route model and returns its id.

func (*Client) CreateStockLocationRoutes

func (c *Client) CreateStockLocationRoutes(slrs []*StockLocationRoute) ([]int64, error)

CreateStockLocationRoute creates a new stock.location.route model and returns its id.

func (*Client) CreateStockLocations

func (c *Client) CreateStockLocations(sls []*StockLocation) ([]int64, error)

CreateStockLocation creates a new stock.location model and returns its id.

func (*Client) CreateStockMove

func (c *Client) CreateStockMove(sm *StockMove) (int64, error)

CreateStockMove creates a new stock.move model and returns its id.

func (*Client) CreateStockMoveLine

func (c *Client) CreateStockMoveLine(sml *StockMoveLine) (int64, error)

CreateStockMoveLine creates a new stock.move.line model and returns its id.

func (*Client) CreateStockMoveLines

func (c *Client) CreateStockMoveLines(smls []*StockMoveLine) ([]int64, error)

CreateStockMoveLine creates a new stock.move.line model and returns its id.

func (*Client) CreateStockMoves

func (c *Client) CreateStockMoves(sms []*StockMove) ([]int64, error)

CreateStockMove creates a new stock.move model and returns its id.

func (*Client) CreateStockOverprocessedTransfer

func (c *Client) CreateStockOverprocessedTransfer(sot *StockOverprocessedTransfer) (int64, error)

CreateStockOverprocessedTransfer creates a new stock.overprocessed.transfer model and returns its id.

func (*Client) CreateStockOverprocessedTransfers

func (c *Client) CreateStockOverprocessedTransfers(sots []*StockOverprocessedTransfer) ([]int64, error)

CreateStockOverprocessedTransfer creates a new stock.overprocessed.transfer model and returns its id.

func (*Client) CreateStockPicking

func (c *Client) CreateStockPicking(sp *StockPicking) (int64, error)

CreateStockPicking creates a new stock.picking model and returns its id.

func (*Client) CreateStockPickingType

func (c *Client) CreateStockPickingType(spt *StockPickingType) (int64, error)

CreateStockPickingType creates a new stock.picking.type model and returns its id.

func (*Client) CreateStockPickingTypes

func (c *Client) CreateStockPickingTypes(spts []*StockPickingType) ([]int64, error)

CreateStockPickingType creates a new stock.picking.type model and returns its id.

func (*Client) CreateStockPickings

func (c *Client) CreateStockPickings(sps []*StockPicking) ([]int64, error)

CreateStockPicking creates a new stock.picking model and returns its id.

func (*Client) CreateStockProductionLot

func (c *Client) CreateStockProductionLot(spl *StockProductionLot) (int64, error)

CreateStockProductionLot creates a new stock.production.lot model and returns its id.

func (*Client) CreateStockProductionLots

func (c *Client) CreateStockProductionLots(spls []*StockProductionLot) ([]int64, error)

CreateStockProductionLot creates a new stock.production.lot model and returns its id.

func (*Client) CreateStockQuant

func (c *Client) CreateStockQuant(sq *StockQuant) (int64, error)

CreateStockQuant creates a new stock.quant model and returns its id.

func (*Client) CreateStockQuantPackage

func (c *Client) CreateStockQuantPackage(sqp *StockQuantPackage) (int64, error)

CreateStockQuantPackage creates a new stock.quant.package model and returns its id.

func (*Client) CreateStockQuantPackages

func (c *Client) CreateStockQuantPackages(sqps []*StockQuantPackage) ([]int64, error)

CreateStockQuantPackage creates a new stock.quant.package model and returns its id.

func (*Client) CreateStockQuantityHistory

func (c *Client) CreateStockQuantityHistory(sqh *StockQuantityHistory) (int64, error)

CreateStockQuantityHistory creates a new stock.quantity.history model and returns its id.

func (*Client) CreateStockQuantityHistorys

func (c *Client) CreateStockQuantityHistorys(sqhs []*StockQuantityHistory) ([]int64, error)

CreateStockQuantityHistory creates a new stock.quantity.history model and returns its id.

func (*Client) CreateStockQuants

func (c *Client) CreateStockQuants(sqs []*StockQuant) ([]int64, error)

CreateStockQuant creates a new stock.quant model and returns its id.

func (*Client) CreateStockReturnPicking

func (c *Client) CreateStockReturnPicking(srp *StockReturnPicking) (int64, error)

CreateStockReturnPicking creates a new stock.return.picking model and returns its id.

func (*Client) CreateStockReturnPickingLine

func (c *Client) CreateStockReturnPickingLine(srpl *StockReturnPickingLine) (int64, error)

CreateStockReturnPickingLine creates a new stock.return.picking.line model and returns its id.

func (*Client) CreateStockReturnPickingLines

func (c *Client) CreateStockReturnPickingLines(srpls []*StockReturnPickingLine) ([]int64, error)

CreateStockReturnPickingLine creates a new stock.return.picking.line model and returns its id.

func (*Client) CreateStockReturnPickings

func (c *Client) CreateStockReturnPickings(srps []*StockReturnPicking) ([]int64, error)

CreateStockReturnPicking creates a new stock.return.picking model and returns its id.

func (*Client) CreateStockSchedulerCompute

func (c *Client) CreateStockSchedulerCompute(ssc *StockSchedulerCompute) (int64, error)

CreateStockSchedulerCompute creates a new stock.scheduler.compute model and returns its id.

func (*Client) CreateStockSchedulerComputes

func (c *Client) CreateStockSchedulerComputes(sscs []*StockSchedulerCompute) ([]int64, error)

CreateStockSchedulerCompute creates a new stock.scheduler.compute model and returns its id.

func (*Client) CreateStockScrap

func (c *Client) CreateStockScrap(ss *StockScrap) (int64, error)

CreateStockScrap creates a new stock.scrap model and returns its id.

func (*Client) CreateStockScraps

func (c *Client) CreateStockScraps(sss []*StockScrap) ([]int64, error)

CreateStockScrap creates a new stock.scrap model and returns its id.

func (*Client) CreateStockTraceabilityReport

func (c *Client) CreateStockTraceabilityReport(str *StockTraceabilityReport) (int64, error)

CreateStockTraceabilityReport creates a new stock.traceability.report model and returns its id.

func (*Client) CreateStockTraceabilityReports

func (c *Client) CreateStockTraceabilityReports(strs []*StockTraceabilityReport) ([]int64, error)

CreateStockTraceabilityReport creates a new stock.traceability.report model and returns its id.

func (*Client) CreateStockWarehouse

func (c *Client) CreateStockWarehouse(sw *StockWarehouse) (int64, error)

CreateStockWarehouse creates a new stock.warehouse model and returns its id.

func (*Client) CreateStockWarehouseOrderpoint

func (c *Client) CreateStockWarehouseOrderpoint(swo *StockWarehouseOrderpoint) (int64, error)

CreateStockWarehouseOrderpoint creates a new stock.warehouse.orderpoint model and returns its id.

func (*Client) CreateStockWarehouseOrderpoints

func (c *Client) CreateStockWarehouseOrderpoints(swos []*StockWarehouseOrderpoint) ([]int64, error)

CreateStockWarehouseOrderpoint creates a new stock.warehouse.orderpoint model and returns its id.

func (*Client) CreateStockWarehouses

func (c *Client) CreateStockWarehouses(sws []*StockWarehouse) ([]int64, error)

CreateStockWarehouse creates a new stock.warehouse model and returns its id.

func (*Client) CreateStockWarnInsufficientQty

func (c *Client) CreateStockWarnInsufficientQty(swiq *StockWarnInsufficientQty) (int64, error)

CreateStockWarnInsufficientQty creates a new stock.warn.insufficient.qty model and returns its id.

func (*Client) CreateStockWarnInsufficientQtyScrap

func (c *Client) CreateStockWarnInsufficientQtyScrap(swiqs *StockWarnInsufficientQtyScrap) (int64, error)

CreateStockWarnInsufficientQtyScrap creates a new stock.warn.insufficient.qty.scrap model and returns its id.

func (*Client) CreateStockWarnInsufficientQtyScraps

func (c *Client) CreateStockWarnInsufficientQtyScraps(swiqss []*StockWarnInsufficientQtyScrap) ([]int64, error)

CreateStockWarnInsufficientQtyScrap creates a new stock.warn.insufficient.qty.scrap model and returns its id.

func (*Client) CreateStockWarnInsufficientQtys

func (c *Client) CreateStockWarnInsufficientQtys(swiqs []*StockWarnInsufficientQty) ([]int64, error)

CreateStockWarnInsufficientQty creates a new stock.warn.insufficient.qty model and returns its id.

func (*Client) CreateTaxAdjustmentsWizard

func (c *Client) CreateTaxAdjustmentsWizard(taw *TaxAdjustmentsWizard) (int64, error)

CreateTaxAdjustmentsWizard creates a new tax.adjustments.wizard model and returns its id.

func (*Client) CreateTaxAdjustmentsWizards

func (c *Client) CreateTaxAdjustmentsWizards(taws []*TaxAdjustmentsWizard) ([]int64, error)

CreateTaxAdjustmentsWizard creates a new tax.adjustments.wizard model and returns its id.

func (*Client) CreateUtmCampaign

func (c *Client) CreateUtmCampaign(uc *UtmCampaign) (int64, error)

CreateUtmCampaign creates a new utm.campaign model and returns its id.

func (*Client) CreateUtmCampaigns

func (c *Client) CreateUtmCampaigns(ucs []*UtmCampaign) ([]int64, error)

CreateUtmCampaign creates a new utm.campaign model and returns its id.

func (*Client) CreateUtmMedium

func (c *Client) CreateUtmMedium(um *UtmMedium) (int64, error)

CreateUtmMedium creates a new utm.medium model and returns its id.

func (*Client) CreateUtmMediums

func (c *Client) CreateUtmMediums(ums []*UtmMedium) ([]int64, error)

CreateUtmMedium creates a new utm.medium model and returns its id.

func (*Client) CreateUtmMixin

func (c *Client) CreateUtmMixin(um *UtmMixin) (int64, error)

CreateUtmMixin creates a new utm.mixin model and returns its id.

func (*Client) CreateUtmMixins

func (c *Client) CreateUtmMixins(ums []*UtmMixin) ([]int64, error)

CreateUtmMixin creates a new utm.mixin model and returns its id.

func (*Client) CreateUtmSource

func (c *Client) CreateUtmSource(us *UtmSource) (int64, error)

CreateUtmSource creates a new utm.source model and returns its id.

func (*Client) CreateUtmSources

func (c *Client) CreateUtmSources(uss []*UtmSource) ([]int64, error)

CreateUtmSource creates a new utm.source model and returns its id.

func (*Client) CreateValidateAccountMove

func (c *Client) CreateValidateAccountMove(vam *ValidateAccountMove) (int64, error)

CreateValidateAccountMove creates a new validate.account.move model and returns its id.

func (*Client) CreateValidateAccountMoves

func (c *Client) CreateValidateAccountMoves(vams []*ValidateAccountMove) ([]int64, error)

CreateValidateAccountMove creates a new validate.account.move model and returns its id.

func (*Client) CreateWebEditorConverterTestSub

func (c *Client) CreateWebEditorConverterTestSub(wcts *WebEditorConverterTestSub) (int64, error)

CreateWebEditorConverterTestSub creates a new web_editor.converter.test.sub model and returns its id.

func (*Client) CreateWebEditorConverterTestSubs

func (c *Client) CreateWebEditorConverterTestSubs(wctss []*WebEditorConverterTestSub) ([]int64, error)

CreateWebEditorConverterTestSub creates a new web_editor.converter.test.sub model and returns its id.

func (*Client) CreateWebPlanner

func (c *Client) CreateWebPlanner(wp *WebPlanner) (int64, error)

CreateWebPlanner creates a new web.planner model and returns its id.

func (*Client) CreateWebPlanners

func (c *Client) CreateWebPlanners(wps []*WebPlanner) ([]int64, error)

CreateWebPlanner creates a new web.planner model and returns its id.

func (*Client) CreateWebTourTour

func (c *Client) CreateWebTourTour(wt *WebTourTour) (int64, error)

CreateWebTourTour creates a new web_tour.tour model and returns its id.

func (*Client) CreateWebTourTours

func (c *Client) CreateWebTourTours(wts []*WebTourTour) ([]int64, error)

CreateWebTourTour creates a new web_tour.tour model and returns its id.

func (*Client) CreateWizardIrModelMenuCreate

func (c *Client) CreateWizardIrModelMenuCreate(wimmc *WizardIrModelMenuCreate) (int64, error)

CreateWizardIrModelMenuCreate creates a new wizard.ir.model.menu.create model and returns its id.

func (*Client) CreateWizardIrModelMenuCreates

func (c *Client) CreateWizardIrModelMenuCreates(wimmcs []*WizardIrModelMenuCreate) ([]int64, error)

CreateWizardIrModelMenuCreate creates a new wizard.ir.model.menu.create model and returns its id.

func (*Client) CreateWizardMultiChartsAccounts

func (c *Client) CreateWizardMultiChartsAccounts(wmca *WizardMultiChartsAccounts) (int64, error)

CreateWizardMultiChartsAccounts creates a new wizard.multi.charts.accounts model and returns its id.

func (*Client) CreateWizardMultiChartsAccountss

func (c *Client) CreateWizardMultiChartsAccountss(wmcas []*WizardMultiChartsAccounts) ([]int64, error)

CreateWizardMultiChartsAccounts creates a new wizard.multi.charts.accounts model and returns its id.

func (*Client) Delete

func (c *Client) Delete(model string, ids []int64) error

Delete existing model row(s). https://www.odoo.com/documentation/13.0/webservices/odoo.html#delete-records

func (*Client) DeleteAccountAbstractPayment

func (c *Client) DeleteAccountAbstractPayment(id int64) error

DeleteAccountAbstractPayment deletes an existing account.abstract.payment record.

func (*Client) DeleteAccountAbstractPayments

func (c *Client) DeleteAccountAbstractPayments(ids []int64) error

DeleteAccountAbstractPayments deletes existing account.abstract.payment records.

func (*Client) DeleteAccountAccount

func (c *Client) DeleteAccountAccount(id int64) error

DeleteAccountAccount deletes an existing account.account record.

func (*Client) DeleteAccountAccountTag

func (c *Client) DeleteAccountAccountTag(id int64) error

DeleteAccountAccountTag deletes an existing account.account.tag record.

func (*Client) DeleteAccountAccountTags

func (c *Client) DeleteAccountAccountTags(ids []int64) error

DeleteAccountAccountTags deletes existing account.account.tag records.

func (*Client) DeleteAccountAccountTemplate

func (c *Client) DeleteAccountAccountTemplate(id int64) error

DeleteAccountAccountTemplate deletes an existing account.account.template record.

func (*Client) DeleteAccountAccountTemplates

func (c *Client) DeleteAccountAccountTemplates(ids []int64) error

DeleteAccountAccountTemplates deletes existing account.account.template records.

func (*Client) DeleteAccountAccountType

func (c *Client) DeleteAccountAccountType(id int64) error

DeleteAccountAccountType deletes an existing account.account.type record.

func (*Client) DeleteAccountAccountTypes

func (c *Client) DeleteAccountAccountTypes(ids []int64) error

DeleteAccountAccountTypes deletes existing account.account.type records.

func (*Client) DeleteAccountAccounts

func (c *Client) DeleteAccountAccounts(ids []int64) error

DeleteAccountAccounts deletes existing account.account records.

func (*Client) DeleteAccountAgedTrialBalance

func (c *Client) DeleteAccountAgedTrialBalance(id int64) error

DeleteAccountAgedTrialBalance deletes an existing account.aged.trial.balance record.

func (*Client) DeleteAccountAgedTrialBalances

func (c *Client) DeleteAccountAgedTrialBalances(ids []int64) error

DeleteAccountAgedTrialBalances deletes existing account.aged.trial.balance records.

func (*Client) DeleteAccountAnalyticAccount

func (c *Client) DeleteAccountAnalyticAccount(id int64) error

DeleteAccountAnalyticAccount deletes an existing account.analytic.account record.

func (*Client) DeleteAccountAnalyticAccounts

func (c *Client) DeleteAccountAnalyticAccounts(ids []int64) error

DeleteAccountAnalyticAccounts deletes existing account.analytic.account records.

func (*Client) DeleteAccountAnalyticLine

func (c *Client) DeleteAccountAnalyticLine(id int64) error

DeleteAccountAnalyticLine deletes an existing account.analytic.line record.

func (*Client) DeleteAccountAnalyticLines

func (c *Client) DeleteAccountAnalyticLines(ids []int64) error

DeleteAccountAnalyticLines deletes existing account.analytic.line records.

func (*Client) DeleteAccountAnalyticTag

func (c *Client) DeleteAccountAnalyticTag(id int64) error

DeleteAccountAnalyticTag deletes an existing account.analytic.tag record.

func (*Client) DeleteAccountAnalyticTags

func (c *Client) DeleteAccountAnalyticTags(ids []int64) error

DeleteAccountAnalyticTags deletes existing account.analytic.tag records.

func (*Client) DeleteAccountBalanceReport

func (c *Client) DeleteAccountBalanceReport(id int64) error

DeleteAccountBalanceReport deletes an existing account.balance.report record.

func (*Client) DeleteAccountBalanceReports

func (c *Client) DeleteAccountBalanceReports(ids []int64) error

DeleteAccountBalanceReports deletes existing account.balance.report records.

func (*Client) DeleteAccountBankAccountsWizard

func (c *Client) DeleteAccountBankAccountsWizard(id int64) error

DeleteAccountBankAccountsWizard deletes an existing account.bank.accounts.wizard record.

func (*Client) DeleteAccountBankAccountsWizards

func (c *Client) DeleteAccountBankAccountsWizards(ids []int64) error

DeleteAccountBankAccountsWizards deletes existing account.bank.accounts.wizard records.

func (*Client) DeleteAccountBankStatement

func (c *Client) DeleteAccountBankStatement(id int64) error

DeleteAccountBankStatement deletes an existing account.bank.statement record.

func (*Client) DeleteAccountBankStatementCashbox

func (c *Client) DeleteAccountBankStatementCashbox(id int64) error

DeleteAccountBankStatementCashbox deletes an existing account.bank.statement.cashbox record.

func (*Client) DeleteAccountBankStatementCashboxs

func (c *Client) DeleteAccountBankStatementCashboxs(ids []int64) error

DeleteAccountBankStatementCashboxs deletes existing account.bank.statement.cashbox records.

func (*Client) DeleteAccountBankStatementClosebalance

func (c *Client) DeleteAccountBankStatementClosebalance(id int64) error

DeleteAccountBankStatementClosebalance deletes an existing account.bank.statement.closebalance record.

func (*Client) DeleteAccountBankStatementClosebalances

func (c *Client) DeleteAccountBankStatementClosebalances(ids []int64) error

DeleteAccountBankStatementClosebalances deletes existing account.bank.statement.closebalance records.

func (*Client) DeleteAccountBankStatementImport

func (c *Client) DeleteAccountBankStatementImport(id int64) error

DeleteAccountBankStatementImport deletes an existing account.bank.statement.import record.

func (*Client) DeleteAccountBankStatementImportJournalCreation

func (c *Client) DeleteAccountBankStatementImportJournalCreation(id int64) error

DeleteAccountBankStatementImportJournalCreation deletes an existing account.bank.statement.import.journal.creation record.

func (*Client) DeleteAccountBankStatementImportJournalCreations

func (c *Client) DeleteAccountBankStatementImportJournalCreations(ids []int64) error

DeleteAccountBankStatementImportJournalCreations deletes existing account.bank.statement.import.journal.creation records.

func (*Client) DeleteAccountBankStatementImports

func (c *Client) DeleteAccountBankStatementImports(ids []int64) error

DeleteAccountBankStatementImports deletes existing account.bank.statement.import records.

func (*Client) DeleteAccountBankStatementLine

func (c *Client) DeleteAccountBankStatementLine(id int64) error

DeleteAccountBankStatementLine deletes an existing account.bank.statement.line record.

func (*Client) DeleteAccountBankStatementLines

func (c *Client) DeleteAccountBankStatementLines(ids []int64) error

DeleteAccountBankStatementLines deletes existing account.bank.statement.line records.

func (*Client) DeleteAccountBankStatements

func (c *Client) DeleteAccountBankStatements(ids []int64) error

DeleteAccountBankStatements deletes existing account.bank.statement records.

func (*Client) DeleteAccountCashRounding

func (c *Client) DeleteAccountCashRounding(id int64) error

DeleteAccountCashRounding deletes an existing account.cash.rounding record.

func (*Client) DeleteAccountCashRoundings

func (c *Client) DeleteAccountCashRoundings(ids []int64) error

DeleteAccountCashRoundings deletes existing account.cash.rounding records.

func (*Client) DeleteAccountCashboxLine

func (c *Client) DeleteAccountCashboxLine(id int64) error

DeleteAccountCashboxLine deletes an existing account.cashbox.line record.

func (*Client) DeleteAccountCashboxLines

func (c *Client) DeleteAccountCashboxLines(ids []int64) error

DeleteAccountCashboxLines deletes existing account.cashbox.line records.

func (*Client) DeleteAccountChartTemplate

func (c *Client) DeleteAccountChartTemplate(id int64) error

DeleteAccountChartTemplate deletes an existing account.chart.template record.

func (*Client) DeleteAccountChartTemplates

func (c *Client) DeleteAccountChartTemplates(ids []int64) error

DeleteAccountChartTemplates deletes existing account.chart.template records.

func (*Client) DeleteAccountCommonAccountReport

func (c *Client) DeleteAccountCommonAccountReport(id int64) error

DeleteAccountCommonAccountReport deletes an existing account.common.account.report record.

func (*Client) DeleteAccountCommonAccountReports

func (c *Client) DeleteAccountCommonAccountReports(ids []int64) error

DeleteAccountCommonAccountReports deletes existing account.common.account.report records.

func (*Client) DeleteAccountCommonJournalReport

func (c *Client) DeleteAccountCommonJournalReport(id int64) error

DeleteAccountCommonJournalReport deletes an existing account.common.journal.report record.

func (*Client) DeleteAccountCommonJournalReports

func (c *Client) DeleteAccountCommonJournalReports(ids []int64) error

DeleteAccountCommonJournalReports deletes existing account.common.journal.report records.

func (*Client) DeleteAccountCommonPartnerReport

func (c *Client) DeleteAccountCommonPartnerReport(id int64) error

DeleteAccountCommonPartnerReport deletes an existing account.common.partner.report record.

func (*Client) DeleteAccountCommonPartnerReports

func (c *Client) DeleteAccountCommonPartnerReports(ids []int64) error

DeleteAccountCommonPartnerReports deletes existing account.common.partner.report records.

func (*Client) DeleteAccountCommonReport

func (c *Client) DeleteAccountCommonReport(id int64) error

DeleteAccountCommonReport deletes an existing account.common.report record.

func (*Client) DeleteAccountCommonReports

func (c *Client) DeleteAccountCommonReports(ids []int64) error

DeleteAccountCommonReports deletes existing account.common.report records.

func (*Client) DeleteAccountFinancialReport

func (c *Client) DeleteAccountFinancialReport(id int64) error

DeleteAccountFinancialReport deletes an existing account.financial.report record.

func (*Client) DeleteAccountFinancialReports

func (c *Client) DeleteAccountFinancialReports(ids []int64) error

DeleteAccountFinancialReports deletes existing account.financial.report records.

func (*Client) DeleteAccountFinancialYearOp

func (c *Client) DeleteAccountFinancialYearOp(id int64) error

DeleteAccountFinancialYearOp deletes an existing account.financial.year.op record.

func (*Client) DeleteAccountFinancialYearOps

func (c *Client) DeleteAccountFinancialYearOps(ids []int64) error

DeleteAccountFinancialYearOps deletes existing account.financial.year.op records.

func (*Client) DeleteAccountFiscalPosition

func (c *Client) DeleteAccountFiscalPosition(id int64) error

DeleteAccountFiscalPosition deletes an existing account.fiscal.position record.

func (*Client) DeleteAccountFiscalPositionAccount

func (c *Client) DeleteAccountFiscalPositionAccount(id int64) error

DeleteAccountFiscalPositionAccount deletes an existing account.fiscal.position.account record.

func (*Client) DeleteAccountFiscalPositionAccountTemplate

func (c *Client) DeleteAccountFiscalPositionAccountTemplate(id int64) error

DeleteAccountFiscalPositionAccountTemplate deletes an existing account.fiscal.position.account.template record.

func (*Client) DeleteAccountFiscalPositionAccountTemplates

func (c *Client) DeleteAccountFiscalPositionAccountTemplates(ids []int64) error

DeleteAccountFiscalPositionAccountTemplates deletes existing account.fiscal.position.account.template records.

func (*Client) DeleteAccountFiscalPositionAccounts

func (c *Client) DeleteAccountFiscalPositionAccounts(ids []int64) error

DeleteAccountFiscalPositionAccounts deletes existing account.fiscal.position.account records.

func (*Client) DeleteAccountFiscalPositionTax

func (c *Client) DeleteAccountFiscalPositionTax(id int64) error

DeleteAccountFiscalPositionTax deletes an existing account.fiscal.position.tax record.

func (*Client) DeleteAccountFiscalPositionTaxTemplate

func (c *Client) DeleteAccountFiscalPositionTaxTemplate(id int64) error

DeleteAccountFiscalPositionTaxTemplate deletes an existing account.fiscal.position.tax.template record.

func (*Client) DeleteAccountFiscalPositionTaxTemplates

func (c *Client) DeleteAccountFiscalPositionTaxTemplates(ids []int64) error

DeleteAccountFiscalPositionTaxTemplates deletes existing account.fiscal.position.tax.template records.

func (*Client) DeleteAccountFiscalPositionTaxs

func (c *Client) DeleteAccountFiscalPositionTaxs(ids []int64) error

DeleteAccountFiscalPositionTaxs deletes existing account.fiscal.position.tax records.

func (*Client) DeleteAccountFiscalPositionTemplate

func (c *Client) DeleteAccountFiscalPositionTemplate(id int64) error

DeleteAccountFiscalPositionTemplate deletes an existing account.fiscal.position.template record.

func (*Client) DeleteAccountFiscalPositionTemplates

func (c *Client) DeleteAccountFiscalPositionTemplates(ids []int64) error

DeleteAccountFiscalPositionTemplates deletes existing account.fiscal.position.template records.

func (*Client) DeleteAccountFiscalPositions

func (c *Client) DeleteAccountFiscalPositions(ids []int64) error

DeleteAccountFiscalPositions deletes existing account.fiscal.position records.

func (*Client) DeleteAccountFrFec

func (c *Client) DeleteAccountFrFec(id int64) error

DeleteAccountFrFec deletes an existing account.fr.fec record.

func (*Client) DeleteAccountFrFecs

func (c *Client) DeleteAccountFrFecs(ids []int64) error

DeleteAccountFrFecs deletes existing account.fr.fec records.

func (*Client) DeleteAccountFullReconcile

func (c *Client) DeleteAccountFullReconcile(id int64) error

DeleteAccountFullReconcile deletes an existing account.full.reconcile record.

func (*Client) DeleteAccountFullReconciles

func (c *Client) DeleteAccountFullReconciles(ids []int64) error

DeleteAccountFullReconciles deletes existing account.full.reconcile records.

func (*Client) DeleteAccountGroup

func (c *Client) DeleteAccountGroup(id int64) error

DeleteAccountGroup deletes an existing account.group record.

func (*Client) DeleteAccountGroups

func (c *Client) DeleteAccountGroups(ids []int64) error

DeleteAccountGroups deletes existing account.group records.

func (*Client) DeleteAccountInvoice

func (c *Client) DeleteAccountInvoice(id int64) error

DeleteAccountInvoice deletes an existing account.invoice record.

func (*Client) DeleteAccountInvoiceConfirm

func (c *Client) DeleteAccountInvoiceConfirm(id int64) error

DeleteAccountInvoiceConfirm deletes an existing account.invoice.confirm record.

func (*Client) DeleteAccountInvoiceConfirms

func (c *Client) DeleteAccountInvoiceConfirms(ids []int64) error

DeleteAccountInvoiceConfirms deletes existing account.invoice.confirm records.

func (*Client) DeleteAccountInvoiceLine

func (c *Client) DeleteAccountInvoiceLine(id int64) error

DeleteAccountInvoiceLine deletes an existing account.invoice.line record.

func (*Client) DeleteAccountInvoiceLines

func (c *Client) DeleteAccountInvoiceLines(ids []int64) error

DeleteAccountInvoiceLines deletes existing account.invoice.line records.

func (*Client) DeleteAccountInvoiceRefund

func (c *Client) DeleteAccountInvoiceRefund(id int64) error

DeleteAccountInvoiceRefund deletes an existing account.invoice.refund record.

func (*Client) DeleteAccountInvoiceRefunds

func (c *Client) DeleteAccountInvoiceRefunds(ids []int64) error

DeleteAccountInvoiceRefunds deletes existing account.invoice.refund records.

func (*Client) DeleteAccountInvoiceReport

func (c *Client) DeleteAccountInvoiceReport(id int64) error

DeleteAccountInvoiceReport deletes an existing account.invoice.report record.

func (*Client) DeleteAccountInvoiceReports

func (c *Client) DeleteAccountInvoiceReports(ids []int64) error

DeleteAccountInvoiceReports deletes existing account.invoice.report records.

func (*Client) DeleteAccountInvoiceTax

func (c *Client) DeleteAccountInvoiceTax(id int64) error

DeleteAccountInvoiceTax deletes an existing account.invoice.tax record.

func (*Client) DeleteAccountInvoiceTaxs

func (c *Client) DeleteAccountInvoiceTaxs(ids []int64) error

DeleteAccountInvoiceTaxs deletes existing account.invoice.tax records.

func (*Client) DeleteAccountInvoices

func (c *Client) DeleteAccountInvoices(ids []int64) error

DeleteAccountInvoices deletes existing account.invoice records.

func (*Client) DeleteAccountJournal

func (c *Client) DeleteAccountJournal(id int64) error

DeleteAccountJournal deletes an existing account.journal record.

func (*Client) DeleteAccountJournals

func (c *Client) DeleteAccountJournals(ids []int64) error

DeleteAccountJournals deletes existing account.journal records.

func (*Client) DeleteAccountMove

func (c *Client) DeleteAccountMove(id int64) error

DeleteAccountMove deletes an existing account.move record.

func (*Client) DeleteAccountMoveLine

func (c *Client) DeleteAccountMoveLine(id int64) error

DeleteAccountMoveLine deletes an existing account.move.line record.

func (*Client) DeleteAccountMoveLineReconcile

func (c *Client) DeleteAccountMoveLineReconcile(id int64) error

DeleteAccountMoveLineReconcile deletes an existing account.move.line.reconcile record.

func (*Client) DeleteAccountMoveLineReconcileWriteoff

func (c *Client) DeleteAccountMoveLineReconcileWriteoff(id int64) error

DeleteAccountMoveLineReconcileWriteoff deletes an existing account.move.line.reconcile.writeoff record.

func (*Client) DeleteAccountMoveLineReconcileWriteoffs

func (c *Client) DeleteAccountMoveLineReconcileWriteoffs(ids []int64) error

DeleteAccountMoveLineReconcileWriteoffs deletes existing account.move.line.reconcile.writeoff records.

func (*Client) DeleteAccountMoveLineReconciles

func (c *Client) DeleteAccountMoveLineReconciles(ids []int64) error

DeleteAccountMoveLineReconciles deletes existing account.move.line.reconcile records.

func (*Client) DeleteAccountMoveLines

func (c *Client) DeleteAccountMoveLines(ids []int64) error

DeleteAccountMoveLines deletes existing account.move.line records.

func (*Client) DeleteAccountMoveReversal

func (c *Client) DeleteAccountMoveReversal(id int64) error

DeleteAccountMoveReversal deletes an existing account.move.reversal record.

func (*Client) DeleteAccountMoveReversals

func (c *Client) DeleteAccountMoveReversals(ids []int64) error

DeleteAccountMoveReversals deletes existing account.move.reversal records.

func (*Client) DeleteAccountMoves

func (c *Client) DeleteAccountMoves(ids []int64) error

DeleteAccountMoves deletes existing account.move records.

func (*Client) DeleteAccountOpening

func (c *Client) DeleteAccountOpening(id int64) error

DeleteAccountOpening deletes an existing account.opening record.

func (*Client) DeleteAccountOpenings

func (c *Client) DeleteAccountOpenings(ids []int64) error

DeleteAccountOpenings deletes existing account.opening records.

func (*Client) DeleteAccountPartialReconcile

func (c *Client) DeleteAccountPartialReconcile(id int64) error

DeleteAccountPartialReconcile deletes an existing account.partial.reconcile record.

func (*Client) DeleteAccountPartialReconciles

func (c *Client) DeleteAccountPartialReconciles(ids []int64) error

DeleteAccountPartialReconciles deletes existing account.partial.reconcile records.

func (*Client) DeleteAccountPayment

func (c *Client) DeleteAccountPayment(id int64) error

DeleteAccountPayment deletes an existing account.payment record.

func (*Client) DeleteAccountPaymentMethod

func (c *Client) DeleteAccountPaymentMethod(id int64) error

DeleteAccountPaymentMethod deletes an existing account.payment.method record.

func (*Client) DeleteAccountPaymentMethods

func (c *Client) DeleteAccountPaymentMethods(ids []int64) error

DeleteAccountPaymentMethods deletes existing account.payment.method records.

func (*Client) DeleteAccountPaymentTerm

func (c *Client) DeleteAccountPaymentTerm(id int64) error

DeleteAccountPaymentTerm deletes an existing account.payment.term record.

func (*Client) DeleteAccountPaymentTermLine

func (c *Client) DeleteAccountPaymentTermLine(id int64) error

DeleteAccountPaymentTermLine deletes an existing account.payment.term.line record.

func (*Client) DeleteAccountPaymentTermLines

func (c *Client) DeleteAccountPaymentTermLines(ids []int64) error

DeleteAccountPaymentTermLines deletes existing account.payment.term.line records.

func (*Client) DeleteAccountPaymentTerms

func (c *Client) DeleteAccountPaymentTerms(ids []int64) error

DeleteAccountPaymentTerms deletes existing account.payment.term records.

func (*Client) DeleteAccountPayments

func (c *Client) DeleteAccountPayments(ids []int64) error

DeleteAccountPayments deletes existing account.payment records.

func (*Client) DeleteAccountPrintJournal

func (c *Client) DeleteAccountPrintJournal(id int64) error

DeleteAccountPrintJournal deletes an existing account.print.journal record.

func (*Client) DeleteAccountPrintJournals

func (c *Client) DeleteAccountPrintJournals(ids []int64) error

DeleteAccountPrintJournals deletes existing account.print.journal records.

func (*Client) DeleteAccountReconcileModel

func (c *Client) DeleteAccountReconcileModel(id int64) error

DeleteAccountReconcileModel deletes an existing account.reconcile.model record.

func (*Client) DeleteAccountReconcileModelTemplate

func (c *Client) DeleteAccountReconcileModelTemplate(id int64) error

DeleteAccountReconcileModelTemplate deletes an existing account.reconcile.model.template record.

func (*Client) DeleteAccountReconcileModelTemplates

func (c *Client) DeleteAccountReconcileModelTemplates(ids []int64) error

DeleteAccountReconcileModelTemplates deletes existing account.reconcile.model.template records.

func (*Client) DeleteAccountReconcileModels

func (c *Client) DeleteAccountReconcileModels(ids []int64) error

DeleteAccountReconcileModels deletes existing account.reconcile.model records.

func (*Client) DeleteAccountRegisterPayments

func (c *Client) DeleteAccountRegisterPayments(id int64) error

DeleteAccountRegisterPayments deletes an existing account.register.payments record.

func (*Client) DeleteAccountRegisterPaymentss

func (c *Client) DeleteAccountRegisterPaymentss(ids []int64) error

DeleteAccountRegisterPaymentss deletes existing account.register.payments records.

func (*Client) DeleteAccountReportGeneralLedger

func (c *Client) DeleteAccountReportGeneralLedger(id int64) error

DeleteAccountReportGeneralLedger deletes an existing account.report.general.ledger record.

func (*Client) DeleteAccountReportGeneralLedgers

func (c *Client) DeleteAccountReportGeneralLedgers(ids []int64) error

DeleteAccountReportGeneralLedgers deletes existing account.report.general.ledger records.

func (*Client) DeleteAccountReportPartnerLedger

func (c *Client) DeleteAccountReportPartnerLedger(id int64) error

DeleteAccountReportPartnerLedger deletes an existing account.report.partner.ledger record.

func (*Client) DeleteAccountReportPartnerLedgers

func (c *Client) DeleteAccountReportPartnerLedgers(ids []int64) error

DeleteAccountReportPartnerLedgers deletes existing account.report.partner.ledger records.

func (*Client) DeleteAccountTax

func (c *Client) DeleteAccountTax(id int64) error

DeleteAccountTax deletes an existing account.tax record.

func (*Client) DeleteAccountTaxGroup

func (c *Client) DeleteAccountTaxGroup(id int64) error

DeleteAccountTaxGroup deletes an existing account.tax.group record.

func (*Client) DeleteAccountTaxGroups

func (c *Client) DeleteAccountTaxGroups(ids []int64) error

DeleteAccountTaxGroups deletes existing account.tax.group records.

func (*Client) DeleteAccountTaxReport

func (c *Client) DeleteAccountTaxReport(id int64) error

DeleteAccountTaxReport deletes an existing account.tax.report record.

func (*Client) DeleteAccountTaxReports

func (c *Client) DeleteAccountTaxReports(ids []int64) error

DeleteAccountTaxReports deletes existing account.tax.report records.

func (*Client) DeleteAccountTaxTemplate

func (c *Client) DeleteAccountTaxTemplate(id int64) error

DeleteAccountTaxTemplate deletes an existing account.tax.template record.

func (*Client) DeleteAccountTaxTemplates

func (c *Client) DeleteAccountTaxTemplates(ids []int64) error

DeleteAccountTaxTemplates deletes existing account.tax.template records.

func (*Client) DeleteAccountTaxs

func (c *Client) DeleteAccountTaxs(ids []int64) error

DeleteAccountTaxs deletes existing account.tax records.

func (*Client) DeleteAccountUnreconcile

func (c *Client) DeleteAccountUnreconcile(id int64) error

DeleteAccountUnreconcile deletes an existing account.unreconcile record.

func (*Client) DeleteAccountUnreconciles

func (c *Client) DeleteAccountUnreconciles(ids []int64) error

DeleteAccountUnreconciles deletes existing account.unreconcile records.

func (*Client) DeleteAccountingReport

func (c *Client) DeleteAccountingReport(id int64) error

DeleteAccountingReport deletes an existing accounting.report record.

func (*Client) DeleteAccountingReports

func (c *Client) DeleteAccountingReports(ids []int64) error

DeleteAccountingReports deletes existing accounting.report records.

func (*Client) DeleteAutosalesConfig

func (c *Client) DeleteAutosalesConfig(id int64) error

DeleteAutosalesConfig deletes an existing autosales.config record.

func (*Client) DeleteAutosalesConfigLine

func (c *Client) DeleteAutosalesConfigLine(id int64) error

DeleteAutosalesConfigLine deletes an existing autosales.config.line record.

func (*Client) DeleteAutosalesConfigLines

func (c *Client) DeleteAutosalesConfigLines(ids []int64) error

DeleteAutosalesConfigLines deletes existing autosales.config.line records.

func (*Client) DeleteAutosalesConfigs

func (c *Client) DeleteAutosalesConfigs(ids []int64) error

DeleteAutosalesConfigs deletes existing autosales.config records.

func (*Client) DeleteBarcodeNomenclature

func (c *Client) DeleteBarcodeNomenclature(id int64) error

DeleteBarcodeNomenclature deletes an existing barcode.nomenclature record.

func (*Client) DeleteBarcodeNomenclatures

func (c *Client) DeleteBarcodeNomenclatures(ids []int64) error

DeleteBarcodeNomenclatures deletes existing barcode.nomenclature records.

func (*Client) DeleteBarcodeRule

func (c *Client) DeleteBarcodeRule(id int64) error

DeleteBarcodeRule deletes an existing barcode.rule record.

func (*Client) DeleteBarcodeRules

func (c *Client) DeleteBarcodeRules(ids []int64) error

DeleteBarcodeRules deletes existing barcode.rule records.

func (*Client) DeleteBarcodesBarcodeEventsMixin

func (c *Client) DeleteBarcodesBarcodeEventsMixin(id int64) error

DeleteBarcodesBarcodeEventsMixin deletes an existing barcodes.barcode_events_mixin record.

func (*Client) DeleteBarcodesBarcodeEventsMixins

func (c *Client) DeleteBarcodesBarcodeEventsMixins(ids []int64) error

DeleteBarcodesBarcodeEventsMixins deletes existing barcodes.barcode_events_mixin records.

func (*Client) DeleteBase

func (c *Client) DeleteBase(id int64) error

DeleteBase deletes an existing base record.

func (*Client) DeleteBaseImportImport

func (c *Client) DeleteBaseImportImport(id int64) error

DeleteBaseImportImport deletes an existing base_import.import record.

func (*Client) DeleteBaseImportImports

func (c *Client) DeleteBaseImportImports(ids []int64) error

DeleteBaseImportImports deletes existing base_import.import records.

func (*Client) DeleteBaseImportTestsModelsChar

func (c *Client) DeleteBaseImportTestsModelsChar(id int64) error

DeleteBaseImportTestsModelsChar deletes an existing base_import.tests.models.char record.

func (*Client) DeleteBaseImportTestsModelsCharNoreadonly

func (c *Client) DeleteBaseImportTestsModelsCharNoreadonly(id int64) error

DeleteBaseImportTestsModelsCharNoreadonly deletes an existing base_import.tests.models.char.noreadonly record.

func (*Client) DeleteBaseImportTestsModelsCharNoreadonlys

func (c *Client) DeleteBaseImportTestsModelsCharNoreadonlys(ids []int64) error

DeleteBaseImportTestsModelsCharNoreadonlys deletes existing base_import.tests.models.char.noreadonly records.

func (*Client) DeleteBaseImportTestsModelsCharReadonly

func (c *Client) DeleteBaseImportTestsModelsCharReadonly(id int64) error

DeleteBaseImportTestsModelsCharReadonly deletes an existing base_import.tests.models.char.readonly record.

func (*Client) DeleteBaseImportTestsModelsCharReadonlys

func (c *Client) DeleteBaseImportTestsModelsCharReadonlys(ids []int64) error

DeleteBaseImportTestsModelsCharReadonlys deletes existing base_import.tests.models.char.readonly records.

func (*Client) DeleteBaseImportTestsModelsCharRequired

func (c *Client) DeleteBaseImportTestsModelsCharRequired(id int64) error

DeleteBaseImportTestsModelsCharRequired deletes an existing base_import.tests.models.char.required record.

func (*Client) DeleteBaseImportTestsModelsCharRequireds

func (c *Client) DeleteBaseImportTestsModelsCharRequireds(ids []int64) error

DeleteBaseImportTestsModelsCharRequireds deletes existing base_import.tests.models.char.required records.

func (*Client) DeleteBaseImportTestsModelsCharStates

func (c *Client) DeleteBaseImportTestsModelsCharStates(id int64) error

DeleteBaseImportTestsModelsCharStates deletes an existing base_import.tests.models.char.states record.

func (*Client) DeleteBaseImportTestsModelsCharStatess

func (c *Client) DeleteBaseImportTestsModelsCharStatess(ids []int64) error

DeleteBaseImportTestsModelsCharStatess deletes existing base_import.tests.models.char.states records.

func (*Client) DeleteBaseImportTestsModelsCharStillreadonly

func (c *Client) DeleteBaseImportTestsModelsCharStillreadonly(id int64) error

DeleteBaseImportTestsModelsCharStillreadonly deletes an existing base_import.tests.models.char.stillreadonly record.

func (*Client) DeleteBaseImportTestsModelsCharStillreadonlys

func (c *Client) DeleteBaseImportTestsModelsCharStillreadonlys(ids []int64) error

DeleteBaseImportTestsModelsCharStillreadonlys deletes existing base_import.tests.models.char.stillreadonly records.

func (*Client) DeleteBaseImportTestsModelsChars

func (c *Client) DeleteBaseImportTestsModelsChars(ids []int64) error

DeleteBaseImportTestsModelsChars deletes existing base_import.tests.models.char records.

func (*Client) DeleteBaseImportTestsModelsM2O

func (c *Client) DeleteBaseImportTestsModelsM2O(id int64) error

DeleteBaseImportTestsModelsM2O deletes an existing base_import.tests.models.m2o record.

func (*Client) DeleteBaseImportTestsModelsM2ORelated

func (c *Client) DeleteBaseImportTestsModelsM2ORelated(id int64) error

DeleteBaseImportTestsModelsM2ORelated deletes an existing base_import.tests.models.m2o.related record.

func (*Client) DeleteBaseImportTestsModelsM2ORelateds

func (c *Client) DeleteBaseImportTestsModelsM2ORelateds(ids []int64) error

DeleteBaseImportTestsModelsM2ORelateds deletes existing base_import.tests.models.m2o.related records.

func (*Client) DeleteBaseImportTestsModelsM2ORequired

func (c *Client) DeleteBaseImportTestsModelsM2ORequired(id int64) error

DeleteBaseImportTestsModelsM2ORequired deletes an existing base_import.tests.models.m2o.required record.

func (*Client) DeleteBaseImportTestsModelsM2ORequiredRelated

func (c *Client) DeleteBaseImportTestsModelsM2ORequiredRelated(id int64) error

DeleteBaseImportTestsModelsM2ORequiredRelated deletes an existing base_import.tests.models.m2o.required.related record.

func (*Client) DeleteBaseImportTestsModelsM2ORequiredRelateds

func (c *Client) DeleteBaseImportTestsModelsM2ORequiredRelateds(ids []int64) error

DeleteBaseImportTestsModelsM2ORequiredRelateds deletes existing base_import.tests.models.m2o.required.related records.

func (*Client) DeleteBaseImportTestsModelsM2ORequireds

func (c *Client) DeleteBaseImportTestsModelsM2ORequireds(ids []int64) error

DeleteBaseImportTestsModelsM2ORequireds deletes existing base_import.tests.models.m2o.required records.

func (*Client) DeleteBaseImportTestsModelsM2Os

func (c *Client) DeleteBaseImportTestsModelsM2Os(ids []int64) error

DeleteBaseImportTestsModelsM2Os deletes existing base_import.tests.models.m2o records.

func (*Client) DeleteBaseImportTestsModelsO2M

func (c *Client) DeleteBaseImportTestsModelsO2M(id int64) error

DeleteBaseImportTestsModelsO2M deletes an existing base_import.tests.models.o2m record.

func (*Client) DeleteBaseImportTestsModelsO2MChild

func (c *Client) DeleteBaseImportTestsModelsO2MChild(id int64) error

DeleteBaseImportTestsModelsO2MChild deletes an existing base_import.tests.models.o2m.child record.

func (*Client) DeleteBaseImportTestsModelsO2MChilds

func (c *Client) DeleteBaseImportTestsModelsO2MChilds(ids []int64) error

DeleteBaseImportTestsModelsO2MChilds deletes existing base_import.tests.models.o2m.child records.

func (*Client) DeleteBaseImportTestsModelsO2Ms

func (c *Client) DeleteBaseImportTestsModelsO2Ms(ids []int64) error

DeleteBaseImportTestsModelsO2Ms deletes existing base_import.tests.models.o2m records.

func (*Client) DeleteBaseImportTestsModelsPreview

func (c *Client) DeleteBaseImportTestsModelsPreview(id int64) error

DeleteBaseImportTestsModelsPreview deletes an existing base_import.tests.models.preview record.

func (*Client) DeleteBaseImportTestsModelsPreviews

func (c *Client) DeleteBaseImportTestsModelsPreviews(ids []int64) error

DeleteBaseImportTestsModelsPreviews deletes existing base_import.tests.models.preview records.

func (*Client) DeleteBaseLanguageExport

func (c *Client) DeleteBaseLanguageExport(id int64) error

DeleteBaseLanguageExport deletes an existing base.language.export record.

func (*Client) DeleteBaseLanguageExports

func (c *Client) DeleteBaseLanguageExports(ids []int64) error

DeleteBaseLanguageExports deletes existing base.language.export records.

func (*Client) DeleteBaseLanguageImport

func (c *Client) DeleteBaseLanguageImport(id int64) error

DeleteBaseLanguageImport deletes an existing base.language.import record.

func (*Client) DeleteBaseLanguageImports

func (c *Client) DeleteBaseLanguageImports(ids []int64) error

DeleteBaseLanguageImports deletes existing base.language.import records.

func (*Client) DeleteBaseLanguageInstall

func (c *Client) DeleteBaseLanguageInstall(id int64) error

DeleteBaseLanguageInstall deletes an existing base.language.install record.

func (*Client) DeleteBaseLanguageInstalls

func (c *Client) DeleteBaseLanguageInstalls(ids []int64) error

DeleteBaseLanguageInstalls deletes existing base.language.install records.

func (*Client) DeleteBaseModuleUninstall

func (c *Client) DeleteBaseModuleUninstall(id int64) error

DeleteBaseModuleUninstall deletes an existing base.module.uninstall record.

func (*Client) DeleteBaseModuleUninstalls

func (c *Client) DeleteBaseModuleUninstalls(ids []int64) error

DeleteBaseModuleUninstalls deletes existing base.module.uninstall records.

func (*Client) DeleteBaseModuleUpdate

func (c *Client) DeleteBaseModuleUpdate(id int64) error

DeleteBaseModuleUpdate deletes an existing base.module.update record.

func (*Client) DeleteBaseModuleUpdates

func (c *Client) DeleteBaseModuleUpdates(ids []int64) error

DeleteBaseModuleUpdates deletes existing base.module.update records.

func (*Client) DeleteBaseModuleUpgrade

func (c *Client) DeleteBaseModuleUpgrade(id int64) error

DeleteBaseModuleUpgrade deletes an existing base.module.upgrade record.

func (*Client) DeleteBaseModuleUpgrades

func (c *Client) DeleteBaseModuleUpgrades(ids []int64) error

DeleteBaseModuleUpgrades deletes existing base.module.upgrade records.

func (*Client) DeleteBasePartnerMergeAutomaticWizard

func (c *Client) DeleteBasePartnerMergeAutomaticWizard(id int64) error

DeleteBasePartnerMergeAutomaticWizard deletes an existing base.partner.merge.automatic.wizard record.

func (*Client) DeleteBasePartnerMergeAutomaticWizards

func (c *Client) DeleteBasePartnerMergeAutomaticWizards(ids []int64) error

DeleteBasePartnerMergeAutomaticWizards deletes existing base.partner.merge.automatic.wizard records.

func (*Client) DeleteBasePartnerMergeLine

func (c *Client) DeleteBasePartnerMergeLine(id int64) error

DeleteBasePartnerMergeLine deletes an existing base.partner.merge.line record.

func (*Client) DeleteBasePartnerMergeLines

func (c *Client) DeleteBasePartnerMergeLines(ids []int64) error

DeleteBasePartnerMergeLines deletes existing base.partner.merge.line records.

func (*Client) DeleteBaseUpdateTranslations

func (c *Client) DeleteBaseUpdateTranslations(id int64) error

DeleteBaseUpdateTranslations deletes an existing base.update.translations record.

func (*Client) DeleteBaseUpdateTranslationss

func (c *Client) DeleteBaseUpdateTranslationss(ids []int64) error

DeleteBaseUpdateTranslationss deletes existing base.update.translations records.

func (*Client) DeleteBases

func (c *Client) DeleteBases(ids []int64) error

DeleteBases deletes existing base records.

func (*Client) DeleteBoardBoard

func (c *Client) DeleteBoardBoard(id int64) error

DeleteBoardBoard deletes an existing board.board record.

func (*Client) DeleteBoardBoards

func (c *Client) DeleteBoardBoards(ids []int64) error

DeleteBoardBoards deletes existing board.board records.

func (*Client) DeleteBusBus

func (c *Client) DeleteBusBus(id int64) error

DeleteBusBus deletes an existing bus.bus record.

func (*Client) DeleteBusBuss

func (c *Client) DeleteBusBuss(ids []int64) error

DeleteBusBuss deletes existing bus.bus records.

func (*Client) DeleteBusPresence

func (c *Client) DeleteBusPresence(id int64) error

DeleteBusPresence deletes an existing bus.presence record.

func (*Client) DeleteBusPresences

func (c *Client) DeleteBusPresences(ids []int64) error

DeleteBusPresences deletes existing bus.presence records.

func (*Client) DeleteCalendarAlarm

func (c *Client) DeleteCalendarAlarm(id int64) error

DeleteCalendarAlarm deletes an existing calendar.alarm record.

func (*Client) DeleteCalendarAlarmManager

func (c *Client) DeleteCalendarAlarmManager(id int64) error

DeleteCalendarAlarmManager deletes an existing calendar.alarm_manager record.

func (*Client) DeleteCalendarAlarmManagers

func (c *Client) DeleteCalendarAlarmManagers(ids []int64) error

DeleteCalendarAlarmManagers deletes existing calendar.alarm_manager records.

func (*Client) DeleteCalendarAlarms

func (c *Client) DeleteCalendarAlarms(ids []int64) error

DeleteCalendarAlarms deletes existing calendar.alarm records.

func (*Client) DeleteCalendarAttendee

func (c *Client) DeleteCalendarAttendee(id int64) error

DeleteCalendarAttendee deletes an existing calendar.attendee record.

func (*Client) DeleteCalendarAttendees

func (c *Client) DeleteCalendarAttendees(ids []int64) error

DeleteCalendarAttendees deletes existing calendar.attendee records.

func (*Client) DeleteCalendarContacts

func (c *Client) DeleteCalendarContacts(id int64) error

DeleteCalendarContacts deletes an existing calendar.contacts record.

func (*Client) DeleteCalendarContactss

func (c *Client) DeleteCalendarContactss(ids []int64) error

DeleteCalendarContactss deletes existing calendar.contacts records.

func (*Client) DeleteCalendarEvent

func (c *Client) DeleteCalendarEvent(id int64) error

DeleteCalendarEvent deletes an existing calendar.event record.

func (*Client) DeleteCalendarEventType

func (c *Client) DeleteCalendarEventType(id int64) error

DeleteCalendarEventType deletes an existing calendar.event.type record.

func (*Client) DeleteCalendarEventTypes

func (c *Client) DeleteCalendarEventTypes(ids []int64) error

DeleteCalendarEventTypes deletes existing calendar.event.type records.

func (*Client) DeleteCalendarEvents

func (c *Client) DeleteCalendarEvents(ids []int64) error

DeleteCalendarEvents deletes existing calendar.event records.

func (*Client) DeleteCashBoxIn

func (c *Client) DeleteCashBoxIn(id int64) error

DeleteCashBoxIn deletes an existing cash.box.in record.

func (*Client) DeleteCashBoxIns

func (c *Client) DeleteCashBoxIns(ids []int64) error

DeleteCashBoxIns deletes existing cash.box.in records.

func (*Client) DeleteCashBoxOut

func (c *Client) DeleteCashBoxOut(id int64) error

DeleteCashBoxOut deletes an existing cash.box.out record.

func (*Client) DeleteCashBoxOuts

func (c *Client) DeleteCashBoxOuts(ids []int64) error

DeleteCashBoxOuts deletes existing cash.box.out records.

func (*Client) DeleteChangePasswordUser

func (c *Client) DeleteChangePasswordUser(id int64) error

DeleteChangePasswordUser deletes an existing change.password.user record.

func (*Client) DeleteChangePasswordUsers

func (c *Client) DeleteChangePasswordUsers(ids []int64) error

DeleteChangePasswordUsers deletes existing change.password.user records.

func (*Client) DeleteChangePasswordWizard

func (c *Client) DeleteChangePasswordWizard(id int64) error

DeleteChangePasswordWizard deletes an existing change.password.wizard record.

func (*Client) DeleteChangePasswordWizards

func (c *Client) DeleteChangePasswordWizards(ids []int64) error

DeleteChangePasswordWizards deletes existing change.password.wizard records.

func (*Client) DeleteCrmActivityReport

func (c *Client) DeleteCrmActivityReport(id int64) error

DeleteCrmActivityReport deletes an existing crm.activity.report record.

func (*Client) DeleteCrmActivityReports

func (c *Client) DeleteCrmActivityReports(ids []int64) error

DeleteCrmActivityReports deletes existing crm.activity.report records.

func (*Client) DeleteCrmLead

func (c *Client) DeleteCrmLead(id int64) error

DeleteCrmLead deletes an existing crm.lead record.

func (*Client) DeleteCrmLead2OpportunityPartner

func (c *Client) DeleteCrmLead2OpportunityPartner(id int64) error

DeleteCrmLead2OpportunityPartner deletes an existing crm.lead2opportunity.partner record.

func (*Client) DeleteCrmLead2OpportunityPartnerMass

func (c *Client) DeleteCrmLead2OpportunityPartnerMass(id int64) error

DeleteCrmLead2OpportunityPartnerMass deletes an existing crm.lead2opportunity.partner.mass record.

func (*Client) DeleteCrmLead2OpportunityPartnerMasss

func (c *Client) DeleteCrmLead2OpportunityPartnerMasss(ids []int64) error

DeleteCrmLead2OpportunityPartnerMasss deletes existing crm.lead2opportunity.partner.mass records.

func (*Client) DeleteCrmLead2OpportunityPartners

func (c *Client) DeleteCrmLead2OpportunityPartners(ids []int64) error

DeleteCrmLead2OpportunityPartners deletes existing crm.lead2opportunity.partner records.

func (*Client) DeleteCrmLeadLost

func (c *Client) DeleteCrmLeadLost(id int64) error

DeleteCrmLeadLost deletes an existing crm.lead.lost record.

func (*Client) DeleteCrmLeadLosts

func (c *Client) DeleteCrmLeadLosts(ids []int64) error

DeleteCrmLeadLosts deletes existing crm.lead.lost records.

func (*Client) DeleteCrmLeadTag

func (c *Client) DeleteCrmLeadTag(id int64) error

DeleteCrmLeadTag deletes an existing crm.lead.tag record.

func (*Client) DeleteCrmLeadTags

func (c *Client) DeleteCrmLeadTags(ids []int64) error

DeleteCrmLeadTags deletes existing crm.lead.tag records.

func (*Client) DeleteCrmLeads

func (c *Client) DeleteCrmLeads(ids []int64) error

DeleteCrmLeads deletes existing crm.lead records.

func (*Client) DeleteCrmLostReason

func (c *Client) DeleteCrmLostReason(id int64) error

DeleteCrmLostReason deletes an existing crm.lost.reason record.

func (*Client) DeleteCrmLostReasons

func (c *Client) DeleteCrmLostReasons(ids []int64) error

DeleteCrmLostReasons deletes existing crm.lost.reason records.

func (*Client) DeleteCrmMergeOpportunity

func (c *Client) DeleteCrmMergeOpportunity(id int64) error

DeleteCrmMergeOpportunity deletes an existing crm.merge.opportunity record.

func (*Client) DeleteCrmMergeOpportunitys

func (c *Client) DeleteCrmMergeOpportunitys(ids []int64) error

DeleteCrmMergeOpportunitys deletes existing crm.merge.opportunity records.

func (*Client) DeleteCrmOpportunityReport

func (c *Client) DeleteCrmOpportunityReport(id int64) error

DeleteCrmOpportunityReport deletes an existing crm.opportunity.report record.

func (*Client) DeleteCrmOpportunityReports

func (c *Client) DeleteCrmOpportunityReports(ids []int64) error

DeleteCrmOpportunityReports deletes existing crm.opportunity.report records.

func (*Client) DeleteCrmPartnerBinding

func (c *Client) DeleteCrmPartnerBinding(id int64) error

DeleteCrmPartnerBinding deletes an existing crm.partner.binding record.

func (*Client) DeleteCrmPartnerBindings

func (c *Client) DeleteCrmPartnerBindings(ids []int64) error

DeleteCrmPartnerBindings deletes existing crm.partner.binding records.

func (*Client) DeleteCrmStage

func (c *Client) DeleteCrmStage(id int64) error

DeleteCrmStage deletes an existing crm.stage record.

func (*Client) DeleteCrmStages

func (c *Client) DeleteCrmStages(ids []int64) error

DeleteCrmStages deletes existing crm.stage records.

func (*Client) DeleteCrmTeam

func (c *Client) DeleteCrmTeam(id int64) error

DeleteCrmTeam deletes an existing crm.team record.

func (*Client) DeleteCrmTeams

func (c *Client) DeleteCrmTeams(ids []int64) error

DeleteCrmTeams deletes existing crm.team records.

func (*Client) DeleteDecimalPrecision

func (c *Client) DeleteDecimalPrecision(id int64) error

DeleteDecimalPrecision deletes an existing decimal.precision record.

func (*Client) DeleteDecimalPrecisions

func (c *Client) DeleteDecimalPrecisions(ids []int64) error

DeleteDecimalPrecisions deletes existing decimal.precision records.

func (*Client) DeleteEmailTemplatePreview

func (c *Client) DeleteEmailTemplatePreview(id int64) error

DeleteEmailTemplatePreview deletes an existing email_template.preview record.

func (*Client) DeleteEmailTemplatePreviews

func (c *Client) DeleteEmailTemplatePreviews(ids []int64) error

DeleteEmailTemplatePreviews deletes existing email_template.preview records.

func (*Client) DeleteFetchmailServer

func (c *Client) DeleteFetchmailServer(id int64) error

DeleteFetchmailServer deletes an existing fetchmail.server record.

func (*Client) DeleteFetchmailServers

func (c *Client) DeleteFetchmailServers(ids []int64) error

DeleteFetchmailServers deletes existing fetchmail.server records.

func (*Client) DeleteFormatAddressMixin

func (c *Client) DeleteFormatAddressMixin(id int64) error

DeleteFormatAddressMixin deletes an existing format.address.mixin record.

func (*Client) DeleteFormatAddressMixins

func (c *Client) DeleteFormatAddressMixins(ids []int64) error

DeleteFormatAddressMixins deletes existing format.address.mixin records.

func (*Client) DeleteHrDepartment

func (c *Client) DeleteHrDepartment(id int64) error

DeleteHrDepartment deletes an existing hr.department record.

func (*Client) DeleteHrDepartments

func (c *Client) DeleteHrDepartments(ids []int64) error

DeleteHrDepartments deletes existing hr.department records.

func (*Client) DeleteHrEmployee

func (c *Client) DeleteHrEmployee(id int64) error

DeleteHrEmployee deletes an existing hr.employee record.

func (*Client) DeleteHrEmployeeCategory

func (c *Client) DeleteHrEmployeeCategory(id int64) error

DeleteHrEmployeeCategory deletes an existing hr.employee.category record.

func (*Client) DeleteHrEmployeeCategorys

func (c *Client) DeleteHrEmployeeCategorys(ids []int64) error

DeleteHrEmployeeCategorys deletes existing hr.employee.category records.

func (*Client) DeleteHrEmployees

func (c *Client) DeleteHrEmployees(ids []int64) error

DeleteHrEmployees deletes existing hr.employee records.

func (*Client) DeleteHrHolidays

func (c *Client) DeleteHrHolidays(id int64) error

DeleteHrHolidays deletes an existing hr.holidays record.

func (*Client) DeleteHrHolidaysRemainingLeavesUser

func (c *Client) DeleteHrHolidaysRemainingLeavesUser(id int64) error

DeleteHrHolidaysRemainingLeavesUser deletes an existing hr.holidays.remaining.leaves.user record.

func (*Client) DeleteHrHolidaysRemainingLeavesUsers

func (c *Client) DeleteHrHolidaysRemainingLeavesUsers(ids []int64) error

DeleteHrHolidaysRemainingLeavesUsers deletes existing hr.holidays.remaining.leaves.user records.

func (*Client) DeleteHrHolidaysStatus

func (c *Client) DeleteHrHolidaysStatus(id int64) error

DeleteHrHolidaysStatus deletes an existing hr.holidays.status record.

func (*Client) DeleteHrHolidaysStatuss

func (c *Client) DeleteHrHolidaysStatuss(ids []int64) error

DeleteHrHolidaysStatuss deletes existing hr.holidays.status records.

func (*Client) DeleteHrHolidaysSummaryDept

func (c *Client) DeleteHrHolidaysSummaryDept(id int64) error

DeleteHrHolidaysSummaryDept deletes an existing hr.holidays.summary.dept record.

func (*Client) DeleteHrHolidaysSummaryDepts

func (c *Client) DeleteHrHolidaysSummaryDepts(ids []int64) error

DeleteHrHolidaysSummaryDepts deletes existing hr.holidays.summary.dept records.

func (*Client) DeleteHrHolidaysSummaryEmployee

func (c *Client) DeleteHrHolidaysSummaryEmployee(id int64) error

DeleteHrHolidaysSummaryEmployee deletes an existing hr.holidays.summary.employee record.

func (*Client) DeleteHrHolidaysSummaryEmployees

func (c *Client) DeleteHrHolidaysSummaryEmployees(ids []int64) error

DeleteHrHolidaysSummaryEmployees deletes existing hr.holidays.summary.employee records.

func (*Client) DeleteHrHolidayss

func (c *Client) DeleteHrHolidayss(ids []int64) error

DeleteHrHolidayss deletes existing hr.holidays records.

func (*Client) DeleteHrJob

func (c *Client) DeleteHrJob(id int64) error

DeleteHrJob deletes an existing hr.job record.

func (*Client) DeleteHrJobs

func (c *Client) DeleteHrJobs(ids []int64) error

DeleteHrJobs deletes existing hr.job records.

func (*Client) DeleteIapAccount

func (c *Client) DeleteIapAccount(id int64) error

DeleteIapAccount deletes an existing iap.account record.

func (*Client) DeleteIapAccounts

func (c *Client) DeleteIapAccounts(ids []int64) error

DeleteIapAccounts deletes existing iap.account records.

func (*Client) DeleteImLivechatChannel

func (c *Client) DeleteImLivechatChannel(id int64) error

DeleteImLivechatChannel deletes an existing im_livechat.channel record.

func (*Client) DeleteImLivechatChannelRule

func (c *Client) DeleteImLivechatChannelRule(id int64) error

DeleteImLivechatChannelRule deletes an existing im_livechat.channel.rule record.

func (*Client) DeleteImLivechatChannelRules

func (c *Client) DeleteImLivechatChannelRules(ids []int64) error

DeleteImLivechatChannelRules deletes existing im_livechat.channel.rule records.

func (*Client) DeleteImLivechatChannels

func (c *Client) DeleteImLivechatChannels(ids []int64) error

DeleteImLivechatChannels deletes existing im_livechat.channel records.

func (*Client) DeleteImLivechatReportChannel

func (c *Client) DeleteImLivechatReportChannel(id int64) error

DeleteImLivechatReportChannel deletes an existing im_livechat.report.channel record.

func (*Client) DeleteImLivechatReportChannels

func (c *Client) DeleteImLivechatReportChannels(ids []int64) error

DeleteImLivechatReportChannels deletes existing im_livechat.report.channel records.

func (*Client) DeleteImLivechatReportOperator

func (c *Client) DeleteImLivechatReportOperator(id int64) error

DeleteImLivechatReportOperator deletes an existing im_livechat.report.operator record.

func (*Client) DeleteImLivechatReportOperators

func (c *Client) DeleteImLivechatReportOperators(ids []int64) error

DeleteImLivechatReportOperators deletes existing im_livechat.report.operator records.

func (*Client) DeleteIrActionsActUrl

func (c *Client) DeleteIrActionsActUrl(id int64) error

DeleteIrActionsActUrl deletes an existing ir.actions.act_url record.

func (*Client) DeleteIrActionsActUrls

func (c *Client) DeleteIrActionsActUrls(ids []int64) error

DeleteIrActionsActUrls deletes existing ir.actions.act_url records.

func (*Client) DeleteIrActionsActWindow

func (c *Client) DeleteIrActionsActWindow(id int64) error

DeleteIrActionsActWindow deletes an existing ir.actions.act_window record.

func (*Client) DeleteIrActionsActWindowClose

func (c *Client) DeleteIrActionsActWindowClose(id int64) error

DeleteIrActionsActWindowClose deletes an existing ir.actions.act_window_close record.

func (*Client) DeleteIrActionsActWindowCloses

func (c *Client) DeleteIrActionsActWindowCloses(ids []int64) error

DeleteIrActionsActWindowCloses deletes existing ir.actions.act_window_close records.

func (*Client) DeleteIrActionsActWindowView

func (c *Client) DeleteIrActionsActWindowView(id int64) error

DeleteIrActionsActWindowView deletes an existing ir.actions.act_window.view record.

func (*Client) DeleteIrActionsActWindowViews

func (c *Client) DeleteIrActionsActWindowViews(ids []int64) error

DeleteIrActionsActWindowViews deletes existing ir.actions.act_window.view records.

func (*Client) DeleteIrActionsActWindows

func (c *Client) DeleteIrActionsActWindows(ids []int64) error

DeleteIrActionsActWindows deletes existing ir.actions.act_window records.

func (*Client) DeleteIrActionsActions

func (c *Client) DeleteIrActionsActions(id int64) error

DeleteIrActionsActions deletes an existing ir.actions.actions record.

func (*Client) DeleteIrActionsActionss

func (c *Client) DeleteIrActionsActionss(ids []int64) error

DeleteIrActionsActionss deletes existing ir.actions.actions records.

func (*Client) DeleteIrActionsClient

func (c *Client) DeleteIrActionsClient(id int64) error

DeleteIrActionsClient deletes an existing ir.actions.client record.

func (*Client) DeleteIrActionsClients

func (c *Client) DeleteIrActionsClients(ids []int64) error

DeleteIrActionsClients deletes existing ir.actions.client records.

func (*Client) DeleteIrActionsReport

func (c *Client) DeleteIrActionsReport(id int64) error

DeleteIrActionsReport deletes an existing ir.actions.report record.

func (*Client) DeleteIrActionsReports

func (c *Client) DeleteIrActionsReports(ids []int64) error

DeleteIrActionsReports deletes existing ir.actions.report records.

func (*Client) DeleteIrActionsServer

func (c *Client) DeleteIrActionsServer(id int64) error

DeleteIrActionsServer deletes an existing ir.actions.server record.

func (*Client) DeleteIrActionsServers

func (c *Client) DeleteIrActionsServers(ids []int64) error

DeleteIrActionsServers deletes existing ir.actions.server records.

func (*Client) DeleteIrActionsTodo

func (c *Client) DeleteIrActionsTodo(id int64) error

DeleteIrActionsTodo deletes an existing ir.actions.todo record.

func (*Client) DeleteIrActionsTodos

func (c *Client) DeleteIrActionsTodos(ids []int64) error

DeleteIrActionsTodos deletes existing ir.actions.todo records.

func (*Client) DeleteIrAttachment

func (c *Client) DeleteIrAttachment(id int64) error

DeleteIrAttachment deletes an existing ir.attachment record.

func (*Client) DeleteIrAttachments

func (c *Client) DeleteIrAttachments(ids []int64) error

DeleteIrAttachments deletes existing ir.attachment records.

func (*Client) DeleteIrAutovacuum

func (c *Client) DeleteIrAutovacuum(id int64) error

DeleteIrAutovacuum deletes an existing ir.autovacuum record.

func (*Client) DeleteIrAutovacuums

func (c *Client) DeleteIrAutovacuums(ids []int64) error

DeleteIrAutovacuums deletes existing ir.autovacuum records.

func (*Client) DeleteIrConfigParameter

func (c *Client) DeleteIrConfigParameter(id int64) error

DeleteIrConfigParameter deletes an existing ir.config_parameter record.

func (*Client) DeleteIrConfigParameters

func (c *Client) DeleteIrConfigParameters(ids []int64) error

DeleteIrConfigParameters deletes existing ir.config_parameter records.

func (*Client) DeleteIrCron

func (c *Client) DeleteIrCron(id int64) error

DeleteIrCron deletes an existing ir.cron record.

func (*Client) DeleteIrCrons

func (c *Client) DeleteIrCrons(ids []int64) error

DeleteIrCrons deletes existing ir.cron records.

func (*Client) DeleteIrDefault

func (c *Client) DeleteIrDefault(id int64) error

DeleteIrDefault deletes an existing ir.default record.

func (*Client) DeleteIrDefaults

func (c *Client) DeleteIrDefaults(ids []int64) error

DeleteIrDefaults deletes existing ir.default records.

func (*Client) DeleteIrExports

func (c *Client) DeleteIrExports(id int64) error

DeleteIrExports deletes an existing ir.exports record.

func (*Client) DeleteIrExportsLine

func (c *Client) DeleteIrExportsLine(id int64) error

DeleteIrExportsLine deletes an existing ir.exports.line record.

func (*Client) DeleteIrExportsLines

func (c *Client) DeleteIrExportsLines(ids []int64) error

DeleteIrExportsLines deletes existing ir.exports.line records.

func (*Client) DeleteIrExportss

func (c *Client) DeleteIrExportss(ids []int64) error

DeleteIrExportss deletes existing ir.exports records.

func (*Client) DeleteIrFieldsConverter

func (c *Client) DeleteIrFieldsConverter(id int64) error

DeleteIrFieldsConverter deletes an existing ir.fields.converter record.

func (*Client) DeleteIrFieldsConverters

func (c *Client) DeleteIrFieldsConverters(ids []int64) error

DeleteIrFieldsConverters deletes existing ir.fields.converter records.

func (*Client) DeleteIrFilters

func (c *Client) DeleteIrFilters(id int64) error

DeleteIrFilters deletes an existing ir.filters record.

func (*Client) DeleteIrFilterss

func (c *Client) DeleteIrFilterss(ids []int64) error

DeleteIrFilterss deletes existing ir.filters records.

func (*Client) DeleteIrHttp

func (c *Client) DeleteIrHttp(id int64) error

DeleteIrHttp deletes an existing ir.http record.

func (*Client) DeleteIrHttps

func (c *Client) DeleteIrHttps(ids []int64) error

DeleteIrHttps deletes existing ir.http records.

func (*Client) DeleteIrLogging

func (c *Client) DeleteIrLogging(id int64) error

DeleteIrLogging deletes an existing ir.logging record.

func (*Client) DeleteIrLoggings

func (c *Client) DeleteIrLoggings(ids []int64) error

DeleteIrLoggings deletes existing ir.logging records.

func (*Client) DeleteIrMailServer

func (c *Client) DeleteIrMailServer(id int64) error

DeleteIrMailServer deletes an existing ir.mail_server record.

func (*Client) DeleteIrMailServers

func (c *Client) DeleteIrMailServers(ids []int64) error

DeleteIrMailServers deletes existing ir.mail_server records.

func (*Client) DeleteIrModel

func (c *Client) DeleteIrModel(id int64) error

DeleteIrModel deletes an existing ir.model record.

func (*Client) DeleteIrModelAccess

func (c *Client) DeleteIrModelAccess(id int64) error

DeleteIrModelAccess deletes an existing ir.model.access record.

func (*Client) DeleteIrModelAccesss

func (c *Client) DeleteIrModelAccesss(ids []int64) error

DeleteIrModelAccesss deletes existing ir.model.access records.

func (*Client) DeleteIrModelConstraint

func (c *Client) DeleteIrModelConstraint(id int64) error

DeleteIrModelConstraint deletes an existing ir.model.constraint record.

func (*Client) DeleteIrModelConstraints

func (c *Client) DeleteIrModelConstraints(ids []int64) error

DeleteIrModelConstraints deletes existing ir.model.constraint records.

func (*Client) DeleteIrModelData

func (c *Client) DeleteIrModelData(id int64) error

DeleteIrModelData deletes an existing ir.model.data record.

func (*Client) DeleteIrModelDatas

func (c *Client) DeleteIrModelDatas(ids []int64) error

DeleteIrModelDatas deletes existing ir.model.data records.

func (*Client) DeleteIrModelFields

func (c *Client) DeleteIrModelFields(id int64) error

DeleteIrModelFields deletes an existing ir.model.fields record.

func (*Client) DeleteIrModelFieldss

func (c *Client) DeleteIrModelFieldss(ids []int64) error

DeleteIrModelFieldss deletes existing ir.model.fields records.

func (*Client) DeleteIrModelRelation

func (c *Client) DeleteIrModelRelation(id int64) error

DeleteIrModelRelation deletes an existing ir.model.relation record.

func (*Client) DeleteIrModelRelations

func (c *Client) DeleteIrModelRelations(ids []int64) error

DeleteIrModelRelations deletes existing ir.model.relation records.

func (*Client) DeleteIrModels

func (c *Client) DeleteIrModels(ids []int64) error

DeleteIrModels deletes existing ir.model records.

func (*Client) DeleteIrModuleCategory

func (c *Client) DeleteIrModuleCategory(id int64) error

DeleteIrModuleCategory deletes an existing ir.module.category record.

func (*Client) DeleteIrModuleCategorys

func (c *Client) DeleteIrModuleCategorys(ids []int64) error

DeleteIrModuleCategorys deletes existing ir.module.category records.

func (*Client) DeleteIrModuleModule

func (c *Client) DeleteIrModuleModule(id int64) error

DeleteIrModuleModule deletes an existing ir.module.module record.

func (*Client) DeleteIrModuleModuleDependency

func (c *Client) DeleteIrModuleModuleDependency(id int64) error

DeleteIrModuleModuleDependency deletes an existing ir.module.module.dependency record.

func (*Client) DeleteIrModuleModuleDependencys

func (c *Client) DeleteIrModuleModuleDependencys(ids []int64) error

DeleteIrModuleModuleDependencys deletes existing ir.module.module.dependency records.

func (*Client) DeleteIrModuleModuleExclusion

func (c *Client) DeleteIrModuleModuleExclusion(id int64) error

DeleteIrModuleModuleExclusion deletes an existing ir.module.module.exclusion record.

func (*Client) DeleteIrModuleModuleExclusions

func (c *Client) DeleteIrModuleModuleExclusions(ids []int64) error

DeleteIrModuleModuleExclusions deletes existing ir.module.module.exclusion records.

func (*Client) DeleteIrModuleModules

func (c *Client) DeleteIrModuleModules(ids []int64) error

DeleteIrModuleModules deletes existing ir.module.module records.

func (*Client) DeleteIrProperty

func (c *Client) DeleteIrProperty(id int64) error

DeleteIrProperty deletes an existing ir.property record.

func (*Client) DeleteIrPropertys

func (c *Client) DeleteIrPropertys(ids []int64) error

DeleteIrPropertys deletes existing ir.property records.

func (*Client) DeleteIrQweb

func (c *Client) DeleteIrQweb(id int64) error

DeleteIrQweb deletes an existing ir.qweb record.

func (*Client) DeleteIrQwebField

func (c *Client) DeleteIrQwebField(id int64) error

DeleteIrQwebField deletes an existing ir.qweb.field record.

func (*Client) DeleteIrQwebFieldBarcode

func (c *Client) DeleteIrQwebFieldBarcode(id int64) error

DeleteIrQwebFieldBarcode deletes an existing ir.qweb.field.barcode record.

func (*Client) DeleteIrQwebFieldBarcodes

func (c *Client) DeleteIrQwebFieldBarcodes(ids []int64) error

DeleteIrQwebFieldBarcodes deletes existing ir.qweb.field.barcode records.

func (*Client) DeleteIrQwebFieldContact

func (c *Client) DeleteIrQwebFieldContact(id int64) error

DeleteIrQwebFieldContact deletes an existing ir.qweb.field.contact record.

func (*Client) DeleteIrQwebFieldContacts

func (c *Client) DeleteIrQwebFieldContacts(ids []int64) error

DeleteIrQwebFieldContacts deletes existing ir.qweb.field.contact records.

func (*Client) DeleteIrQwebFieldDate

func (c *Client) DeleteIrQwebFieldDate(id int64) error

DeleteIrQwebFieldDate deletes an existing ir.qweb.field.date record.

func (*Client) DeleteIrQwebFieldDates

func (c *Client) DeleteIrQwebFieldDates(ids []int64) error

DeleteIrQwebFieldDates deletes existing ir.qweb.field.date records.

func (*Client) DeleteIrQwebFieldDatetime

func (c *Client) DeleteIrQwebFieldDatetime(id int64) error

DeleteIrQwebFieldDatetime deletes an existing ir.qweb.field.datetime record.

func (*Client) DeleteIrQwebFieldDatetimes

func (c *Client) DeleteIrQwebFieldDatetimes(ids []int64) error

DeleteIrQwebFieldDatetimes deletes existing ir.qweb.field.datetime records.

func (*Client) DeleteIrQwebFieldDuration

func (c *Client) DeleteIrQwebFieldDuration(id int64) error

DeleteIrQwebFieldDuration deletes an existing ir.qweb.field.duration record.

func (*Client) DeleteIrQwebFieldDurations

func (c *Client) DeleteIrQwebFieldDurations(ids []int64) error

DeleteIrQwebFieldDurations deletes existing ir.qweb.field.duration records.

func (*Client) DeleteIrQwebFieldFloat

func (c *Client) DeleteIrQwebFieldFloat(id int64) error

DeleteIrQwebFieldFloat deletes an existing ir.qweb.field.float record.

func (*Client) DeleteIrQwebFieldFloatTime

func (c *Client) DeleteIrQwebFieldFloatTime(id int64) error

DeleteIrQwebFieldFloatTime deletes an existing ir.qweb.field.float_time record.

func (*Client) DeleteIrQwebFieldFloatTimes

func (c *Client) DeleteIrQwebFieldFloatTimes(ids []int64) error

DeleteIrQwebFieldFloatTimes deletes existing ir.qweb.field.float_time records.

func (*Client) DeleteIrQwebFieldFloats

func (c *Client) DeleteIrQwebFieldFloats(ids []int64) error

DeleteIrQwebFieldFloats deletes existing ir.qweb.field.float records.

func (*Client) DeleteIrQwebFieldHtml

func (c *Client) DeleteIrQwebFieldHtml(id int64) error

DeleteIrQwebFieldHtml deletes an existing ir.qweb.field.html record.

func (*Client) DeleteIrQwebFieldHtmls

func (c *Client) DeleteIrQwebFieldHtmls(ids []int64) error

DeleteIrQwebFieldHtmls deletes existing ir.qweb.field.html records.

func (*Client) DeleteIrQwebFieldImage

func (c *Client) DeleteIrQwebFieldImage(id int64) error

DeleteIrQwebFieldImage deletes an existing ir.qweb.field.image record.

func (*Client) DeleteIrQwebFieldImages

func (c *Client) DeleteIrQwebFieldImages(ids []int64) error

DeleteIrQwebFieldImages deletes existing ir.qweb.field.image records.

func (*Client) DeleteIrQwebFieldInteger

func (c *Client) DeleteIrQwebFieldInteger(id int64) error

DeleteIrQwebFieldInteger deletes an existing ir.qweb.field.integer record.

func (*Client) DeleteIrQwebFieldIntegers

func (c *Client) DeleteIrQwebFieldIntegers(ids []int64) error

DeleteIrQwebFieldIntegers deletes existing ir.qweb.field.integer records.

func (*Client) DeleteIrQwebFieldMany2One

func (c *Client) DeleteIrQwebFieldMany2One(id int64) error

DeleteIrQwebFieldMany2One deletes an existing ir.qweb.field.many2one record.

func (*Client) DeleteIrQwebFieldMany2Ones

func (c *Client) DeleteIrQwebFieldMany2Ones(ids []int64) error

DeleteIrQwebFieldMany2Ones deletes existing ir.qweb.field.many2one records.

func (*Client) DeleteIrQwebFieldMonetary

func (c *Client) DeleteIrQwebFieldMonetary(id int64) error

DeleteIrQwebFieldMonetary deletes an existing ir.qweb.field.monetary record.

func (*Client) DeleteIrQwebFieldMonetarys

func (c *Client) DeleteIrQwebFieldMonetarys(ids []int64) error

DeleteIrQwebFieldMonetarys deletes existing ir.qweb.field.monetary records.

func (*Client) DeleteIrQwebFieldQweb

func (c *Client) DeleteIrQwebFieldQweb(id int64) error

DeleteIrQwebFieldQweb deletes an existing ir.qweb.field.qweb record.

func (*Client) DeleteIrQwebFieldQwebs

func (c *Client) DeleteIrQwebFieldQwebs(ids []int64) error

DeleteIrQwebFieldQwebs deletes existing ir.qweb.field.qweb records.

func (*Client) DeleteIrQwebFieldRelative

func (c *Client) DeleteIrQwebFieldRelative(id int64) error

DeleteIrQwebFieldRelative deletes an existing ir.qweb.field.relative record.

func (*Client) DeleteIrQwebFieldRelatives

func (c *Client) DeleteIrQwebFieldRelatives(ids []int64) error

DeleteIrQwebFieldRelatives deletes existing ir.qweb.field.relative records.

func (*Client) DeleteIrQwebFieldSelection

func (c *Client) DeleteIrQwebFieldSelection(id int64) error

DeleteIrQwebFieldSelection deletes an existing ir.qweb.field.selection record.

func (*Client) DeleteIrQwebFieldSelections

func (c *Client) DeleteIrQwebFieldSelections(ids []int64) error

DeleteIrQwebFieldSelections deletes existing ir.qweb.field.selection records.

func (*Client) DeleteIrQwebFieldText

func (c *Client) DeleteIrQwebFieldText(id int64) error

DeleteIrQwebFieldText deletes an existing ir.qweb.field.text record.

func (*Client) DeleteIrQwebFieldTexts

func (c *Client) DeleteIrQwebFieldTexts(ids []int64) error

DeleteIrQwebFieldTexts deletes existing ir.qweb.field.text records.

func (*Client) DeleteIrQwebFields

func (c *Client) DeleteIrQwebFields(ids []int64) error

DeleteIrQwebFields deletes existing ir.qweb.field records.

func (*Client) DeleteIrQwebs

func (c *Client) DeleteIrQwebs(ids []int64) error

DeleteIrQwebs deletes existing ir.qweb records.

func (*Client) DeleteIrRule

func (c *Client) DeleteIrRule(id int64) error

DeleteIrRule deletes an existing ir.rule record.

func (*Client) DeleteIrRules

func (c *Client) DeleteIrRules(ids []int64) error

DeleteIrRules deletes existing ir.rule records.

func (*Client) DeleteIrSequence

func (c *Client) DeleteIrSequence(id int64) error

DeleteIrSequence deletes an existing ir.sequence record.

func (*Client) DeleteIrSequenceDateRange

func (c *Client) DeleteIrSequenceDateRange(id int64) error

DeleteIrSequenceDateRange deletes an existing ir.sequence.date_range record.

func (*Client) DeleteIrSequenceDateRanges

func (c *Client) DeleteIrSequenceDateRanges(ids []int64) error

DeleteIrSequenceDateRanges deletes existing ir.sequence.date_range records.

func (*Client) DeleteIrSequences

func (c *Client) DeleteIrSequences(ids []int64) error

DeleteIrSequences deletes existing ir.sequence records.

func (*Client) DeleteIrServerObjectLines

func (c *Client) DeleteIrServerObjectLines(id int64) error

DeleteIrServerObjectLines deletes an existing ir.server.object.lines record.

func (*Client) DeleteIrServerObjectLiness

func (c *Client) DeleteIrServerObjectLiness(ids []int64) error

DeleteIrServerObjectLiness deletes existing ir.server.object.lines records.

func (*Client) DeleteIrTranslation

func (c *Client) DeleteIrTranslation(id int64) error

DeleteIrTranslation deletes an existing ir.translation record.

func (*Client) DeleteIrTranslations

func (c *Client) DeleteIrTranslations(ids []int64) error

DeleteIrTranslations deletes existing ir.translation records.

func (*Client) DeleteIrUiMenu

func (c *Client) DeleteIrUiMenu(id int64) error

DeleteIrUiMenu deletes an existing ir.ui.menu record.

func (*Client) DeleteIrUiMenus

func (c *Client) DeleteIrUiMenus(ids []int64) error

DeleteIrUiMenus deletes existing ir.ui.menu records.

func (*Client) DeleteIrUiView

func (c *Client) DeleteIrUiView(id int64) error

DeleteIrUiView deletes an existing ir.ui.view record.

func (*Client) DeleteIrUiViewCustom

func (c *Client) DeleteIrUiViewCustom(id int64) error

DeleteIrUiViewCustom deletes an existing ir.ui.view.custom record.

func (*Client) DeleteIrUiViewCustoms

func (c *Client) DeleteIrUiViewCustoms(ids []int64) error

DeleteIrUiViewCustoms deletes existing ir.ui.view.custom records.

func (*Client) DeleteIrUiViews

func (c *Client) DeleteIrUiViews(ids []int64) error

DeleteIrUiViews deletes existing ir.ui.view records.

func (*Client) DeleteLinkTracker

func (c *Client) DeleteLinkTracker(id int64) error

DeleteLinkTracker deletes an existing link.tracker record.

func (*Client) DeleteLinkTrackerClick

func (c *Client) DeleteLinkTrackerClick(id int64) error

DeleteLinkTrackerClick deletes an existing link.tracker.click record.

func (*Client) DeleteLinkTrackerClicks

func (c *Client) DeleteLinkTrackerClicks(ids []int64) error

DeleteLinkTrackerClicks deletes existing link.tracker.click records.

func (*Client) DeleteLinkTrackerCode

func (c *Client) DeleteLinkTrackerCode(id int64) error

DeleteLinkTrackerCode deletes an existing link.tracker.code record.

func (*Client) DeleteLinkTrackerCodes

func (c *Client) DeleteLinkTrackerCodes(ids []int64) error

DeleteLinkTrackerCodes deletes existing link.tracker.code records.

func (*Client) DeleteLinkTrackers

func (c *Client) DeleteLinkTrackers(ids []int64) error

DeleteLinkTrackers deletes existing link.tracker records.

func (*Client) DeleteMailActivity

func (c *Client) DeleteMailActivity(id int64) error

DeleteMailActivity deletes an existing mail.activity record.

func (*Client) DeleteMailActivityMixin

func (c *Client) DeleteMailActivityMixin(id int64) error

DeleteMailActivityMixin deletes an existing mail.activity.mixin record.

func (*Client) DeleteMailActivityMixins

func (c *Client) DeleteMailActivityMixins(ids []int64) error

DeleteMailActivityMixins deletes existing mail.activity.mixin records.

func (*Client) DeleteMailActivityType

func (c *Client) DeleteMailActivityType(id int64) error

DeleteMailActivityType deletes an existing mail.activity.type record.

func (*Client) DeleteMailActivityTypes

func (c *Client) DeleteMailActivityTypes(ids []int64) error

DeleteMailActivityTypes deletes existing mail.activity.type records.

func (*Client) DeleteMailActivitys

func (c *Client) DeleteMailActivitys(ids []int64) error

DeleteMailActivitys deletes existing mail.activity records.

func (*Client) DeleteMailAlias

func (c *Client) DeleteMailAlias(id int64) error

DeleteMailAlias deletes an existing mail.alias record.

func (*Client) DeleteMailAliasMixin

func (c *Client) DeleteMailAliasMixin(id int64) error

DeleteMailAliasMixin deletes an existing mail.alias.mixin record.

func (*Client) DeleteMailAliasMixins

func (c *Client) DeleteMailAliasMixins(ids []int64) error

DeleteMailAliasMixins deletes existing mail.alias.mixin records.

func (*Client) DeleteMailAliass

func (c *Client) DeleteMailAliass(ids []int64) error

DeleteMailAliass deletes existing mail.alias records.

func (*Client) DeleteMailChannel

func (c *Client) DeleteMailChannel(id int64) error

DeleteMailChannel deletes an existing mail.channel record.

func (*Client) DeleteMailChannelPartner

func (c *Client) DeleteMailChannelPartner(id int64) error

DeleteMailChannelPartner deletes an existing mail.channel.partner record.

func (*Client) DeleteMailChannelPartners

func (c *Client) DeleteMailChannelPartners(ids []int64) error

DeleteMailChannelPartners deletes existing mail.channel.partner records.

func (*Client) DeleteMailChannels

func (c *Client) DeleteMailChannels(ids []int64) error

DeleteMailChannels deletes existing mail.channel records.

func (*Client) DeleteMailComposeMessage

func (c *Client) DeleteMailComposeMessage(id int64) error

DeleteMailComposeMessage deletes an existing mail.compose.message record.

func (*Client) DeleteMailComposeMessages

func (c *Client) DeleteMailComposeMessages(ids []int64) error

DeleteMailComposeMessages deletes existing mail.compose.message records.

func (*Client) DeleteMailFollowers

func (c *Client) DeleteMailFollowers(id int64) error

DeleteMailFollowers deletes an existing mail.followers record.

func (*Client) DeleteMailFollowerss

func (c *Client) DeleteMailFollowerss(ids []int64) error

DeleteMailFollowerss deletes existing mail.followers records.

func (*Client) DeleteMailMail

func (c *Client) DeleteMailMail(id int64) error

DeleteMailMail deletes an existing mail.mail record.

func (*Client) DeleteMailMailStatistics

func (c *Client) DeleteMailMailStatistics(id int64) error

DeleteMailMailStatistics deletes an existing mail.mail.statistics record.

func (*Client) DeleteMailMailStatisticss

func (c *Client) DeleteMailMailStatisticss(ids []int64) error

DeleteMailMailStatisticss deletes existing mail.mail.statistics records.

func (*Client) DeleteMailMails

func (c *Client) DeleteMailMails(ids []int64) error

DeleteMailMails deletes existing mail.mail records.

func (*Client) DeleteMailMassMailing

func (c *Client) DeleteMailMassMailing(id int64) error

DeleteMailMassMailing deletes an existing mail.mass_mailing record.

func (*Client) DeleteMailMassMailingCampaign

func (c *Client) DeleteMailMassMailingCampaign(id int64) error

DeleteMailMassMailingCampaign deletes an existing mail.mass_mailing.campaign record.

func (*Client) DeleteMailMassMailingCampaigns

func (c *Client) DeleteMailMassMailingCampaigns(ids []int64) error

DeleteMailMassMailingCampaigns deletes existing mail.mass_mailing.campaign records.

func (*Client) DeleteMailMassMailingContact

func (c *Client) DeleteMailMassMailingContact(id int64) error

DeleteMailMassMailingContact deletes an existing mail.mass_mailing.contact record.

func (*Client) DeleteMailMassMailingContacts

func (c *Client) DeleteMailMassMailingContacts(ids []int64) error

DeleteMailMassMailingContacts deletes existing mail.mass_mailing.contact records.

func (*Client) DeleteMailMassMailingList

func (c *Client) DeleteMailMassMailingList(id int64) error

DeleteMailMassMailingList deletes an existing mail.mass_mailing.list record.

func (*Client) DeleteMailMassMailingLists

func (c *Client) DeleteMailMassMailingLists(ids []int64) error

DeleteMailMassMailingLists deletes existing mail.mass_mailing.list records.

func (*Client) DeleteMailMassMailingStage

func (c *Client) DeleteMailMassMailingStage(id int64) error

DeleteMailMassMailingStage deletes an existing mail.mass_mailing.stage record.

func (*Client) DeleteMailMassMailingStages

func (c *Client) DeleteMailMassMailingStages(ids []int64) error

DeleteMailMassMailingStages deletes existing mail.mass_mailing.stage records.

func (*Client) DeleteMailMassMailingTag

func (c *Client) DeleteMailMassMailingTag(id int64) error

DeleteMailMassMailingTag deletes an existing mail.mass_mailing.tag record.

func (*Client) DeleteMailMassMailingTags

func (c *Client) DeleteMailMassMailingTags(ids []int64) error

DeleteMailMassMailingTags deletes existing mail.mass_mailing.tag records.

func (*Client) DeleteMailMassMailings

func (c *Client) DeleteMailMassMailings(ids []int64) error

DeleteMailMassMailings deletes existing mail.mass_mailing records.

func (*Client) DeleteMailMessage

func (c *Client) DeleteMailMessage(id int64) error

DeleteMailMessage deletes an existing mail.message record.

func (*Client) DeleteMailMessageSubtype

func (c *Client) DeleteMailMessageSubtype(id int64) error

DeleteMailMessageSubtype deletes an existing mail.message.subtype record.

func (*Client) DeleteMailMessageSubtypes

func (c *Client) DeleteMailMessageSubtypes(ids []int64) error

DeleteMailMessageSubtypes deletes existing mail.message.subtype records.

func (*Client) DeleteMailMessages

func (c *Client) DeleteMailMessages(ids []int64) error

DeleteMailMessages deletes existing mail.message records.

func (*Client) DeleteMailNotification

func (c *Client) DeleteMailNotification(id int64) error

DeleteMailNotification deletes an existing mail.notification record.

func (*Client) DeleteMailNotifications

func (c *Client) DeleteMailNotifications(ids []int64) error

DeleteMailNotifications deletes existing mail.notification records.

func (*Client) DeleteMailShortcode

func (c *Client) DeleteMailShortcode(id int64) error

DeleteMailShortcode deletes an existing mail.shortcode record.

func (*Client) DeleteMailShortcodes

func (c *Client) DeleteMailShortcodes(ids []int64) error

DeleteMailShortcodes deletes existing mail.shortcode records.

func (*Client) DeleteMailStatisticsReport

func (c *Client) DeleteMailStatisticsReport(id int64) error

DeleteMailStatisticsReport deletes an existing mail.statistics.report record.

func (*Client) DeleteMailStatisticsReports

func (c *Client) DeleteMailStatisticsReports(ids []int64) error

DeleteMailStatisticsReports deletes existing mail.statistics.report records.

func (*Client) DeleteMailTemplate

func (c *Client) DeleteMailTemplate(id int64) error

DeleteMailTemplate deletes an existing mail.template record.

func (*Client) DeleteMailTemplates

func (c *Client) DeleteMailTemplates(ids []int64) error

DeleteMailTemplates deletes existing mail.template records.

func (*Client) DeleteMailTestSimple

func (c *Client) DeleteMailTestSimple(id int64) error

DeleteMailTestSimple deletes an existing mail.test.simple record.

func (*Client) DeleteMailTestSimples

func (c *Client) DeleteMailTestSimples(ids []int64) error

DeleteMailTestSimples deletes existing mail.test.simple records.

func (*Client) DeleteMailThread

func (c *Client) DeleteMailThread(id int64) error

DeleteMailThread deletes an existing mail.thread record.

func (*Client) DeleteMailThreads

func (c *Client) DeleteMailThreads(ids []int64) error

DeleteMailThreads deletes existing mail.thread records.

func (*Client) DeleteMailTrackingValue

func (c *Client) DeleteMailTrackingValue(id int64) error

DeleteMailTrackingValue deletes an existing mail.tracking.value record.

func (*Client) DeleteMailTrackingValues

func (c *Client) DeleteMailTrackingValues(ids []int64) error

DeleteMailTrackingValues deletes existing mail.tracking.value records.

func (*Client) DeleteMailWizardInvite

func (c *Client) DeleteMailWizardInvite(id int64) error

DeleteMailWizardInvite deletes an existing mail.wizard.invite record.

func (*Client) DeleteMailWizardInvites

func (c *Client) DeleteMailWizardInvites(ids []int64) error

DeleteMailWizardInvites deletes existing mail.wizard.invite records.

func (*Client) DeletePaymentAcquirer

func (c *Client) DeletePaymentAcquirer(id int64) error

DeletePaymentAcquirer deletes an existing payment.acquirer record.

func (*Client) DeletePaymentAcquirers

func (c *Client) DeletePaymentAcquirers(ids []int64) error

DeletePaymentAcquirers deletes existing payment.acquirer records.

func (*Client) DeletePaymentIcon

func (c *Client) DeletePaymentIcon(id int64) error

DeletePaymentIcon deletes an existing payment.icon record.

func (*Client) DeletePaymentIcons

func (c *Client) DeletePaymentIcons(ids []int64) error

DeletePaymentIcons deletes existing payment.icon records.

func (*Client) DeletePaymentToken

func (c *Client) DeletePaymentToken(id int64) error

DeletePaymentToken deletes an existing payment.token record.

func (*Client) DeletePaymentTokens

func (c *Client) DeletePaymentTokens(ids []int64) error

DeletePaymentTokens deletes existing payment.token records.

func (*Client) DeletePaymentTransaction

func (c *Client) DeletePaymentTransaction(id int64) error

DeletePaymentTransaction deletes an existing payment.transaction record.

func (*Client) DeletePaymentTransactions

func (c *Client) DeletePaymentTransactions(ids []int64) error

DeletePaymentTransactions deletes existing payment.transaction records.

func (*Client) DeletePortalMixin

func (c *Client) DeletePortalMixin(id int64) error

DeletePortalMixin deletes an existing portal.mixin record.

func (*Client) DeletePortalMixins

func (c *Client) DeletePortalMixins(ids []int64) error

DeletePortalMixins deletes existing portal.mixin records.

func (*Client) DeletePortalWizard

func (c *Client) DeletePortalWizard(id int64) error

DeletePortalWizard deletes an existing portal.wizard record.

func (*Client) DeletePortalWizardUser

func (c *Client) DeletePortalWizardUser(id int64) error

DeletePortalWizardUser deletes an existing portal.wizard.user record.

func (*Client) DeletePortalWizardUsers

func (c *Client) DeletePortalWizardUsers(ids []int64) error

DeletePortalWizardUsers deletes existing portal.wizard.user records.

func (*Client) DeletePortalWizards

func (c *Client) DeletePortalWizards(ids []int64) error

DeletePortalWizards deletes existing portal.wizard records.

func (*Client) DeleteProcurementGroup

func (c *Client) DeleteProcurementGroup(id int64) error

DeleteProcurementGroup deletes an existing procurement.group record.

func (*Client) DeleteProcurementGroups

func (c *Client) DeleteProcurementGroups(ids []int64) error

DeleteProcurementGroups deletes existing procurement.group records.

func (*Client) DeleteProcurementRule

func (c *Client) DeleteProcurementRule(id int64) error

DeleteProcurementRule deletes an existing procurement.rule record.

func (*Client) DeleteProcurementRules

func (c *Client) DeleteProcurementRules(ids []int64) error

DeleteProcurementRules deletes existing procurement.rule records.

func (*Client) DeleteProductAttribute

func (c *Client) DeleteProductAttribute(id int64) error

DeleteProductAttribute deletes an existing product.attribute record.

func (*Client) DeleteProductAttributeLine

func (c *Client) DeleteProductAttributeLine(id int64) error

DeleteProductAttributeLine deletes an existing product.attribute.line record.

func (*Client) DeleteProductAttributeLines

func (c *Client) DeleteProductAttributeLines(ids []int64) error

DeleteProductAttributeLines deletes existing product.attribute.line records.

func (*Client) DeleteProductAttributePrice

func (c *Client) DeleteProductAttributePrice(id int64) error

DeleteProductAttributePrice deletes an existing product.attribute.price record.

func (*Client) DeleteProductAttributePrices

func (c *Client) DeleteProductAttributePrices(ids []int64) error

DeleteProductAttributePrices deletes existing product.attribute.price records.

func (*Client) DeleteProductAttributeValue

func (c *Client) DeleteProductAttributeValue(id int64) error

DeleteProductAttributeValue deletes an existing product.attribute.value record.

func (*Client) DeleteProductAttributeValues

func (c *Client) DeleteProductAttributeValues(ids []int64) error

DeleteProductAttributeValues deletes existing product.attribute.value records.

func (*Client) DeleteProductAttributes

func (c *Client) DeleteProductAttributes(ids []int64) error

DeleteProductAttributes deletes existing product.attribute records.

func (*Client) DeleteProductCategory

func (c *Client) DeleteProductCategory(id int64) error

DeleteProductCategory deletes an existing product.category record.

func (*Client) DeleteProductCategorys

func (c *Client) DeleteProductCategorys(ids []int64) error

DeleteProductCategorys deletes existing product.category records.

func (*Client) DeleteProductPackaging

func (c *Client) DeleteProductPackaging(id int64) error

DeleteProductPackaging deletes an existing product.packaging record.

func (*Client) DeleteProductPackagings

func (c *Client) DeleteProductPackagings(ids []int64) error

DeleteProductPackagings deletes existing product.packaging records.

func (*Client) DeleteProductPriceHistory

func (c *Client) DeleteProductPriceHistory(id int64) error

DeleteProductPriceHistory deletes an existing product.price.history record.

func (*Client) DeleteProductPriceHistorys

func (c *Client) DeleteProductPriceHistorys(ids []int64) error

DeleteProductPriceHistorys deletes existing product.price.history records.

func (*Client) DeleteProductPriceList

func (c *Client) DeleteProductPriceList(id int64) error

DeleteProductPriceList deletes an existing product.price_list record.

func (*Client) DeleteProductPriceLists

func (c *Client) DeleteProductPriceLists(ids []int64) error

DeleteProductPriceLists deletes existing product.price_list records.

func (*Client) DeleteProductPricelist

func (c *Client) DeleteProductPricelist(id int64) error

DeleteProductPricelist deletes an existing product.pricelist record.

func (*Client) DeleteProductPricelistItem

func (c *Client) DeleteProductPricelistItem(id int64) error

DeleteProductPricelistItem deletes an existing product.pricelist.item record.

func (*Client) DeleteProductPricelistItems

func (c *Client) DeleteProductPricelistItems(ids []int64) error

DeleteProductPricelistItems deletes existing product.pricelist.item records.

func (*Client) DeleteProductPricelists

func (c *Client) DeleteProductPricelists(ids []int64) error

DeleteProductPricelists deletes existing product.pricelist records.

func (*Client) DeleteProductProduct

func (c *Client) DeleteProductProduct(id int64) error

DeleteProductProduct deletes an existing product.product record.

func (*Client) DeleteProductProducts

func (c *Client) DeleteProductProducts(ids []int64) error

DeleteProductProducts deletes existing product.product records.

func (*Client) DeleteProductPutaway

func (c *Client) DeleteProductPutaway(id int64) error

DeleteProductPutaway deletes an existing product.putaway record.

func (*Client) DeleteProductPutaways

func (c *Client) DeleteProductPutaways(ids []int64) error

DeleteProductPutaways deletes existing product.putaway records.

func (*Client) DeleteProductRemoval

func (c *Client) DeleteProductRemoval(id int64) error

DeleteProductRemoval deletes an existing product.removal record.

func (*Client) DeleteProductRemovals

func (c *Client) DeleteProductRemovals(ids []int64) error

DeleteProductRemovals deletes existing product.removal records.

func (*Client) DeleteProductSupplierinfo

func (c *Client) DeleteProductSupplierinfo(id int64) error

DeleteProductSupplierinfo deletes an existing product.supplierinfo record.

func (*Client) DeleteProductSupplierinfos

func (c *Client) DeleteProductSupplierinfos(ids []int64) error

DeleteProductSupplierinfos deletes existing product.supplierinfo records.

func (*Client) DeleteProductTemplate

func (c *Client) DeleteProductTemplate(id int64) error

DeleteProductTemplate deletes an existing product.template record.

func (*Client) DeleteProductTemplates

func (c *Client) DeleteProductTemplates(ids []int64) error

DeleteProductTemplates deletes existing product.template records.

func (*Client) DeleteProductUom

func (c *Client) DeleteProductUom(id int64) error

DeleteProductUom deletes an existing product.uom record.

func (*Client) DeleteProductUomCateg

func (c *Client) DeleteProductUomCateg(id int64) error

DeleteProductUomCateg deletes an existing product.uom.categ record.

func (*Client) DeleteProductUomCategs

func (c *Client) DeleteProductUomCategs(ids []int64) error

DeleteProductUomCategs deletes existing product.uom.categ records.

func (*Client) DeleteProductUoms

func (c *Client) DeleteProductUoms(ids []int64) error

DeleteProductUoms deletes existing product.uom records.

func (*Client) DeleteProjectProject

func (c *Client) DeleteProjectProject(id int64) error

DeleteProjectProject deletes an existing project.project record.

func (*Client) DeleteProjectProjects

func (c *Client) DeleteProjectProjects(ids []int64) error

DeleteProjectProjects deletes existing project.project records.

func (*Client) DeleteProjectTags

func (c *Client) DeleteProjectTags(id int64) error

DeleteProjectTags deletes an existing project.tags record.

func (*Client) DeleteProjectTagss

func (c *Client) DeleteProjectTagss(ids []int64) error

DeleteProjectTagss deletes existing project.tags records.

func (*Client) DeleteProjectTask

func (c *Client) DeleteProjectTask(id int64) error

DeleteProjectTask deletes an existing project.task record.

func (*Client) DeleteProjectTaskMergeWizard

func (c *Client) DeleteProjectTaskMergeWizard(id int64) error

DeleteProjectTaskMergeWizard deletes an existing project.task.merge.wizard record.

func (*Client) DeleteProjectTaskMergeWizards

func (c *Client) DeleteProjectTaskMergeWizards(ids []int64) error

DeleteProjectTaskMergeWizards deletes existing project.task.merge.wizard records.

func (*Client) DeleteProjectTaskType

func (c *Client) DeleteProjectTaskType(id int64) error

DeleteProjectTaskType deletes an existing project.task.type record.

func (*Client) DeleteProjectTaskTypes

func (c *Client) DeleteProjectTaskTypes(ids []int64) error

DeleteProjectTaskTypes deletes existing project.task.type records.

func (*Client) DeleteProjectTasks

func (c *Client) DeleteProjectTasks(ids []int64) error

DeleteProjectTasks deletes existing project.task records.

func (*Client) DeletePublisherWarrantyContract

func (c *Client) DeletePublisherWarrantyContract(id int64) error

DeletePublisherWarrantyContract deletes an existing publisher_warranty.contract record.

func (*Client) DeletePublisherWarrantyContracts

func (c *Client) DeletePublisherWarrantyContracts(ids []int64) error

DeletePublisherWarrantyContracts deletes existing publisher_warranty.contract records.

func (*Client) DeletePurchaseOrder

func (c *Client) DeletePurchaseOrder(id int64) error

DeletePurchaseOrder deletes an existing purchase.order record.

func (*Client) DeletePurchaseOrderLine

func (c *Client) DeletePurchaseOrderLine(id int64) error

DeletePurchaseOrderLine deletes an existing purchase.order.line record.

func (*Client) DeletePurchaseOrderLines

func (c *Client) DeletePurchaseOrderLines(ids []int64) error

DeletePurchaseOrderLines deletes existing purchase.order.line records.

func (*Client) DeletePurchaseOrders

func (c *Client) DeletePurchaseOrders(ids []int64) error

DeletePurchaseOrders deletes existing purchase.order records.

func (*Client) DeletePurchaseReport

func (c *Client) DeletePurchaseReport(id int64) error

DeletePurchaseReport deletes an existing purchase.report record.

func (*Client) DeletePurchaseReports

func (c *Client) DeletePurchaseReports(ids []int64) error

DeletePurchaseReports deletes existing purchase.report records.

func (*Client) DeleteRatingMixin

func (c *Client) DeleteRatingMixin(id int64) error

DeleteRatingMixin deletes an existing rating.mixin record.

func (*Client) DeleteRatingMixins

func (c *Client) DeleteRatingMixins(ids []int64) error

DeleteRatingMixins deletes existing rating.mixin records.

func (*Client) DeleteRatingRating

func (c *Client) DeleteRatingRating(id int64) error

DeleteRatingRating deletes an existing rating.rating record.

func (*Client) DeleteRatingRatings

func (c *Client) DeleteRatingRatings(ids []int64) error

DeleteRatingRatings deletes existing rating.rating records.

func (*Client) DeleteReportAccountReportAgedpartnerbalance

func (c *Client) DeleteReportAccountReportAgedpartnerbalance(id int64) error

DeleteReportAccountReportAgedpartnerbalance deletes an existing report.account.report_agedpartnerbalance record.

func (*Client) DeleteReportAccountReportAgedpartnerbalances

func (c *Client) DeleteReportAccountReportAgedpartnerbalances(ids []int64) error

DeleteReportAccountReportAgedpartnerbalances deletes existing report.account.report_agedpartnerbalance records.

func (*Client) DeleteReportAccountReportFinancial

func (c *Client) DeleteReportAccountReportFinancial(id int64) error

DeleteReportAccountReportFinancial deletes an existing report.account.report_financial record.

func (*Client) DeleteReportAccountReportFinancials

func (c *Client) DeleteReportAccountReportFinancials(ids []int64) error

DeleteReportAccountReportFinancials deletes existing report.account.report_financial records.

func (*Client) DeleteReportAccountReportGeneralledger

func (c *Client) DeleteReportAccountReportGeneralledger(id int64) error

DeleteReportAccountReportGeneralledger deletes an existing report.account.report_generalledger record.

func (*Client) DeleteReportAccountReportGeneralledgers

func (c *Client) DeleteReportAccountReportGeneralledgers(ids []int64) error

DeleteReportAccountReportGeneralledgers deletes existing report.account.report_generalledger records.

func (*Client) DeleteReportAccountReportJournal

func (c *Client) DeleteReportAccountReportJournal(id int64) error

DeleteReportAccountReportJournal deletes an existing report.account.report_journal record.

func (*Client) DeleteReportAccountReportJournals

func (c *Client) DeleteReportAccountReportJournals(ids []int64) error

DeleteReportAccountReportJournals deletes existing report.account.report_journal records.

func (*Client) DeleteReportAccountReportOverdue

func (c *Client) DeleteReportAccountReportOverdue(id int64) error

DeleteReportAccountReportOverdue deletes an existing report.account.report_overdue record.

func (*Client) DeleteReportAccountReportOverdues

func (c *Client) DeleteReportAccountReportOverdues(ids []int64) error

DeleteReportAccountReportOverdues deletes existing report.account.report_overdue records.

func (*Client) DeleteReportAccountReportPartnerledger

func (c *Client) DeleteReportAccountReportPartnerledger(id int64) error

DeleteReportAccountReportPartnerledger deletes an existing report.account.report_partnerledger record.

func (*Client) DeleteReportAccountReportPartnerledgers

func (c *Client) DeleteReportAccountReportPartnerledgers(ids []int64) error

DeleteReportAccountReportPartnerledgers deletes existing report.account.report_partnerledger records.

func (*Client) DeleteReportAccountReportTax

func (c *Client) DeleteReportAccountReportTax(id int64) error

DeleteReportAccountReportTax deletes an existing report.account.report_tax record.

func (*Client) DeleteReportAccountReportTaxs

func (c *Client) DeleteReportAccountReportTaxs(ids []int64) error

DeleteReportAccountReportTaxs deletes existing report.account.report_tax records.

func (*Client) DeleteReportAccountReportTrialbalance

func (c *Client) DeleteReportAccountReportTrialbalance(id int64) error

DeleteReportAccountReportTrialbalance deletes an existing report.account.report_trialbalance record.

func (*Client) DeleteReportAccountReportTrialbalances

func (c *Client) DeleteReportAccountReportTrialbalances(ids []int64) error

DeleteReportAccountReportTrialbalances deletes existing report.account.report_trialbalance records.

func (*Client) DeleteReportAllChannelsSales

func (c *Client) DeleteReportAllChannelsSales(id int64) error

DeleteReportAllChannelsSales deletes an existing report.all.channels.sales record.

func (*Client) DeleteReportAllChannelsSaless

func (c *Client) DeleteReportAllChannelsSaless(ids []int64) error

DeleteReportAllChannelsSaless deletes existing report.all.channels.sales records.

func (*Client) DeleteReportBaseReportIrmodulereference

func (c *Client) DeleteReportBaseReportIrmodulereference(id int64) error

DeleteReportBaseReportIrmodulereference deletes an existing report.base.report_irmodulereference record.

func (*Client) DeleteReportBaseReportIrmodulereferences

func (c *Client) DeleteReportBaseReportIrmodulereferences(ids []int64) error

DeleteReportBaseReportIrmodulereferences deletes existing report.base.report_irmodulereference records.

func (*Client) DeleteReportHrHolidaysReportHolidayssummary

func (c *Client) DeleteReportHrHolidaysReportHolidayssummary(id int64) error

DeleteReportHrHolidaysReportHolidayssummary deletes an existing report.hr_holidays.report_holidayssummary record.

func (*Client) DeleteReportHrHolidaysReportHolidayssummarys

func (c *Client) DeleteReportHrHolidaysReportHolidayssummarys(ids []int64) error

DeleteReportHrHolidaysReportHolidayssummarys deletes existing report.hr_holidays.report_holidayssummary records.

func (*Client) DeleteReportPaperformat

func (c *Client) DeleteReportPaperformat(id int64) error

DeleteReportPaperformat deletes an existing report.paperformat record.

func (*Client) DeleteReportPaperformats

func (c *Client) DeleteReportPaperformats(ids []int64) error

DeleteReportPaperformats deletes existing report.paperformat records.

func (*Client) DeleteReportProductReportPricelist

func (c *Client) DeleteReportProductReportPricelist(id int64) error

DeleteReportProductReportPricelist deletes an existing report.product.report_pricelist record.

func (*Client) DeleteReportProductReportPricelists

func (c *Client) DeleteReportProductReportPricelists(ids []int64) error

DeleteReportProductReportPricelists deletes existing report.product.report_pricelist records.

func (*Client) DeleteReportProjectTaskUser

func (c *Client) DeleteReportProjectTaskUser(id int64) error

DeleteReportProjectTaskUser deletes an existing report.project.task.user record.

func (*Client) DeleteReportProjectTaskUsers

func (c *Client) DeleteReportProjectTaskUsers(ids []int64) error

DeleteReportProjectTaskUsers deletes existing report.project.task.user records.

func (*Client) DeleteReportSaleReportSaleproforma

func (c *Client) DeleteReportSaleReportSaleproforma(id int64) error

DeleteReportSaleReportSaleproforma deletes an existing report.sale.report_saleproforma record.

func (*Client) DeleteReportSaleReportSaleproformas

func (c *Client) DeleteReportSaleReportSaleproformas(ids []int64) error

DeleteReportSaleReportSaleproformas deletes existing report.sale.report_saleproforma records.

func (*Client) DeleteReportStockForecast

func (c *Client) DeleteReportStockForecast(id int64) error

DeleteReportStockForecast deletes an existing report.stock.forecast record.

func (*Client) DeleteReportStockForecasts

func (c *Client) DeleteReportStockForecasts(ids []int64) error

DeleteReportStockForecasts deletes existing report.stock.forecast records.

func (*Client) DeleteResBank

func (c *Client) DeleteResBank(id int64) error

DeleteResBank deletes an existing res.bank record.

func (*Client) DeleteResBanks

func (c *Client) DeleteResBanks(ids []int64) error

DeleteResBanks deletes existing res.bank records.

func (*Client) DeleteResCompany

func (c *Client) DeleteResCompany(id int64) error

DeleteResCompany deletes an existing res.company record.

func (*Client) DeleteResCompanys

func (c *Client) DeleteResCompanys(ids []int64) error

DeleteResCompanys deletes existing res.company records.

func (*Client) DeleteResConfig

func (c *Client) DeleteResConfig(id int64) error

DeleteResConfig deletes an existing res.config record.

func (*Client) DeleteResConfigInstaller

func (c *Client) DeleteResConfigInstaller(id int64) error

DeleteResConfigInstaller deletes an existing res.config.installer record.

func (*Client) DeleteResConfigInstallers

func (c *Client) DeleteResConfigInstallers(ids []int64) error

DeleteResConfigInstallers deletes existing res.config.installer records.

func (*Client) DeleteResConfigSettings

func (c *Client) DeleteResConfigSettings(id int64) error

DeleteResConfigSettings deletes an existing res.config.settings record.

func (*Client) DeleteResConfigSettingss

func (c *Client) DeleteResConfigSettingss(ids []int64) error

DeleteResConfigSettingss deletes existing res.config.settings records.

func (*Client) DeleteResConfigs

func (c *Client) DeleteResConfigs(ids []int64) error

DeleteResConfigs deletes existing res.config records.

func (*Client) DeleteResCountry

func (c *Client) DeleteResCountry(id int64) error

DeleteResCountry deletes an existing res.country record.

func (*Client) DeleteResCountryGroup

func (c *Client) DeleteResCountryGroup(id int64) error

DeleteResCountryGroup deletes an existing res.country.group record.

func (*Client) DeleteResCountryGroups

func (c *Client) DeleteResCountryGroups(ids []int64) error

DeleteResCountryGroups deletes existing res.country.group records.

func (*Client) DeleteResCountryState

func (c *Client) DeleteResCountryState(id int64) error

DeleteResCountryState deletes an existing res.country.state record.

func (*Client) DeleteResCountryStates

func (c *Client) DeleteResCountryStates(ids []int64) error

DeleteResCountryStates deletes existing res.country.state records.

func (*Client) DeleteResCountrys

func (c *Client) DeleteResCountrys(ids []int64) error

DeleteResCountrys deletes existing res.country records.

func (*Client) DeleteResCurrency

func (c *Client) DeleteResCurrency(id int64) error

DeleteResCurrency deletes an existing res.currency record.

func (*Client) DeleteResCurrencyRate

func (c *Client) DeleteResCurrencyRate(id int64) error

DeleteResCurrencyRate deletes an existing res.currency.rate record.

func (*Client) DeleteResCurrencyRates

func (c *Client) DeleteResCurrencyRates(ids []int64) error

DeleteResCurrencyRates deletes existing res.currency.rate records.

func (*Client) DeleteResCurrencys

func (c *Client) DeleteResCurrencys(ids []int64) error

DeleteResCurrencys deletes existing res.currency records.

func (*Client) DeleteResGroups

func (c *Client) DeleteResGroups(id int64) error

DeleteResGroups deletes an existing res.groups record.

func (*Client) DeleteResGroupss

func (c *Client) DeleteResGroupss(ids []int64) error

DeleteResGroupss deletes existing res.groups records.

func (*Client) DeleteResLang

func (c *Client) DeleteResLang(id int64) error

DeleteResLang deletes an existing res.lang record.

func (*Client) DeleteResLangs

func (c *Client) DeleteResLangs(ids []int64) error

DeleteResLangs deletes existing res.lang records.

func (*Client) DeleteResPartner

func (c *Client) DeleteResPartner(id int64) error

DeleteResPartner deletes an existing res.partner record.

func (*Client) DeleteResPartnerBank

func (c *Client) DeleteResPartnerBank(id int64) error

DeleteResPartnerBank deletes an existing res.partner.bank record.

func (*Client) DeleteResPartnerBanks

func (c *Client) DeleteResPartnerBanks(ids []int64) error

DeleteResPartnerBanks deletes existing res.partner.bank records.

func (*Client) DeleteResPartnerCategory

func (c *Client) DeleteResPartnerCategory(id int64) error

DeleteResPartnerCategory deletes an existing res.partner.category record.

func (*Client) DeleteResPartnerCategorys

func (c *Client) DeleteResPartnerCategorys(ids []int64) error

DeleteResPartnerCategorys deletes existing res.partner.category records.

func (*Client) DeleteResPartnerIndustry

func (c *Client) DeleteResPartnerIndustry(id int64) error

DeleteResPartnerIndustry deletes an existing res.partner.industry record.

func (*Client) DeleteResPartnerIndustrys

func (c *Client) DeleteResPartnerIndustrys(ids []int64) error

DeleteResPartnerIndustrys deletes existing res.partner.industry records.

func (*Client) DeleteResPartnerTitle

func (c *Client) DeleteResPartnerTitle(id int64) error

DeleteResPartnerTitle deletes an existing res.partner.title record.

func (*Client) DeleteResPartnerTitles

func (c *Client) DeleteResPartnerTitles(ids []int64) error

DeleteResPartnerTitles deletes existing res.partner.title records.

func (*Client) DeleteResPartners

func (c *Client) DeleteResPartners(ids []int64) error

DeleteResPartners deletes existing res.partner records.

func (c *Client) DeleteResRequestLink(id int64) error

DeleteResRequestLink deletes an existing res.request.link record.

func (c *Client) DeleteResRequestLinks(ids []int64) error

DeleteResRequestLinks deletes existing res.request.link records.

func (*Client) DeleteResUsers

func (c *Client) DeleteResUsers(id int64) error

DeleteResUsers deletes an existing res.users record.

func (*Client) DeleteResUsersLog

func (c *Client) DeleteResUsersLog(id int64) error

DeleteResUsersLog deletes an existing res.users.log record.

func (*Client) DeleteResUsersLogs

func (c *Client) DeleteResUsersLogs(ids []int64) error

DeleteResUsersLogs deletes existing res.users.log records.

func (*Client) DeleteResUserss

func (c *Client) DeleteResUserss(ids []int64) error

DeleteResUserss deletes existing res.users records.

func (*Client) DeleteResourceCalendar

func (c *Client) DeleteResourceCalendar(id int64) error

DeleteResourceCalendar deletes an existing resource.calendar record.

func (*Client) DeleteResourceCalendarAttendance

func (c *Client) DeleteResourceCalendarAttendance(id int64) error

DeleteResourceCalendarAttendance deletes an existing resource.calendar.attendance record.

func (*Client) DeleteResourceCalendarAttendances

func (c *Client) DeleteResourceCalendarAttendances(ids []int64) error

DeleteResourceCalendarAttendances deletes existing resource.calendar.attendance records.

func (*Client) DeleteResourceCalendarLeaves

func (c *Client) DeleteResourceCalendarLeaves(id int64) error

DeleteResourceCalendarLeaves deletes an existing resource.calendar.leaves record.

func (*Client) DeleteResourceCalendarLeavess

func (c *Client) DeleteResourceCalendarLeavess(ids []int64) error

DeleteResourceCalendarLeavess deletes existing resource.calendar.leaves records.

func (*Client) DeleteResourceCalendars

func (c *Client) DeleteResourceCalendars(ids []int64) error

DeleteResourceCalendars deletes existing resource.calendar records.

func (*Client) DeleteResourceMixin

func (c *Client) DeleteResourceMixin(id int64) error

DeleteResourceMixin deletes an existing resource.mixin record.

func (*Client) DeleteResourceMixins

func (c *Client) DeleteResourceMixins(ids []int64) error

DeleteResourceMixins deletes existing resource.mixin records.

func (*Client) DeleteResourceResource

func (c *Client) DeleteResourceResource(id int64) error

DeleteResourceResource deletes an existing resource.resource record.

func (*Client) DeleteResourceResources

func (c *Client) DeleteResourceResources(ids []int64) error

DeleteResourceResources deletes existing resource.resource records.

func (*Client) DeleteSaleAdvancePaymentInv

func (c *Client) DeleteSaleAdvancePaymentInv(id int64) error

DeleteSaleAdvancePaymentInv deletes an existing sale.advance.payment.inv record.

func (*Client) DeleteSaleAdvancePaymentInvs

func (c *Client) DeleteSaleAdvancePaymentInvs(ids []int64) error

DeleteSaleAdvancePaymentInvs deletes existing sale.advance.payment.inv records.

func (*Client) DeleteSaleLayoutCategory

func (c *Client) DeleteSaleLayoutCategory(id int64) error

DeleteSaleLayoutCategory deletes an existing sale.layout_category record.

func (*Client) DeleteSaleLayoutCategorys

func (c *Client) DeleteSaleLayoutCategorys(ids []int64) error

DeleteSaleLayoutCategorys deletes existing sale.layout_category records.

func (*Client) DeleteSaleOrder

func (c *Client) DeleteSaleOrder(id int64) error

DeleteSaleOrder deletes an existing sale.order record.

func (*Client) DeleteSaleOrderLine

func (c *Client) DeleteSaleOrderLine(id int64) error

DeleteSaleOrderLine deletes an existing sale.order.line record.

func (*Client) DeleteSaleOrderLines

func (c *Client) DeleteSaleOrderLines(ids []int64) error

DeleteSaleOrderLines deletes existing sale.order.line records.

func (*Client) DeleteSaleOrders

func (c *Client) DeleteSaleOrders(ids []int64) error

DeleteSaleOrders deletes existing sale.order records.

func (*Client) DeleteSaleReport

func (c *Client) DeleteSaleReport(id int64) error

DeleteSaleReport deletes an existing sale.report record.

func (*Client) DeleteSaleReports

func (c *Client) DeleteSaleReports(ids []int64) error

DeleteSaleReports deletes existing sale.report records.

func (*Client) DeleteSlideAnswer

func (c *Client) DeleteSlideAnswer(id int64) error

func (*Client) DeleteSlideAnswers

func (c *Client) DeleteSlideAnswers(ids []int64) error

func (*Client) DeleteSlideChannel

func (c *Client) DeleteSlideChannel(id int64) error

func (*Client) DeleteSlideChannelInvite

func (c *Client) DeleteSlideChannelInvite(id int64) error

func (*Client) DeleteSlideChannelInvites

func (c *Client) DeleteSlideChannelInvites(ids []int64) error

func (*Client) DeleteSlideChannelPartner

func (c *Client) DeleteSlideChannelPartner(id int64) error

func (*Client) DeleteSlideChannelPartners

func (c *Client) DeleteSlideChannelPartners(ids []int64) error

func (*Client) DeleteSlideChannelTag

func (c *Client) DeleteSlideChannelTag(id int64) error

func (*Client) DeleteSlideChannelTagGroup

func (c *Client) DeleteSlideChannelTagGroup(id int64) error

func (*Client) DeleteSlideChannelTagGroups

func (c *Client) DeleteSlideChannelTagGroups(ids []int64) error

func (*Client) DeleteSlideChannelTags

func (c *Client) DeleteSlideChannelTags(ids []int64) error

func (*Client) DeleteSlideChannels

func (c *Client) DeleteSlideChannels(ids []int64) error

func (*Client) DeleteSlideEmbed

func (c *Client) DeleteSlideEmbed(id int64) error

func (*Client) DeleteSlideEmbeds

func (c *Client) DeleteSlideEmbeds(ids []int64) error

func (*Client) DeleteSlideQuestion

func (c *Client) DeleteSlideQuestion(id int64) error

func (*Client) DeleteSlideQuestions

func (c *Client) DeleteSlideQuestions(ids []int64) error

func (*Client) DeleteSlideSlide

func (c *Client) DeleteSlideSlide(id int64) error

func (*Client) DeleteSlideSlidePartner

func (c *Client) DeleteSlideSlidePartner(id int64) error

func (*Client) DeleteSlideSlidePartners

func (c *Client) DeleteSlideSlidePartners(ids []int64) error

func (*Client) DeleteSlideSlideResource

func (c *Client) DeleteSlideSlideResource(id int64) error

func (*Client) DeleteSlideSlideResources

func (c *Client) DeleteSlideSlideResources(ids []int64) error

func (*Client) DeleteSlideSlides

func (c *Client) DeleteSlideSlides(ids []int64) error

func (*Client) DeleteSlideTag

func (c *Client) DeleteSlideTag(id int64) error

func (*Client) DeleteSlideTags

func (c *Client) DeleteSlideTags(ids []int64) error

func (*Client) DeleteSmsApi

func (c *Client) DeleteSmsApi(id int64) error

DeleteSmsApi deletes an existing sms.api record.

func (*Client) DeleteSmsApis

func (c *Client) DeleteSmsApis(ids []int64) error

DeleteSmsApis deletes existing sms.api records.

func (*Client) DeleteSmsSendSms

func (c *Client) DeleteSmsSendSms(id int64) error

DeleteSmsSendSms deletes an existing sms.send_sms record.

func (*Client) DeleteSmsSendSmss

func (c *Client) DeleteSmsSendSmss(ids []int64) error

DeleteSmsSendSmss deletes existing sms.send_sms records.

func (*Client) DeleteStockBackorderConfirmation

func (c *Client) DeleteStockBackorderConfirmation(id int64) error

DeleteStockBackorderConfirmation deletes an existing stock.backorder.confirmation record.

func (*Client) DeleteStockBackorderConfirmations

func (c *Client) DeleteStockBackorderConfirmations(ids []int64) error

DeleteStockBackorderConfirmations deletes existing stock.backorder.confirmation records.

func (*Client) DeleteStockChangeProductQty

func (c *Client) DeleteStockChangeProductQty(id int64) error

DeleteStockChangeProductQty deletes an existing stock.change.product.qty record.

func (*Client) DeleteStockChangeProductQtys

func (c *Client) DeleteStockChangeProductQtys(ids []int64) error

DeleteStockChangeProductQtys deletes existing stock.change.product.qty records.

func (*Client) DeleteStockChangeStandardPrice

func (c *Client) DeleteStockChangeStandardPrice(id int64) error

DeleteStockChangeStandardPrice deletes an existing stock.change.standard.price record.

func (*Client) DeleteStockChangeStandardPrices

func (c *Client) DeleteStockChangeStandardPrices(ids []int64) error

DeleteStockChangeStandardPrices deletes existing stock.change.standard.price records.

func (*Client) DeleteStockFixedPutawayStrat

func (c *Client) DeleteStockFixedPutawayStrat(id int64) error

DeleteStockFixedPutawayStrat deletes an existing stock.fixed.putaway.strat record.

func (*Client) DeleteStockFixedPutawayStrats

func (c *Client) DeleteStockFixedPutawayStrats(ids []int64) error

DeleteStockFixedPutawayStrats deletes existing stock.fixed.putaway.strat records.

func (*Client) DeleteStockImmediateTransfer

func (c *Client) DeleteStockImmediateTransfer(id int64) error

DeleteStockImmediateTransfer deletes an existing stock.immediate.transfer record.

func (*Client) DeleteStockImmediateTransfers

func (c *Client) DeleteStockImmediateTransfers(ids []int64) error

DeleteStockImmediateTransfers deletes existing stock.immediate.transfer records.

func (*Client) DeleteStockIncoterms

func (c *Client) DeleteStockIncoterms(id int64) error

DeleteStockIncoterms deletes an existing stock.incoterms record.

func (*Client) DeleteStockIncotermss

func (c *Client) DeleteStockIncotermss(ids []int64) error

DeleteStockIncotermss deletes existing stock.incoterms records.

func (*Client) DeleteStockInventory

func (c *Client) DeleteStockInventory(id int64) error

DeleteStockInventory deletes an existing stock.inventory record.

func (*Client) DeleteStockInventoryLine

func (c *Client) DeleteStockInventoryLine(id int64) error

DeleteStockInventoryLine deletes an existing stock.inventory.line record.

func (*Client) DeleteStockInventoryLines

func (c *Client) DeleteStockInventoryLines(ids []int64) error

DeleteStockInventoryLines deletes existing stock.inventory.line records.

func (*Client) DeleteStockInventorys

func (c *Client) DeleteStockInventorys(ids []int64) error

DeleteStockInventorys deletes existing stock.inventory records.

func (*Client) DeleteStockLocation

func (c *Client) DeleteStockLocation(id int64) error

DeleteStockLocation deletes an existing stock.location record.

func (*Client) DeleteStockLocationPath

func (c *Client) DeleteStockLocationPath(id int64) error

DeleteStockLocationPath deletes an existing stock.location.path record.

func (*Client) DeleteStockLocationPaths

func (c *Client) DeleteStockLocationPaths(ids []int64) error

DeleteStockLocationPaths deletes existing stock.location.path records.

func (*Client) DeleteStockLocationRoute

func (c *Client) DeleteStockLocationRoute(id int64) error

DeleteStockLocationRoute deletes an existing stock.location.route record.

func (*Client) DeleteStockLocationRoutes

func (c *Client) DeleteStockLocationRoutes(ids []int64) error

DeleteStockLocationRoutes deletes existing stock.location.route records.

func (*Client) DeleteStockLocations

func (c *Client) DeleteStockLocations(ids []int64) error

DeleteStockLocations deletes existing stock.location records.

func (*Client) DeleteStockMove

func (c *Client) DeleteStockMove(id int64) error

DeleteStockMove deletes an existing stock.move record.

func (*Client) DeleteStockMoveLine

func (c *Client) DeleteStockMoveLine(id int64) error

DeleteStockMoveLine deletes an existing stock.move.line record.

func (*Client) DeleteStockMoveLines

func (c *Client) DeleteStockMoveLines(ids []int64) error

DeleteStockMoveLines deletes existing stock.move.line records.

func (*Client) DeleteStockMoves

func (c *Client) DeleteStockMoves(ids []int64) error

DeleteStockMoves deletes existing stock.move records.

func (*Client) DeleteStockOverprocessedTransfer

func (c *Client) DeleteStockOverprocessedTransfer(id int64) error

DeleteStockOverprocessedTransfer deletes an existing stock.overprocessed.transfer record.

func (*Client) DeleteStockOverprocessedTransfers

func (c *Client) DeleteStockOverprocessedTransfers(ids []int64) error

DeleteStockOverprocessedTransfers deletes existing stock.overprocessed.transfer records.

func (*Client) DeleteStockPicking

func (c *Client) DeleteStockPicking(id int64) error

DeleteStockPicking deletes an existing stock.picking record.

func (*Client) DeleteStockPickingType

func (c *Client) DeleteStockPickingType(id int64) error

DeleteStockPickingType deletes an existing stock.picking.type record.

func (*Client) DeleteStockPickingTypes

func (c *Client) DeleteStockPickingTypes(ids []int64) error

DeleteStockPickingTypes deletes existing stock.picking.type records.

func (*Client) DeleteStockPickings

func (c *Client) DeleteStockPickings(ids []int64) error

DeleteStockPickings deletes existing stock.picking records.

func (*Client) DeleteStockProductionLot

func (c *Client) DeleteStockProductionLot(id int64) error

DeleteStockProductionLot deletes an existing stock.production.lot record.

func (*Client) DeleteStockProductionLots

func (c *Client) DeleteStockProductionLots(ids []int64) error

DeleteStockProductionLots deletes existing stock.production.lot records.

func (*Client) DeleteStockQuant

func (c *Client) DeleteStockQuant(id int64) error

DeleteStockQuant deletes an existing stock.quant record.

func (*Client) DeleteStockQuantPackage

func (c *Client) DeleteStockQuantPackage(id int64) error

DeleteStockQuantPackage deletes an existing stock.quant.package record.

func (*Client) DeleteStockQuantPackages

func (c *Client) DeleteStockQuantPackages(ids []int64) error

DeleteStockQuantPackages deletes existing stock.quant.package records.

func (*Client) DeleteStockQuantityHistory

func (c *Client) DeleteStockQuantityHistory(id int64) error

DeleteStockQuantityHistory deletes an existing stock.quantity.history record.

func (*Client) DeleteStockQuantityHistorys

func (c *Client) DeleteStockQuantityHistorys(ids []int64) error

DeleteStockQuantityHistorys deletes existing stock.quantity.history records.

func (*Client) DeleteStockQuants

func (c *Client) DeleteStockQuants(ids []int64) error

DeleteStockQuants deletes existing stock.quant records.

func (*Client) DeleteStockReturnPicking

func (c *Client) DeleteStockReturnPicking(id int64) error

DeleteStockReturnPicking deletes an existing stock.return.picking record.

func (*Client) DeleteStockReturnPickingLine

func (c *Client) DeleteStockReturnPickingLine(id int64) error

DeleteStockReturnPickingLine deletes an existing stock.return.picking.line record.

func (*Client) DeleteStockReturnPickingLines

func (c *Client) DeleteStockReturnPickingLines(ids []int64) error

DeleteStockReturnPickingLines deletes existing stock.return.picking.line records.

func (*Client) DeleteStockReturnPickings

func (c *Client) DeleteStockReturnPickings(ids []int64) error

DeleteStockReturnPickings deletes existing stock.return.picking records.

func (*Client) DeleteStockSchedulerCompute

func (c *Client) DeleteStockSchedulerCompute(id int64) error

DeleteStockSchedulerCompute deletes an existing stock.scheduler.compute record.

func (*Client) DeleteStockSchedulerComputes

func (c *Client) DeleteStockSchedulerComputes(ids []int64) error

DeleteStockSchedulerComputes deletes existing stock.scheduler.compute records.

func (*Client) DeleteStockScrap

func (c *Client) DeleteStockScrap(id int64) error

DeleteStockScrap deletes an existing stock.scrap record.

func (*Client) DeleteStockScraps

func (c *Client) DeleteStockScraps(ids []int64) error

DeleteStockScraps deletes existing stock.scrap records.

func (*Client) DeleteStockTraceabilityReport

func (c *Client) DeleteStockTraceabilityReport(id int64) error

DeleteStockTraceabilityReport deletes an existing stock.traceability.report record.

func (*Client) DeleteStockTraceabilityReports

func (c *Client) DeleteStockTraceabilityReports(ids []int64) error

DeleteStockTraceabilityReports deletes existing stock.traceability.report records.

func (*Client) DeleteStockWarehouse

func (c *Client) DeleteStockWarehouse(id int64) error

DeleteStockWarehouse deletes an existing stock.warehouse record.

func (*Client) DeleteStockWarehouseOrderpoint

func (c *Client) DeleteStockWarehouseOrderpoint(id int64) error

DeleteStockWarehouseOrderpoint deletes an existing stock.warehouse.orderpoint record.

func (*Client) DeleteStockWarehouseOrderpoints

func (c *Client) DeleteStockWarehouseOrderpoints(ids []int64) error

DeleteStockWarehouseOrderpoints deletes existing stock.warehouse.orderpoint records.

func (*Client) DeleteStockWarehouses

func (c *Client) DeleteStockWarehouses(ids []int64) error

DeleteStockWarehouses deletes existing stock.warehouse records.

func (*Client) DeleteStockWarnInsufficientQty

func (c *Client) DeleteStockWarnInsufficientQty(id int64) error

DeleteStockWarnInsufficientQty deletes an existing stock.warn.insufficient.qty record.

func (*Client) DeleteStockWarnInsufficientQtyScrap

func (c *Client) DeleteStockWarnInsufficientQtyScrap(id int64) error

DeleteStockWarnInsufficientQtyScrap deletes an existing stock.warn.insufficient.qty.scrap record.

func (*Client) DeleteStockWarnInsufficientQtyScraps

func (c *Client) DeleteStockWarnInsufficientQtyScraps(ids []int64) error

DeleteStockWarnInsufficientQtyScraps deletes existing stock.warn.insufficient.qty.scrap records.

func (*Client) DeleteStockWarnInsufficientQtys

func (c *Client) DeleteStockWarnInsufficientQtys(ids []int64) error

DeleteStockWarnInsufficientQtys deletes existing stock.warn.insufficient.qty records.

func (*Client) DeleteTaxAdjustmentsWizard

func (c *Client) DeleteTaxAdjustmentsWizard(id int64) error

DeleteTaxAdjustmentsWizard deletes an existing tax.adjustments.wizard record.

func (*Client) DeleteTaxAdjustmentsWizards

func (c *Client) DeleteTaxAdjustmentsWizards(ids []int64) error

DeleteTaxAdjustmentsWizards deletes existing tax.adjustments.wizard records.

func (*Client) DeleteUtmCampaign

func (c *Client) DeleteUtmCampaign(id int64) error

DeleteUtmCampaign deletes an existing utm.campaign record.

func (*Client) DeleteUtmCampaigns

func (c *Client) DeleteUtmCampaigns(ids []int64) error

DeleteUtmCampaigns deletes existing utm.campaign records.

func (*Client) DeleteUtmMedium

func (c *Client) DeleteUtmMedium(id int64) error

DeleteUtmMedium deletes an existing utm.medium record.

func (*Client) DeleteUtmMediums

func (c *Client) DeleteUtmMediums(ids []int64) error

DeleteUtmMediums deletes existing utm.medium records.

func (*Client) DeleteUtmMixin

func (c *Client) DeleteUtmMixin(id int64) error

DeleteUtmMixin deletes an existing utm.mixin record.

func (*Client) DeleteUtmMixins

func (c *Client) DeleteUtmMixins(ids []int64) error

DeleteUtmMixins deletes existing utm.mixin records.

func (*Client) DeleteUtmSource

func (c *Client) DeleteUtmSource(id int64) error

DeleteUtmSource deletes an existing utm.source record.

func (*Client) DeleteUtmSources

func (c *Client) DeleteUtmSources(ids []int64) error

DeleteUtmSources deletes existing utm.source records.

func (*Client) DeleteValidateAccountMove

func (c *Client) DeleteValidateAccountMove(id int64) error

DeleteValidateAccountMove deletes an existing validate.account.move record.

func (*Client) DeleteValidateAccountMoves

func (c *Client) DeleteValidateAccountMoves(ids []int64) error

DeleteValidateAccountMoves deletes existing validate.account.move records.

func (*Client) DeleteWebEditorConverterTestSub

func (c *Client) DeleteWebEditorConverterTestSub(id int64) error

DeleteWebEditorConverterTestSub deletes an existing web_editor.converter.test.sub record.

func (*Client) DeleteWebEditorConverterTestSubs

func (c *Client) DeleteWebEditorConverterTestSubs(ids []int64) error

DeleteWebEditorConverterTestSubs deletes existing web_editor.converter.test.sub records.

func (*Client) DeleteWebPlanner

func (c *Client) DeleteWebPlanner(id int64) error

DeleteWebPlanner deletes an existing web.planner record.

func (*Client) DeleteWebPlanners

func (c *Client) DeleteWebPlanners(ids []int64) error

DeleteWebPlanners deletes existing web.planner records.

func (*Client) DeleteWebTourTour

func (c *Client) DeleteWebTourTour(id int64) error

DeleteWebTourTour deletes an existing web_tour.tour record.

func (*Client) DeleteWebTourTours

func (c *Client) DeleteWebTourTours(ids []int64) error

DeleteWebTourTours deletes existing web_tour.tour records.

func (*Client) DeleteWizardIrModelMenuCreate

func (c *Client) DeleteWizardIrModelMenuCreate(id int64) error

DeleteWizardIrModelMenuCreate deletes an existing wizard.ir.model.menu.create record.

func (*Client) DeleteWizardIrModelMenuCreates

func (c *Client) DeleteWizardIrModelMenuCreates(ids []int64) error

DeleteWizardIrModelMenuCreates deletes existing wizard.ir.model.menu.create records.

func (*Client) DeleteWizardMultiChartsAccounts

func (c *Client) DeleteWizardMultiChartsAccounts(id int64) error

DeleteWizardMultiChartsAccounts deletes an existing wizard.multi.charts.accounts record.

func (*Client) DeleteWizardMultiChartsAccountss

func (c *Client) DeleteWizardMultiChartsAccountss(ids []int64) error

DeleteWizardMultiChartsAccountss deletes existing wizard.multi.charts.accounts records.

func (*Client) ExecuteKw

func (c *Client) ExecuteKw(method, model string, args []interface{}, options *Options) (interface{}, error)

ExecuteKw is a RPC function. The lowest library function. It is use for all function related to "xmlrpc/2/object" endpoint.

func (*Client) FieldsGet

func (c *Client) FieldsGet(model string, options *Options) (map[string]interface{}, error)

FieldsGet inspect model fields. https://www.odoo.com/documentation/13.0/webservices/odoo.html#listing-record-fields

func (*Client) FindAccountAbstractPayment

func (c *Client) FindAccountAbstractPayment(criteria *Criteria) (*AccountAbstractPayment, error)

FindAccountAbstractPayment finds account.abstract.payment record by querying it with criteria.

func (*Client) FindAccountAbstractPaymentId

func (c *Client) FindAccountAbstractPaymentId(criteria *Criteria, options *Options) (int64, error)

FindAccountAbstractPaymentId finds record id by querying it with criteria.

func (*Client) FindAccountAbstractPaymentIds

func (c *Client) FindAccountAbstractPaymentIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountAbstractPaymentIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountAbstractPayments

func (c *Client) FindAccountAbstractPayments(criteria *Criteria, options *Options) (*AccountAbstractPayments, error)

FindAccountAbstractPayments finds account.abstract.payment records by querying it and filtering it with criteria and options.

func (*Client) FindAccountAccount

func (c *Client) FindAccountAccount(criteria *Criteria) (*AccountAccount, error)

FindAccountAccount finds account.account record by querying it with criteria.

func (*Client) FindAccountAccountId

func (c *Client) FindAccountAccountId(criteria *Criteria, options *Options) (int64, error)

FindAccountAccountId finds record id by querying it with criteria.

func (*Client) FindAccountAccountIds

func (c *Client) FindAccountAccountIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountAccountIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountAccountTag

func (c *Client) FindAccountAccountTag(criteria *Criteria) (*AccountAccountTag, error)

FindAccountAccountTag finds account.account.tag record by querying it with criteria.

func (*Client) FindAccountAccountTagId

func (c *Client) FindAccountAccountTagId(criteria *Criteria, options *Options) (int64, error)

FindAccountAccountTagId finds record id by querying it with criteria.

func (*Client) FindAccountAccountTagIds

func (c *Client) FindAccountAccountTagIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountAccountTagIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountAccountTags

func (c *Client) FindAccountAccountTags(criteria *Criteria, options *Options) (*AccountAccountTags, error)

FindAccountAccountTags finds account.account.tag records by querying it and filtering it with criteria and options.

func (*Client) FindAccountAccountTemplate

func (c *Client) FindAccountAccountTemplate(criteria *Criteria) (*AccountAccountTemplate, error)

FindAccountAccountTemplate finds account.account.template record by querying it with criteria.

func (*Client) FindAccountAccountTemplateId

func (c *Client) FindAccountAccountTemplateId(criteria *Criteria, options *Options) (int64, error)

FindAccountAccountTemplateId finds record id by querying it with criteria.

func (*Client) FindAccountAccountTemplateIds

func (c *Client) FindAccountAccountTemplateIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountAccountTemplateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountAccountTemplates

func (c *Client) FindAccountAccountTemplates(criteria *Criteria, options *Options) (*AccountAccountTemplates, error)

FindAccountAccountTemplates finds account.account.template records by querying it and filtering it with criteria and options.

func (*Client) FindAccountAccountType

func (c *Client) FindAccountAccountType(criteria *Criteria) (*AccountAccountType, error)

FindAccountAccountType finds account.account.type record by querying it with criteria.

func (*Client) FindAccountAccountTypeId

func (c *Client) FindAccountAccountTypeId(criteria *Criteria, options *Options) (int64, error)

FindAccountAccountTypeId finds record id by querying it with criteria.

func (*Client) FindAccountAccountTypeIds

func (c *Client) FindAccountAccountTypeIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountAccountTypeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountAccountTypes

func (c *Client) FindAccountAccountTypes(criteria *Criteria, options *Options) (*AccountAccountTypes, error)

FindAccountAccountTypes finds account.account.type records by querying it and filtering it with criteria and options.

func (*Client) FindAccountAccounts

func (c *Client) FindAccountAccounts(criteria *Criteria, options *Options) (*AccountAccounts, error)

FindAccountAccounts finds account.account records by querying it and filtering it with criteria and options.

func (*Client) FindAccountAgedTrialBalance

func (c *Client) FindAccountAgedTrialBalance(criteria *Criteria) (*AccountAgedTrialBalance, error)

FindAccountAgedTrialBalance finds account.aged.trial.balance record by querying it with criteria.

func (*Client) FindAccountAgedTrialBalanceId

func (c *Client) FindAccountAgedTrialBalanceId(criteria *Criteria, options *Options) (int64, error)

FindAccountAgedTrialBalanceId finds record id by querying it with criteria.

func (*Client) FindAccountAgedTrialBalanceIds

func (c *Client) FindAccountAgedTrialBalanceIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountAgedTrialBalanceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountAgedTrialBalances

func (c *Client) FindAccountAgedTrialBalances(criteria *Criteria, options *Options) (*AccountAgedTrialBalances, error)

FindAccountAgedTrialBalances finds account.aged.trial.balance records by querying it and filtering it with criteria and options.

func (*Client) FindAccountAnalyticAccount

func (c *Client) FindAccountAnalyticAccount(criteria *Criteria) (*AccountAnalyticAccount, error)

FindAccountAnalyticAccount finds account.analytic.account record by querying it with criteria.

func (*Client) FindAccountAnalyticAccountId

func (c *Client) FindAccountAnalyticAccountId(criteria *Criteria, options *Options) (int64, error)

FindAccountAnalyticAccountId finds record id by querying it with criteria.

func (*Client) FindAccountAnalyticAccountIds

func (c *Client) FindAccountAnalyticAccountIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountAnalyticAccountIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountAnalyticAccounts

func (c *Client) FindAccountAnalyticAccounts(criteria *Criteria, options *Options) (*AccountAnalyticAccounts, error)

FindAccountAnalyticAccounts finds account.analytic.account records by querying it and filtering it with criteria and options.

func (*Client) FindAccountAnalyticLine

func (c *Client) FindAccountAnalyticLine(criteria *Criteria) (*AccountAnalyticLine, error)

FindAccountAnalyticLine finds account.analytic.line record by querying it with criteria.

func (*Client) FindAccountAnalyticLineId

func (c *Client) FindAccountAnalyticLineId(criteria *Criteria, options *Options) (int64, error)

FindAccountAnalyticLineId finds record id by querying it with criteria.

func (*Client) FindAccountAnalyticLineIds

func (c *Client) FindAccountAnalyticLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountAnalyticLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountAnalyticLines

func (c *Client) FindAccountAnalyticLines(criteria *Criteria, options *Options) (*AccountAnalyticLines, error)

FindAccountAnalyticLines finds account.analytic.line records by querying it and filtering it with criteria and options.

func (*Client) FindAccountAnalyticTag

func (c *Client) FindAccountAnalyticTag(criteria *Criteria) (*AccountAnalyticTag, error)

FindAccountAnalyticTag finds account.analytic.tag record by querying it with criteria.

func (*Client) FindAccountAnalyticTagId

func (c *Client) FindAccountAnalyticTagId(criteria *Criteria, options *Options) (int64, error)

FindAccountAnalyticTagId finds record id by querying it with criteria.

func (*Client) FindAccountAnalyticTagIds

func (c *Client) FindAccountAnalyticTagIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountAnalyticTagIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountAnalyticTags

func (c *Client) FindAccountAnalyticTags(criteria *Criteria, options *Options) (*AccountAnalyticTags, error)

FindAccountAnalyticTags finds account.analytic.tag records by querying it and filtering it with criteria and options.

func (*Client) FindAccountBalanceReport

func (c *Client) FindAccountBalanceReport(criteria *Criteria) (*AccountBalanceReport, error)

FindAccountBalanceReport finds account.balance.report record by querying it with criteria.

func (*Client) FindAccountBalanceReportId

func (c *Client) FindAccountBalanceReportId(criteria *Criteria, options *Options) (int64, error)

FindAccountBalanceReportId finds record id by querying it with criteria.

func (*Client) FindAccountBalanceReportIds

func (c *Client) FindAccountBalanceReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountBalanceReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountBalanceReports

func (c *Client) FindAccountBalanceReports(criteria *Criteria, options *Options) (*AccountBalanceReports, error)

FindAccountBalanceReports finds account.balance.report records by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankAccountsWizard

func (c *Client) FindAccountBankAccountsWizard(criteria *Criteria) (*AccountBankAccountsWizard, error)

FindAccountBankAccountsWizard finds account.bank.accounts.wizard record by querying it with criteria.

func (*Client) FindAccountBankAccountsWizardId

func (c *Client) FindAccountBankAccountsWizardId(criteria *Criteria, options *Options) (int64, error)

FindAccountBankAccountsWizardId finds record id by querying it with criteria.

func (*Client) FindAccountBankAccountsWizardIds

func (c *Client) FindAccountBankAccountsWizardIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountBankAccountsWizardIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankAccountsWizards

func (c *Client) FindAccountBankAccountsWizards(criteria *Criteria, options *Options) (*AccountBankAccountsWizards, error)

FindAccountBankAccountsWizards finds account.bank.accounts.wizard records by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatement

func (c *Client) FindAccountBankStatement(criteria *Criteria) (*AccountBankStatement, error)

FindAccountBankStatement finds account.bank.statement record by querying it with criteria.

func (*Client) FindAccountBankStatementCashbox

func (c *Client) FindAccountBankStatementCashbox(criteria *Criteria) (*AccountBankStatementCashbox, error)

FindAccountBankStatementCashbox finds account.bank.statement.cashbox record by querying it with criteria.

func (*Client) FindAccountBankStatementCashboxId

func (c *Client) FindAccountBankStatementCashboxId(criteria *Criteria, options *Options) (int64, error)

FindAccountBankStatementCashboxId finds record id by querying it with criteria.

func (*Client) FindAccountBankStatementCashboxIds

func (c *Client) FindAccountBankStatementCashboxIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountBankStatementCashboxIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementCashboxs

func (c *Client) FindAccountBankStatementCashboxs(criteria *Criteria, options *Options) (*AccountBankStatementCashboxs, error)

FindAccountBankStatementCashboxs finds account.bank.statement.cashbox records by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementClosebalance

func (c *Client) FindAccountBankStatementClosebalance(criteria *Criteria) (*AccountBankStatementClosebalance, error)

FindAccountBankStatementClosebalance finds account.bank.statement.closebalance record by querying it with criteria.

func (*Client) FindAccountBankStatementClosebalanceId

func (c *Client) FindAccountBankStatementClosebalanceId(criteria *Criteria, options *Options) (int64, error)

FindAccountBankStatementClosebalanceId finds record id by querying it with criteria.

func (*Client) FindAccountBankStatementClosebalanceIds

func (c *Client) FindAccountBankStatementClosebalanceIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountBankStatementClosebalanceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementClosebalances

func (c *Client) FindAccountBankStatementClosebalances(criteria *Criteria, options *Options) (*AccountBankStatementClosebalances, error)

FindAccountBankStatementClosebalances finds account.bank.statement.closebalance records by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementId

func (c *Client) FindAccountBankStatementId(criteria *Criteria, options *Options) (int64, error)

FindAccountBankStatementId finds record id by querying it with criteria.

func (*Client) FindAccountBankStatementIds

func (c *Client) FindAccountBankStatementIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountBankStatementIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementImport

func (c *Client) FindAccountBankStatementImport(criteria *Criteria) (*AccountBankStatementImport, error)

FindAccountBankStatementImport finds account.bank.statement.import record by querying it with criteria.

func (*Client) FindAccountBankStatementImportId

func (c *Client) FindAccountBankStatementImportId(criteria *Criteria, options *Options) (int64, error)

FindAccountBankStatementImportId finds record id by querying it with criteria.

func (*Client) FindAccountBankStatementImportIds

func (c *Client) FindAccountBankStatementImportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountBankStatementImportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementImportJournalCreation

func (c *Client) FindAccountBankStatementImportJournalCreation(criteria *Criteria) (*AccountBankStatementImportJournalCreation, error)

FindAccountBankStatementImportJournalCreation finds account.bank.statement.import.journal.creation record by querying it with criteria.

func (*Client) FindAccountBankStatementImportJournalCreationId

func (c *Client) FindAccountBankStatementImportJournalCreationId(criteria *Criteria, options *Options) (int64, error)

FindAccountBankStatementImportJournalCreationId finds record id by querying it with criteria.

func (*Client) FindAccountBankStatementImportJournalCreationIds

func (c *Client) FindAccountBankStatementImportJournalCreationIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountBankStatementImportJournalCreationIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementImportJournalCreations

func (c *Client) FindAccountBankStatementImportJournalCreations(criteria *Criteria, options *Options) (*AccountBankStatementImportJournalCreations, error)

FindAccountBankStatementImportJournalCreations finds account.bank.statement.import.journal.creation records by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementImports

func (c *Client) FindAccountBankStatementImports(criteria *Criteria, options *Options) (*AccountBankStatementImports, error)

FindAccountBankStatementImports finds account.bank.statement.import records by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementLine

func (c *Client) FindAccountBankStatementLine(criteria *Criteria) (*AccountBankStatementLine, error)

FindAccountBankStatementLine finds account.bank.statement.line record by querying it with criteria.

func (*Client) FindAccountBankStatementLineId

func (c *Client) FindAccountBankStatementLineId(criteria *Criteria, options *Options) (int64, error)

FindAccountBankStatementLineId finds record id by querying it with criteria.

func (*Client) FindAccountBankStatementLineIds

func (c *Client) FindAccountBankStatementLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountBankStatementLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatementLines

func (c *Client) FindAccountBankStatementLines(criteria *Criteria, options *Options) (*AccountBankStatementLines, error)

FindAccountBankStatementLines finds account.bank.statement.line records by querying it and filtering it with criteria and options.

func (*Client) FindAccountBankStatements

func (c *Client) FindAccountBankStatements(criteria *Criteria, options *Options) (*AccountBankStatements, error)

FindAccountBankStatements finds account.bank.statement records by querying it and filtering it with criteria and options.

func (*Client) FindAccountCashRounding

func (c *Client) FindAccountCashRounding(criteria *Criteria) (*AccountCashRounding, error)

FindAccountCashRounding finds account.cash.rounding record by querying it with criteria.

func (*Client) FindAccountCashRoundingId

func (c *Client) FindAccountCashRoundingId(criteria *Criteria, options *Options) (int64, error)

FindAccountCashRoundingId finds record id by querying it with criteria.

func (*Client) FindAccountCashRoundingIds

func (c *Client) FindAccountCashRoundingIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountCashRoundingIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountCashRoundings

func (c *Client) FindAccountCashRoundings(criteria *Criteria, options *Options) (*AccountCashRoundings, error)

FindAccountCashRoundings finds account.cash.rounding records by querying it and filtering it with criteria and options.

func (*Client) FindAccountCashboxLine

func (c *Client) FindAccountCashboxLine(criteria *Criteria) (*AccountCashboxLine, error)

FindAccountCashboxLine finds account.cashbox.line record by querying it with criteria.

func (*Client) FindAccountCashboxLineId

func (c *Client) FindAccountCashboxLineId(criteria *Criteria, options *Options) (int64, error)

FindAccountCashboxLineId finds record id by querying it with criteria.

func (*Client) FindAccountCashboxLineIds

func (c *Client) FindAccountCashboxLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountCashboxLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountCashboxLines

func (c *Client) FindAccountCashboxLines(criteria *Criteria, options *Options) (*AccountCashboxLines, error)

FindAccountCashboxLines finds account.cashbox.line records by querying it and filtering it with criteria and options.

func (*Client) FindAccountChartTemplate

func (c *Client) FindAccountChartTemplate(criteria *Criteria) (*AccountChartTemplate, error)

FindAccountChartTemplate finds account.chart.template record by querying it with criteria.

func (*Client) FindAccountChartTemplateId

func (c *Client) FindAccountChartTemplateId(criteria *Criteria, options *Options) (int64, error)

FindAccountChartTemplateId finds record id by querying it with criteria.

func (*Client) FindAccountChartTemplateIds

func (c *Client) FindAccountChartTemplateIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountChartTemplateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountChartTemplates

func (c *Client) FindAccountChartTemplates(criteria *Criteria, options *Options) (*AccountChartTemplates, error)

FindAccountChartTemplates finds account.chart.template records by querying it and filtering it with criteria and options.

func (*Client) FindAccountCommonAccountReport

func (c *Client) FindAccountCommonAccountReport(criteria *Criteria) (*AccountCommonAccountReport, error)

FindAccountCommonAccountReport finds account.common.account.report record by querying it with criteria.

func (*Client) FindAccountCommonAccountReportId

func (c *Client) FindAccountCommonAccountReportId(criteria *Criteria, options *Options) (int64, error)

FindAccountCommonAccountReportId finds record id by querying it with criteria.

func (*Client) FindAccountCommonAccountReportIds

func (c *Client) FindAccountCommonAccountReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountCommonAccountReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountCommonAccountReports

func (c *Client) FindAccountCommonAccountReports(criteria *Criteria, options *Options) (*AccountCommonAccountReports, error)

FindAccountCommonAccountReports finds account.common.account.report records by querying it and filtering it with criteria and options.

func (*Client) FindAccountCommonJournalReport

func (c *Client) FindAccountCommonJournalReport(criteria *Criteria) (*AccountCommonJournalReport, error)

FindAccountCommonJournalReport finds account.common.journal.report record by querying it with criteria.

func (*Client) FindAccountCommonJournalReportId

func (c *Client) FindAccountCommonJournalReportId(criteria *Criteria, options *Options) (int64, error)

FindAccountCommonJournalReportId finds record id by querying it with criteria.

func (*Client) FindAccountCommonJournalReportIds

func (c *Client) FindAccountCommonJournalReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountCommonJournalReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountCommonJournalReports

func (c *Client) FindAccountCommonJournalReports(criteria *Criteria, options *Options) (*AccountCommonJournalReports, error)

FindAccountCommonJournalReports finds account.common.journal.report records by querying it and filtering it with criteria and options.

func (*Client) FindAccountCommonPartnerReport

func (c *Client) FindAccountCommonPartnerReport(criteria *Criteria) (*AccountCommonPartnerReport, error)

FindAccountCommonPartnerReport finds account.common.partner.report record by querying it with criteria.

func (*Client) FindAccountCommonPartnerReportId

func (c *Client) FindAccountCommonPartnerReportId(criteria *Criteria, options *Options) (int64, error)

FindAccountCommonPartnerReportId finds record id by querying it with criteria.

func (*Client) FindAccountCommonPartnerReportIds

func (c *Client) FindAccountCommonPartnerReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountCommonPartnerReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountCommonPartnerReports

func (c *Client) FindAccountCommonPartnerReports(criteria *Criteria, options *Options) (*AccountCommonPartnerReports, error)

FindAccountCommonPartnerReports finds account.common.partner.report records by querying it and filtering it with criteria and options.

func (*Client) FindAccountCommonReport

func (c *Client) FindAccountCommonReport(criteria *Criteria) (*AccountCommonReport, error)

FindAccountCommonReport finds account.common.report record by querying it with criteria.

func (*Client) FindAccountCommonReportId

func (c *Client) FindAccountCommonReportId(criteria *Criteria, options *Options) (int64, error)

FindAccountCommonReportId finds record id by querying it with criteria.

func (*Client) FindAccountCommonReportIds

func (c *Client) FindAccountCommonReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountCommonReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountCommonReports

func (c *Client) FindAccountCommonReports(criteria *Criteria, options *Options) (*AccountCommonReports, error)

FindAccountCommonReports finds account.common.report records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFinancialReport

func (c *Client) FindAccountFinancialReport(criteria *Criteria) (*AccountFinancialReport, error)

FindAccountFinancialReport finds account.financial.report record by querying it with criteria.

func (*Client) FindAccountFinancialReportId

func (c *Client) FindAccountFinancialReportId(criteria *Criteria, options *Options) (int64, error)

FindAccountFinancialReportId finds record id by querying it with criteria.

func (*Client) FindAccountFinancialReportIds

func (c *Client) FindAccountFinancialReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFinancialReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFinancialReports

func (c *Client) FindAccountFinancialReports(criteria *Criteria, options *Options) (*AccountFinancialReports, error)

FindAccountFinancialReports finds account.financial.report records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFinancialYearOp

func (c *Client) FindAccountFinancialYearOp(criteria *Criteria) (*AccountFinancialYearOp, error)

FindAccountFinancialYearOp finds account.financial.year.op record by querying it with criteria.

func (*Client) FindAccountFinancialYearOpId

func (c *Client) FindAccountFinancialYearOpId(criteria *Criteria, options *Options) (int64, error)

FindAccountFinancialYearOpId finds record id by querying it with criteria.

func (*Client) FindAccountFinancialYearOpIds

func (c *Client) FindAccountFinancialYearOpIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFinancialYearOpIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFinancialYearOps

func (c *Client) FindAccountFinancialYearOps(criteria *Criteria, options *Options) (*AccountFinancialYearOps, error)

FindAccountFinancialYearOps finds account.financial.year.op records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPosition

func (c *Client) FindAccountFiscalPosition(criteria *Criteria) (*AccountFiscalPosition, error)

FindAccountFiscalPosition finds account.fiscal.position record by querying it with criteria.

func (*Client) FindAccountFiscalPositionAccount

func (c *Client) FindAccountFiscalPositionAccount(criteria *Criteria) (*AccountFiscalPositionAccount, error)

FindAccountFiscalPositionAccount finds account.fiscal.position.account record by querying it with criteria.

func (*Client) FindAccountFiscalPositionAccountId

func (c *Client) FindAccountFiscalPositionAccountId(criteria *Criteria, options *Options) (int64, error)

FindAccountFiscalPositionAccountId finds record id by querying it with criteria.

func (*Client) FindAccountFiscalPositionAccountIds

func (c *Client) FindAccountFiscalPositionAccountIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFiscalPositionAccountIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionAccountTemplate

func (c *Client) FindAccountFiscalPositionAccountTemplate(criteria *Criteria) (*AccountFiscalPositionAccountTemplate, error)

FindAccountFiscalPositionAccountTemplate finds account.fiscal.position.account.template record by querying it with criteria.

func (*Client) FindAccountFiscalPositionAccountTemplateId

func (c *Client) FindAccountFiscalPositionAccountTemplateId(criteria *Criteria, options *Options) (int64, error)

FindAccountFiscalPositionAccountTemplateId finds record id by querying it with criteria.

func (*Client) FindAccountFiscalPositionAccountTemplateIds

func (c *Client) FindAccountFiscalPositionAccountTemplateIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFiscalPositionAccountTemplateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionAccountTemplates

func (c *Client) FindAccountFiscalPositionAccountTemplates(criteria *Criteria, options *Options) (*AccountFiscalPositionAccountTemplates, error)

FindAccountFiscalPositionAccountTemplates finds account.fiscal.position.account.template records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionAccounts

func (c *Client) FindAccountFiscalPositionAccounts(criteria *Criteria, options *Options) (*AccountFiscalPositionAccounts, error)

FindAccountFiscalPositionAccounts finds account.fiscal.position.account records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionId

func (c *Client) FindAccountFiscalPositionId(criteria *Criteria, options *Options) (int64, error)

FindAccountFiscalPositionId finds record id by querying it with criteria.

func (*Client) FindAccountFiscalPositionIds

func (c *Client) FindAccountFiscalPositionIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFiscalPositionIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionTax

func (c *Client) FindAccountFiscalPositionTax(criteria *Criteria) (*AccountFiscalPositionTax, error)

FindAccountFiscalPositionTax finds account.fiscal.position.tax record by querying it with criteria.

func (*Client) FindAccountFiscalPositionTaxId

func (c *Client) FindAccountFiscalPositionTaxId(criteria *Criteria, options *Options) (int64, error)

FindAccountFiscalPositionTaxId finds record id by querying it with criteria.

func (*Client) FindAccountFiscalPositionTaxIds

func (c *Client) FindAccountFiscalPositionTaxIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFiscalPositionTaxIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionTaxTemplate

func (c *Client) FindAccountFiscalPositionTaxTemplate(criteria *Criteria) (*AccountFiscalPositionTaxTemplate, error)

FindAccountFiscalPositionTaxTemplate finds account.fiscal.position.tax.template record by querying it with criteria.

func (*Client) FindAccountFiscalPositionTaxTemplateId

func (c *Client) FindAccountFiscalPositionTaxTemplateId(criteria *Criteria, options *Options) (int64, error)

FindAccountFiscalPositionTaxTemplateId finds record id by querying it with criteria.

func (*Client) FindAccountFiscalPositionTaxTemplateIds

func (c *Client) FindAccountFiscalPositionTaxTemplateIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFiscalPositionTaxTemplateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionTaxTemplates

func (c *Client) FindAccountFiscalPositionTaxTemplates(criteria *Criteria, options *Options) (*AccountFiscalPositionTaxTemplates, error)

FindAccountFiscalPositionTaxTemplates finds account.fiscal.position.tax.template records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionTaxs

func (c *Client) FindAccountFiscalPositionTaxs(criteria *Criteria, options *Options) (*AccountFiscalPositionTaxs, error)

FindAccountFiscalPositionTaxs finds account.fiscal.position.tax records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionTemplate

func (c *Client) FindAccountFiscalPositionTemplate(criteria *Criteria) (*AccountFiscalPositionTemplate, error)

FindAccountFiscalPositionTemplate finds account.fiscal.position.template record by querying it with criteria.

func (*Client) FindAccountFiscalPositionTemplateId

func (c *Client) FindAccountFiscalPositionTemplateId(criteria *Criteria, options *Options) (int64, error)

FindAccountFiscalPositionTemplateId finds record id by querying it with criteria.

func (*Client) FindAccountFiscalPositionTemplateIds

func (c *Client) FindAccountFiscalPositionTemplateIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFiscalPositionTemplateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositionTemplates

func (c *Client) FindAccountFiscalPositionTemplates(criteria *Criteria, options *Options) (*AccountFiscalPositionTemplates, error)

FindAccountFiscalPositionTemplates finds account.fiscal.position.template records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFiscalPositions

func (c *Client) FindAccountFiscalPositions(criteria *Criteria, options *Options) (*AccountFiscalPositions, error)

FindAccountFiscalPositions finds account.fiscal.position records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFrFec

func (c *Client) FindAccountFrFec(criteria *Criteria) (*AccountFrFec, error)

FindAccountFrFec finds account.fr.fec record by querying it with criteria.

func (*Client) FindAccountFrFecId

func (c *Client) FindAccountFrFecId(criteria *Criteria, options *Options) (int64, error)

FindAccountFrFecId finds record id by querying it with criteria.

func (*Client) FindAccountFrFecIds

func (c *Client) FindAccountFrFecIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFrFecIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFrFecs

func (c *Client) FindAccountFrFecs(criteria *Criteria, options *Options) (*AccountFrFecs, error)

FindAccountFrFecs finds account.fr.fec records by querying it and filtering it with criteria and options.

func (*Client) FindAccountFullReconcile

func (c *Client) FindAccountFullReconcile(criteria *Criteria) (*AccountFullReconcile, error)

FindAccountFullReconcile finds account.full.reconcile record by querying it with criteria.

func (*Client) FindAccountFullReconcileId

func (c *Client) FindAccountFullReconcileId(criteria *Criteria, options *Options) (int64, error)

FindAccountFullReconcileId finds record id by querying it with criteria.

func (*Client) FindAccountFullReconcileIds

func (c *Client) FindAccountFullReconcileIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountFullReconcileIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountFullReconciles

func (c *Client) FindAccountFullReconciles(criteria *Criteria, options *Options) (*AccountFullReconciles, error)

FindAccountFullReconciles finds account.full.reconcile records by querying it and filtering it with criteria and options.

func (*Client) FindAccountGroup

func (c *Client) FindAccountGroup(criteria *Criteria) (*AccountGroup, error)

FindAccountGroup finds account.group record by querying it with criteria.

func (*Client) FindAccountGroupId

func (c *Client) FindAccountGroupId(criteria *Criteria, options *Options) (int64, error)

FindAccountGroupId finds record id by querying it with criteria.

func (*Client) FindAccountGroupIds

func (c *Client) FindAccountGroupIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountGroupIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountGroups

func (c *Client) FindAccountGroups(criteria *Criteria, options *Options) (*AccountGroups, error)

FindAccountGroups finds account.group records by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoice

func (c *Client) FindAccountInvoice(criteria *Criteria) (*AccountInvoice, error)

FindAccountInvoice finds account.invoice record by querying it with criteria.

func (*Client) FindAccountInvoiceConfirm

func (c *Client) FindAccountInvoiceConfirm(criteria *Criteria) (*AccountInvoiceConfirm, error)

FindAccountInvoiceConfirm finds account.invoice.confirm record by querying it with criteria.

func (*Client) FindAccountInvoiceConfirmId

func (c *Client) FindAccountInvoiceConfirmId(criteria *Criteria, options *Options) (int64, error)

FindAccountInvoiceConfirmId finds record id by querying it with criteria.

func (*Client) FindAccountInvoiceConfirmIds

func (c *Client) FindAccountInvoiceConfirmIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountInvoiceConfirmIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceConfirms

func (c *Client) FindAccountInvoiceConfirms(criteria *Criteria, options *Options) (*AccountInvoiceConfirms, error)

FindAccountInvoiceConfirms finds account.invoice.confirm records by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceId

func (c *Client) FindAccountInvoiceId(criteria *Criteria, options *Options) (int64, error)

FindAccountInvoiceId finds record id by querying it with criteria.

func (*Client) FindAccountInvoiceIds

func (c *Client) FindAccountInvoiceIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountInvoiceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceLine

func (c *Client) FindAccountInvoiceLine(criteria *Criteria) (*AccountInvoiceLine, error)

FindAccountInvoiceLine finds account.invoice.line record by querying it with criteria.

func (*Client) FindAccountInvoiceLineId

func (c *Client) FindAccountInvoiceLineId(criteria *Criteria, options *Options) (int64, error)

FindAccountInvoiceLineId finds record id by querying it with criteria.

func (*Client) FindAccountInvoiceLineIds

func (c *Client) FindAccountInvoiceLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountInvoiceLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceLines

func (c *Client) FindAccountInvoiceLines(criteria *Criteria, options *Options) (*AccountInvoiceLines, error)

FindAccountInvoiceLines finds account.invoice.line records by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceRefund

func (c *Client) FindAccountInvoiceRefund(criteria *Criteria) (*AccountInvoiceRefund, error)

FindAccountInvoiceRefund finds account.invoice.refund record by querying it with criteria.

func (*Client) FindAccountInvoiceRefundId

func (c *Client) FindAccountInvoiceRefundId(criteria *Criteria, options *Options) (int64, error)

FindAccountInvoiceRefundId finds record id by querying it with criteria.

func (*Client) FindAccountInvoiceRefundIds

func (c *Client) FindAccountInvoiceRefundIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountInvoiceRefundIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceRefunds

func (c *Client) FindAccountInvoiceRefunds(criteria *Criteria, options *Options) (*AccountInvoiceRefunds, error)

FindAccountInvoiceRefunds finds account.invoice.refund records by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceReport

func (c *Client) FindAccountInvoiceReport(criteria *Criteria) (*AccountInvoiceReport, error)

FindAccountInvoiceReport finds account.invoice.report record by querying it with criteria.

func (*Client) FindAccountInvoiceReportId

func (c *Client) FindAccountInvoiceReportId(criteria *Criteria, options *Options) (int64, error)

FindAccountInvoiceReportId finds record id by querying it with criteria.

func (*Client) FindAccountInvoiceReportIds

func (c *Client) FindAccountInvoiceReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountInvoiceReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceReports

func (c *Client) FindAccountInvoiceReports(criteria *Criteria, options *Options) (*AccountInvoiceReports, error)

FindAccountInvoiceReports finds account.invoice.report records by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceTax

func (c *Client) FindAccountInvoiceTax(criteria *Criteria) (*AccountInvoiceTax, error)

FindAccountInvoiceTax finds account.invoice.tax record by querying it with criteria.

func (*Client) FindAccountInvoiceTaxId

func (c *Client) FindAccountInvoiceTaxId(criteria *Criteria, options *Options) (int64, error)

FindAccountInvoiceTaxId finds record id by querying it with criteria.

func (*Client) FindAccountInvoiceTaxIds

func (c *Client) FindAccountInvoiceTaxIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountInvoiceTaxIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoiceTaxs

func (c *Client) FindAccountInvoiceTaxs(criteria *Criteria, options *Options) (*AccountInvoiceTaxs, error)

FindAccountInvoiceTaxs finds account.invoice.tax records by querying it and filtering it with criteria and options.

func (*Client) FindAccountInvoices

func (c *Client) FindAccountInvoices(criteria *Criteria, options *Options) (*AccountInvoices, error)

FindAccountInvoices finds account.invoice records by querying it and filtering it with criteria and options.

func (*Client) FindAccountJournal

func (c *Client) FindAccountJournal(criteria *Criteria) (*AccountJournal, error)

FindAccountJournal finds account.journal record by querying it with criteria.

func (*Client) FindAccountJournalId

func (c *Client) FindAccountJournalId(criteria *Criteria, options *Options) (int64, error)

FindAccountJournalId finds record id by querying it with criteria.

func (*Client) FindAccountJournalIds

func (c *Client) FindAccountJournalIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountJournalIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountJournals

func (c *Client) FindAccountJournals(criteria *Criteria, options *Options) (*AccountJournals, error)

FindAccountJournals finds account.journal records by querying it and filtering it with criteria and options.

func (*Client) FindAccountMove

func (c *Client) FindAccountMove(criteria *Criteria) (*AccountMove, error)

FindAccountMove finds account.move record by querying it with criteria.

func (*Client) FindAccountMoveId

func (c *Client) FindAccountMoveId(criteria *Criteria, options *Options) (int64, error)

FindAccountMoveId finds record id by querying it with criteria.

func (*Client) FindAccountMoveIds

func (c *Client) FindAccountMoveIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountMoveIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountMoveLine

func (c *Client) FindAccountMoveLine(criteria *Criteria) (*AccountMoveLine, error)

FindAccountMoveLine finds account.move.line record by querying it with criteria.

func (*Client) FindAccountMoveLineId

func (c *Client) FindAccountMoveLineId(criteria *Criteria, options *Options) (int64, error)

FindAccountMoveLineId finds record id by querying it with criteria.

func (*Client) FindAccountMoveLineIds

func (c *Client) FindAccountMoveLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountMoveLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountMoveLineReconcile

func (c *Client) FindAccountMoveLineReconcile(criteria *Criteria) (*AccountMoveLineReconcile, error)

FindAccountMoveLineReconcile finds account.move.line.reconcile record by querying it with criteria.

func (*Client) FindAccountMoveLineReconcileId

func (c *Client) FindAccountMoveLineReconcileId(criteria *Criteria, options *Options) (int64, error)

FindAccountMoveLineReconcileId finds record id by querying it with criteria.

func (*Client) FindAccountMoveLineReconcileIds

func (c *Client) FindAccountMoveLineReconcileIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountMoveLineReconcileIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountMoveLineReconcileWriteoff

func (c *Client) FindAccountMoveLineReconcileWriteoff(criteria *Criteria) (*AccountMoveLineReconcileWriteoff, error)

FindAccountMoveLineReconcileWriteoff finds account.move.line.reconcile.writeoff record by querying it with criteria.

func (*Client) FindAccountMoveLineReconcileWriteoffId

func (c *Client) FindAccountMoveLineReconcileWriteoffId(criteria *Criteria, options *Options) (int64, error)

FindAccountMoveLineReconcileWriteoffId finds record id by querying it with criteria.

func (*Client) FindAccountMoveLineReconcileWriteoffIds

func (c *Client) FindAccountMoveLineReconcileWriteoffIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountMoveLineReconcileWriteoffIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountMoveLineReconcileWriteoffs

func (c *Client) FindAccountMoveLineReconcileWriteoffs(criteria *Criteria, options *Options) (*AccountMoveLineReconcileWriteoffs, error)

FindAccountMoveLineReconcileWriteoffs finds account.move.line.reconcile.writeoff records by querying it and filtering it with criteria and options.

func (*Client) FindAccountMoveLineReconciles

func (c *Client) FindAccountMoveLineReconciles(criteria *Criteria, options *Options) (*AccountMoveLineReconciles, error)

FindAccountMoveLineReconciles finds account.move.line.reconcile records by querying it and filtering it with criteria and options.

func (*Client) FindAccountMoveLines

func (c *Client) FindAccountMoveLines(criteria *Criteria, options *Options) (*AccountMoveLines, error)

FindAccountMoveLines finds account.move.line records by querying it and filtering it with criteria and options.

func (*Client) FindAccountMoveReversal

func (c *Client) FindAccountMoveReversal(criteria *Criteria) (*AccountMoveReversal, error)

FindAccountMoveReversal finds account.move.reversal record by querying it with criteria.

func (*Client) FindAccountMoveReversalId

func (c *Client) FindAccountMoveReversalId(criteria *Criteria, options *Options) (int64, error)

FindAccountMoveReversalId finds record id by querying it with criteria.

func (*Client) FindAccountMoveReversalIds

func (c *Client) FindAccountMoveReversalIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountMoveReversalIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountMoveReversals

func (c *Client) FindAccountMoveReversals(criteria *Criteria, options *Options) (*AccountMoveReversals, error)

FindAccountMoveReversals finds account.move.reversal records by querying it and filtering it with criteria and options.

func (*Client) FindAccountMoves

func (c *Client) FindAccountMoves(criteria *Criteria, options *Options) (*AccountMoves, error)

FindAccountMoves finds account.move records by querying it and filtering it with criteria and options.

func (*Client) FindAccountOpening

func (c *Client) FindAccountOpening(criteria *Criteria) (*AccountOpening, error)

FindAccountOpening finds account.opening record by querying it with criteria.

func (*Client) FindAccountOpeningId

func (c *Client) FindAccountOpeningId(criteria *Criteria, options *Options) (int64, error)

FindAccountOpeningId finds record id by querying it with criteria.

func (*Client) FindAccountOpeningIds

func (c *Client) FindAccountOpeningIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountOpeningIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountOpenings

func (c *Client) FindAccountOpenings(criteria *Criteria, options *Options) (*AccountOpenings, error)

FindAccountOpenings finds account.opening records by querying it and filtering it with criteria and options.

func (*Client) FindAccountPartialReconcile

func (c *Client) FindAccountPartialReconcile(criteria *Criteria) (*AccountPartialReconcile, error)

FindAccountPartialReconcile finds account.partial.reconcile record by querying it with criteria.

func (*Client) FindAccountPartialReconcileId

func (c *Client) FindAccountPartialReconcileId(criteria *Criteria, options *Options) (int64, error)

FindAccountPartialReconcileId finds record id by querying it with criteria.

func (*Client) FindAccountPartialReconcileIds

func (c *Client) FindAccountPartialReconcileIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountPartialReconcileIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountPartialReconciles

func (c *Client) FindAccountPartialReconciles(criteria *Criteria, options *Options) (*AccountPartialReconciles, error)

FindAccountPartialReconciles finds account.partial.reconcile records by querying it and filtering it with criteria and options.

func (*Client) FindAccountPayment

func (c *Client) FindAccountPayment(criteria *Criteria) (*AccountPayment, error)

FindAccountPayment finds account.payment record by querying it with criteria.

func (*Client) FindAccountPaymentId

func (c *Client) FindAccountPaymentId(criteria *Criteria, options *Options) (int64, error)

FindAccountPaymentId finds record id by querying it with criteria.

func (*Client) FindAccountPaymentIds

func (c *Client) FindAccountPaymentIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountPaymentIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountPaymentMethod

func (c *Client) FindAccountPaymentMethod(criteria *Criteria) (*AccountPaymentMethod, error)

FindAccountPaymentMethod finds account.payment.method record by querying it with criteria.

func (*Client) FindAccountPaymentMethodId

func (c *Client) FindAccountPaymentMethodId(criteria *Criteria, options *Options) (int64, error)

FindAccountPaymentMethodId finds record id by querying it with criteria.

func (*Client) FindAccountPaymentMethodIds

func (c *Client) FindAccountPaymentMethodIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountPaymentMethodIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountPaymentMethods

func (c *Client) FindAccountPaymentMethods(criteria *Criteria, options *Options) (*AccountPaymentMethods, error)

FindAccountPaymentMethods finds account.payment.method records by querying it and filtering it with criteria and options.

func (*Client) FindAccountPaymentTerm

func (c *Client) FindAccountPaymentTerm(criteria *Criteria) (*AccountPaymentTerm, error)

FindAccountPaymentTerm finds account.payment.term record by querying it with criteria.

func (*Client) FindAccountPaymentTermId

func (c *Client) FindAccountPaymentTermId(criteria *Criteria, options *Options) (int64, error)

FindAccountPaymentTermId finds record id by querying it with criteria.

func (*Client) FindAccountPaymentTermIds

func (c *Client) FindAccountPaymentTermIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountPaymentTermIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountPaymentTermLine

func (c *Client) FindAccountPaymentTermLine(criteria *Criteria) (*AccountPaymentTermLine, error)

FindAccountPaymentTermLine finds account.payment.term.line record by querying it with criteria.

func (*Client) FindAccountPaymentTermLineId

func (c *Client) FindAccountPaymentTermLineId(criteria *Criteria, options *Options) (int64, error)

FindAccountPaymentTermLineId finds record id by querying it with criteria.

func (*Client) FindAccountPaymentTermLineIds

func (c *Client) FindAccountPaymentTermLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountPaymentTermLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountPaymentTermLines

func (c *Client) FindAccountPaymentTermLines(criteria *Criteria, options *Options) (*AccountPaymentTermLines, error)

FindAccountPaymentTermLines finds account.payment.term.line records by querying it and filtering it with criteria and options.

func (*Client) FindAccountPaymentTerms

func (c *Client) FindAccountPaymentTerms(criteria *Criteria, options *Options) (*AccountPaymentTerms, error)

FindAccountPaymentTerms finds account.payment.term records by querying it and filtering it with criteria and options.

func (*Client) FindAccountPayments

func (c *Client) FindAccountPayments(criteria *Criteria, options *Options) (*AccountPayments, error)

FindAccountPayments finds account.payment records by querying it and filtering it with criteria and options.

func (*Client) FindAccountPrintJournal

func (c *Client) FindAccountPrintJournal(criteria *Criteria) (*AccountPrintJournal, error)

FindAccountPrintJournal finds account.print.journal record by querying it with criteria.

func (*Client) FindAccountPrintJournalId

func (c *Client) FindAccountPrintJournalId(criteria *Criteria, options *Options) (int64, error)

FindAccountPrintJournalId finds record id by querying it with criteria.

func (*Client) FindAccountPrintJournalIds

func (c *Client) FindAccountPrintJournalIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountPrintJournalIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountPrintJournals

func (c *Client) FindAccountPrintJournals(criteria *Criteria, options *Options) (*AccountPrintJournals, error)

FindAccountPrintJournals finds account.print.journal records by querying it and filtering it with criteria and options.

func (*Client) FindAccountReconcileModel

func (c *Client) FindAccountReconcileModel(criteria *Criteria) (*AccountReconcileModel, error)

FindAccountReconcileModel finds account.reconcile.model record by querying it with criteria.

func (*Client) FindAccountReconcileModelId

func (c *Client) FindAccountReconcileModelId(criteria *Criteria, options *Options) (int64, error)

FindAccountReconcileModelId finds record id by querying it with criteria.

func (*Client) FindAccountReconcileModelIds

func (c *Client) FindAccountReconcileModelIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountReconcileModelIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountReconcileModelTemplate

func (c *Client) FindAccountReconcileModelTemplate(criteria *Criteria) (*AccountReconcileModelTemplate, error)

FindAccountReconcileModelTemplate finds account.reconcile.model.template record by querying it with criteria.

func (*Client) FindAccountReconcileModelTemplateId

func (c *Client) FindAccountReconcileModelTemplateId(criteria *Criteria, options *Options) (int64, error)

FindAccountReconcileModelTemplateId finds record id by querying it with criteria.

func (*Client) FindAccountReconcileModelTemplateIds

func (c *Client) FindAccountReconcileModelTemplateIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountReconcileModelTemplateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountReconcileModelTemplates

func (c *Client) FindAccountReconcileModelTemplates(criteria *Criteria, options *Options) (*AccountReconcileModelTemplates, error)

FindAccountReconcileModelTemplates finds account.reconcile.model.template records by querying it and filtering it with criteria and options.

func (*Client) FindAccountReconcileModels

func (c *Client) FindAccountReconcileModels(criteria *Criteria, options *Options) (*AccountReconcileModels, error)

FindAccountReconcileModels finds account.reconcile.model records by querying it and filtering it with criteria and options.

func (*Client) FindAccountRegisterPayments

func (c *Client) FindAccountRegisterPayments(criteria *Criteria) (*AccountRegisterPayments, error)

FindAccountRegisterPayments finds account.register.payments record by querying it with criteria.

func (*Client) FindAccountRegisterPaymentsId

func (c *Client) FindAccountRegisterPaymentsId(criteria *Criteria, options *Options) (int64, error)

FindAccountRegisterPaymentsId finds record id by querying it with criteria.

func (*Client) FindAccountRegisterPaymentsIds

func (c *Client) FindAccountRegisterPaymentsIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountRegisterPaymentsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountRegisterPaymentss

func (c *Client) FindAccountRegisterPaymentss(criteria *Criteria, options *Options) (*AccountRegisterPaymentss, error)

FindAccountRegisterPaymentss finds account.register.payments records by querying it and filtering it with criteria and options.

func (*Client) FindAccountReportGeneralLedger

func (c *Client) FindAccountReportGeneralLedger(criteria *Criteria) (*AccountReportGeneralLedger, error)

FindAccountReportGeneralLedger finds account.report.general.ledger record by querying it with criteria.

func (*Client) FindAccountReportGeneralLedgerId

func (c *Client) FindAccountReportGeneralLedgerId(criteria *Criteria, options *Options) (int64, error)

FindAccountReportGeneralLedgerId finds record id by querying it with criteria.

func (*Client) FindAccountReportGeneralLedgerIds

func (c *Client) FindAccountReportGeneralLedgerIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountReportGeneralLedgerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountReportGeneralLedgers

func (c *Client) FindAccountReportGeneralLedgers(criteria *Criteria, options *Options) (*AccountReportGeneralLedgers, error)

FindAccountReportGeneralLedgers finds account.report.general.ledger records by querying it and filtering it with criteria and options.

func (*Client) FindAccountReportPartnerLedger

func (c *Client) FindAccountReportPartnerLedger(criteria *Criteria) (*AccountReportPartnerLedger, error)

FindAccountReportPartnerLedger finds account.report.partner.ledger record by querying it with criteria.

func (*Client) FindAccountReportPartnerLedgerId

func (c *Client) FindAccountReportPartnerLedgerId(criteria *Criteria, options *Options) (int64, error)

FindAccountReportPartnerLedgerId finds record id by querying it with criteria.

func (*Client) FindAccountReportPartnerLedgerIds

func (c *Client) FindAccountReportPartnerLedgerIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountReportPartnerLedgerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountReportPartnerLedgers

func (c *Client) FindAccountReportPartnerLedgers(criteria *Criteria, options *Options) (*AccountReportPartnerLedgers, error)

FindAccountReportPartnerLedgers finds account.report.partner.ledger records by querying it and filtering it with criteria and options.

func (*Client) FindAccountTax

func (c *Client) FindAccountTax(criteria *Criteria) (*AccountTax, error)

FindAccountTax finds account.tax record by querying it with criteria.

func (*Client) FindAccountTaxGroup

func (c *Client) FindAccountTaxGroup(criteria *Criteria) (*AccountTaxGroup, error)

FindAccountTaxGroup finds account.tax.group record by querying it with criteria.

func (*Client) FindAccountTaxGroupId

func (c *Client) FindAccountTaxGroupId(criteria *Criteria, options *Options) (int64, error)

FindAccountTaxGroupId finds record id by querying it with criteria.

func (*Client) FindAccountTaxGroupIds

func (c *Client) FindAccountTaxGroupIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountTaxGroupIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountTaxGroups

func (c *Client) FindAccountTaxGroups(criteria *Criteria, options *Options) (*AccountTaxGroups, error)

FindAccountTaxGroups finds account.tax.group records by querying it and filtering it with criteria and options.

func (*Client) FindAccountTaxId

func (c *Client) FindAccountTaxId(criteria *Criteria, options *Options) (int64, error)

FindAccountTaxId finds record id by querying it with criteria.

func (*Client) FindAccountTaxIds

func (c *Client) FindAccountTaxIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountTaxIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountTaxReport

func (c *Client) FindAccountTaxReport(criteria *Criteria) (*AccountTaxReport, error)

FindAccountTaxReport finds account.tax.report record by querying it with criteria.

func (*Client) FindAccountTaxReportId

func (c *Client) FindAccountTaxReportId(criteria *Criteria, options *Options) (int64, error)

FindAccountTaxReportId finds record id by querying it with criteria.

func (*Client) FindAccountTaxReportIds

func (c *Client) FindAccountTaxReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountTaxReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountTaxReports

func (c *Client) FindAccountTaxReports(criteria *Criteria, options *Options) (*AccountTaxReports, error)

FindAccountTaxReports finds account.tax.report records by querying it and filtering it with criteria and options.

func (*Client) FindAccountTaxTemplate

func (c *Client) FindAccountTaxTemplate(criteria *Criteria) (*AccountTaxTemplate, error)

FindAccountTaxTemplate finds account.tax.template record by querying it with criteria.

func (*Client) FindAccountTaxTemplateId

func (c *Client) FindAccountTaxTemplateId(criteria *Criteria, options *Options) (int64, error)

FindAccountTaxTemplateId finds record id by querying it with criteria.

func (*Client) FindAccountTaxTemplateIds

func (c *Client) FindAccountTaxTemplateIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountTaxTemplateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountTaxTemplates

func (c *Client) FindAccountTaxTemplates(criteria *Criteria, options *Options) (*AccountTaxTemplates, error)

FindAccountTaxTemplates finds account.tax.template records by querying it and filtering it with criteria and options.

func (*Client) FindAccountTaxs

func (c *Client) FindAccountTaxs(criteria *Criteria, options *Options) (*AccountTaxs, error)

FindAccountTaxs finds account.tax records by querying it and filtering it with criteria and options.

func (*Client) FindAccountUnreconcile

func (c *Client) FindAccountUnreconcile(criteria *Criteria) (*AccountUnreconcile, error)

FindAccountUnreconcile finds account.unreconcile record by querying it with criteria.

func (*Client) FindAccountUnreconcileId

func (c *Client) FindAccountUnreconcileId(criteria *Criteria, options *Options) (int64, error)

FindAccountUnreconcileId finds record id by querying it with criteria.

func (*Client) FindAccountUnreconcileIds

func (c *Client) FindAccountUnreconcileIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountUnreconcileIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountUnreconciles

func (c *Client) FindAccountUnreconciles(criteria *Criteria, options *Options) (*AccountUnreconciles, error)

FindAccountUnreconciles finds account.unreconcile records by querying it and filtering it with criteria and options.

func (*Client) FindAccountingReport

func (c *Client) FindAccountingReport(criteria *Criteria) (*AccountingReport, error)

FindAccountingReport finds accounting.report record by querying it with criteria.

func (*Client) FindAccountingReportId

func (c *Client) FindAccountingReportId(criteria *Criteria, options *Options) (int64, error)

FindAccountingReportId finds record id by querying it with criteria.

func (*Client) FindAccountingReportIds

func (c *Client) FindAccountingReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindAccountingReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAccountingReports

func (c *Client) FindAccountingReports(criteria *Criteria, options *Options) (*AccountingReports, error)

FindAccountingReports finds accounting.report records by querying it and filtering it with criteria and options.

func (*Client) FindAutosalesConfig

func (c *Client) FindAutosalesConfig(criteria *Criteria) (*AutosalesConfig, error)

FindAutosalesConfig finds autosales.config record by querying it with criteria.

func (*Client) FindAutosalesConfigId

func (c *Client) FindAutosalesConfigId(criteria *Criteria, options *Options) (int64, error)

FindAutosalesConfigId finds record id by querying it with criteria.

func (*Client) FindAutosalesConfigIds

func (c *Client) FindAutosalesConfigIds(criteria *Criteria, options *Options) ([]int64, error)

FindAutosalesConfigIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAutosalesConfigLine

func (c *Client) FindAutosalesConfigLine(criteria *Criteria) (*AutosalesConfigLine, error)

FindAutosalesConfigLine finds autosales.config.line record by querying it with criteria.

func (*Client) FindAutosalesConfigLineId

func (c *Client) FindAutosalesConfigLineId(criteria *Criteria, options *Options) (int64, error)

FindAutosalesConfigLineId finds record id by querying it with criteria.

func (*Client) FindAutosalesConfigLineIds

func (c *Client) FindAutosalesConfigLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindAutosalesConfigLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindAutosalesConfigLines

func (c *Client) FindAutosalesConfigLines(criteria *Criteria, options *Options) (*AutosalesConfigLines, error)

FindAutosalesConfigLines finds autosales.config.line records by querying it and filtering it with criteria and options.

func (*Client) FindAutosalesConfigs

func (c *Client) FindAutosalesConfigs(criteria *Criteria, options *Options) (*AutosalesConfigs, error)

FindAutosalesConfigs finds autosales.config records by querying it and filtering it with criteria and options.

func (*Client) FindBarcodeNomenclature

func (c *Client) FindBarcodeNomenclature(criteria *Criteria) (*BarcodeNomenclature, error)

FindBarcodeNomenclature finds barcode.nomenclature record by querying it with criteria.

func (*Client) FindBarcodeNomenclatureId

func (c *Client) FindBarcodeNomenclatureId(criteria *Criteria, options *Options) (int64, error)

FindBarcodeNomenclatureId finds record id by querying it with criteria.

func (*Client) FindBarcodeNomenclatureIds

func (c *Client) FindBarcodeNomenclatureIds(criteria *Criteria, options *Options) ([]int64, error)

FindBarcodeNomenclatureIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBarcodeNomenclatures

func (c *Client) FindBarcodeNomenclatures(criteria *Criteria, options *Options) (*BarcodeNomenclatures, error)

FindBarcodeNomenclatures finds barcode.nomenclature records by querying it and filtering it with criteria and options.

func (*Client) FindBarcodeRule

func (c *Client) FindBarcodeRule(criteria *Criteria) (*BarcodeRule, error)

FindBarcodeRule finds barcode.rule record by querying it with criteria.

func (*Client) FindBarcodeRuleId

func (c *Client) FindBarcodeRuleId(criteria *Criteria, options *Options) (int64, error)

FindBarcodeRuleId finds record id by querying it with criteria.

func (*Client) FindBarcodeRuleIds

func (c *Client) FindBarcodeRuleIds(criteria *Criteria, options *Options) ([]int64, error)

FindBarcodeRuleIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBarcodeRules

func (c *Client) FindBarcodeRules(criteria *Criteria, options *Options) (*BarcodeRules, error)

FindBarcodeRules finds barcode.rule records by querying it and filtering it with criteria and options.

func (*Client) FindBarcodesBarcodeEventsMixin

func (c *Client) FindBarcodesBarcodeEventsMixin(criteria *Criteria) (*BarcodesBarcodeEventsMixin, error)

FindBarcodesBarcodeEventsMixin finds barcodes.barcode_events_mixin record by querying it with criteria.

func (*Client) FindBarcodesBarcodeEventsMixinId

func (c *Client) FindBarcodesBarcodeEventsMixinId(criteria *Criteria, options *Options) (int64, error)

FindBarcodesBarcodeEventsMixinId finds record id by querying it with criteria.

func (*Client) FindBarcodesBarcodeEventsMixinIds

func (c *Client) FindBarcodesBarcodeEventsMixinIds(criteria *Criteria, options *Options) ([]int64, error)

FindBarcodesBarcodeEventsMixinIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBarcodesBarcodeEventsMixins

func (c *Client) FindBarcodesBarcodeEventsMixins(criteria *Criteria, options *Options) (*BarcodesBarcodeEventsMixins, error)

FindBarcodesBarcodeEventsMixins finds barcodes.barcode_events_mixin records by querying it and filtering it with criteria and options.

func (*Client) FindBase

func (c *Client) FindBase(criteria *Criteria) (*Base, error)

FindBase finds base record by querying it with criteria.

func (*Client) FindBaseId

func (c *Client) FindBaseId(criteria *Criteria, options *Options) (int64, error)

FindBaseId finds record id by querying it with criteria.

func (*Client) FindBaseIds

func (c *Client) FindBaseIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportImport

func (c *Client) FindBaseImportImport(criteria *Criteria) (*BaseImportImport, error)

FindBaseImportImport finds base_import.import record by querying it with criteria.

func (*Client) FindBaseImportImportId

func (c *Client) FindBaseImportImportId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportImportId finds record id by querying it with criteria.

func (*Client) FindBaseImportImportIds

func (c *Client) FindBaseImportImportIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportImportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportImports

func (c *Client) FindBaseImportImports(criteria *Criteria, options *Options) (*BaseImportImports, error)

FindBaseImportImports finds base_import.import records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsChar

func (c *Client) FindBaseImportTestsModelsChar(criteria *Criteria) (*BaseImportTestsModelsChar, error)

FindBaseImportTestsModelsChar finds base_import.tests.models.char record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharId

func (c *Client) FindBaseImportTestsModelsCharId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsCharId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharIds

func (c *Client) FindBaseImportTestsModelsCharIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsCharIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharNoreadonly

func (c *Client) FindBaseImportTestsModelsCharNoreadonly(criteria *Criteria) (*BaseImportTestsModelsCharNoreadonly, error)

FindBaseImportTestsModelsCharNoreadonly finds base_import.tests.models.char.noreadonly record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharNoreadonlyId

func (c *Client) FindBaseImportTestsModelsCharNoreadonlyId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsCharNoreadonlyId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharNoreadonlyIds

func (c *Client) FindBaseImportTestsModelsCharNoreadonlyIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsCharNoreadonlyIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharNoreadonlys

func (c *Client) FindBaseImportTestsModelsCharNoreadonlys(criteria *Criteria, options *Options) (*BaseImportTestsModelsCharNoreadonlys, error)

FindBaseImportTestsModelsCharNoreadonlys finds base_import.tests.models.char.noreadonly records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharReadonly

func (c *Client) FindBaseImportTestsModelsCharReadonly(criteria *Criteria) (*BaseImportTestsModelsCharReadonly, error)

FindBaseImportTestsModelsCharReadonly finds base_import.tests.models.char.readonly record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharReadonlyId

func (c *Client) FindBaseImportTestsModelsCharReadonlyId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsCharReadonlyId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharReadonlyIds

func (c *Client) FindBaseImportTestsModelsCharReadonlyIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsCharReadonlyIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharReadonlys

func (c *Client) FindBaseImportTestsModelsCharReadonlys(criteria *Criteria, options *Options) (*BaseImportTestsModelsCharReadonlys, error)

FindBaseImportTestsModelsCharReadonlys finds base_import.tests.models.char.readonly records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharRequired

func (c *Client) FindBaseImportTestsModelsCharRequired(criteria *Criteria) (*BaseImportTestsModelsCharRequired, error)

FindBaseImportTestsModelsCharRequired finds base_import.tests.models.char.required record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharRequiredId

func (c *Client) FindBaseImportTestsModelsCharRequiredId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsCharRequiredId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharRequiredIds

func (c *Client) FindBaseImportTestsModelsCharRequiredIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsCharRequiredIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharRequireds

func (c *Client) FindBaseImportTestsModelsCharRequireds(criteria *Criteria, options *Options) (*BaseImportTestsModelsCharRequireds, error)

FindBaseImportTestsModelsCharRequireds finds base_import.tests.models.char.required records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharStates

func (c *Client) FindBaseImportTestsModelsCharStates(criteria *Criteria) (*BaseImportTestsModelsCharStates, error)

FindBaseImportTestsModelsCharStates finds base_import.tests.models.char.states record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharStatesId

func (c *Client) FindBaseImportTestsModelsCharStatesId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsCharStatesId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharStatesIds

func (c *Client) FindBaseImportTestsModelsCharStatesIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsCharStatesIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharStatess

func (c *Client) FindBaseImportTestsModelsCharStatess(criteria *Criteria, options *Options) (*BaseImportTestsModelsCharStatess, error)

FindBaseImportTestsModelsCharStatess finds base_import.tests.models.char.states records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharStillreadonly

func (c *Client) FindBaseImportTestsModelsCharStillreadonly(criteria *Criteria) (*BaseImportTestsModelsCharStillreadonly, error)

FindBaseImportTestsModelsCharStillreadonly finds base_import.tests.models.char.stillreadonly record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharStillreadonlyId

func (c *Client) FindBaseImportTestsModelsCharStillreadonlyId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsCharStillreadonlyId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsCharStillreadonlyIds

func (c *Client) FindBaseImportTestsModelsCharStillreadonlyIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsCharStillreadonlyIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsCharStillreadonlys

func (c *Client) FindBaseImportTestsModelsCharStillreadonlys(criteria *Criteria, options *Options) (*BaseImportTestsModelsCharStillreadonlys, error)

FindBaseImportTestsModelsCharStillreadonlys finds base_import.tests.models.char.stillreadonly records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsChars

func (c *Client) FindBaseImportTestsModelsChars(criteria *Criteria, options *Options) (*BaseImportTestsModelsChars, error)

FindBaseImportTestsModelsChars finds base_import.tests.models.char records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsM2O

func (c *Client) FindBaseImportTestsModelsM2O(criteria *Criteria) (*BaseImportTestsModelsM2O, error)

FindBaseImportTestsModelsM2O finds base_import.tests.models.m2o record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsM2OId

func (c *Client) FindBaseImportTestsModelsM2OId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsM2OId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsM2OIds

func (c *Client) FindBaseImportTestsModelsM2OIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsM2OIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsM2ORelated

func (c *Client) FindBaseImportTestsModelsM2ORelated(criteria *Criteria) (*BaseImportTestsModelsM2ORelated, error)

FindBaseImportTestsModelsM2ORelated finds base_import.tests.models.m2o.related record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsM2ORelatedId

func (c *Client) FindBaseImportTestsModelsM2ORelatedId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsM2ORelatedId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsM2ORelatedIds

func (c *Client) FindBaseImportTestsModelsM2ORelatedIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsM2ORelatedIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsM2ORelateds

func (c *Client) FindBaseImportTestsModelsM2ORelateds(criteria *Criteria, options *Options) (*BaseImportTestsModelsM2ORelateds, error)

FindBaseImportTestsModelsM2ORelateds finds base_import.tests.models.m2o.related records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsM2ORequired

func (c *Client) FindBaseImportTestsModelsM2ORequired(criteria *Criteria) (*BaseImportTestsModelsM2ORequired, error)

FindBaseImportTestsModelsM2ORequired finds base_import.tests.models.m2o.required record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsM2ORequiredId

func (c *Client) FindBaseImportTestsModelsM2ORequiredId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsM2ORequiredId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsM2ORequiredIds

func (c *Client) FindBaseImportTestsModelsM2ORequiredIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsM2ORequiredIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsM2ORequiredRelated

func (c *Client) FindBaseImportTestsModelsM2ORequiredRelated(criteria *Criteria) (*BaseImportTestsModelsM2ORequiredRelated, error)

FindBaseImportTestsModelsM2ORequiredRelated finds base_import.tests.models.m2o.required.related record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsM2ORequiredRelatedId

func (c *Client) FindBaseImportTestsModelsM2ORequiredRelatedId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsM2ORequiredRelatedId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsM2ORequiredRelatedIds

func (c *Client) FindBaseImportTestsModelsM2ORequiredRelatedIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsM2ORequiredRelatedIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsM2ORequiredRelateds

func (c *Client) FindBaseImportTestsModelsM2ORequiredRelateds(criteria *Criteria, options *Options) (*BaseImportTestsModelsM2ORequiredRelateds, error)

FindBaseImportTestsModelsM2ORequiredRelateds finds base_import.tests.models.m2o.required.related records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsM2ORequireds

func (c *Client) FindBaseImportTestsModelsM2ORequireds(criteria *Criteria, options *Options) (*BaseImportTestsModelsM2ORequireds, error)

FindBaseImportTestsModelsM2ORequireds finds base_import.tests.models.m2o.required records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsM2Os

func (c *Client) FindBaseImportTestsModelsM2Os(criteria *Criteria, options *Options) (*BaseImportTestsModelsM2Os, error)

FindBaseImportTestsModelsM2Os finds base_import.tests.models.m2o records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsO2M

func (c *Client) FindBaseImportTestsModelsO2M(criteria *Criteria) (*BaseImportTestsModelsO2M, error)

FindBaseImportTestsModelsO2M finds base_import.tests.models.o2m record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsO2MChild

func (c *Client) FindBaseImportTestsModelsO2MChild(criteria *Criteria) (*BaseImportTestsModelsO2MChild, error)

FindBaseImportTestsModelsO2MChild finds base_import.tests.models.o2m.child record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsO2MChildId

func (c *Client) FindBaseImportTestsModelsO2MChildId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsO2MChildId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsO2MChildIds

func (c *Client) FindBaseImportTestsModelsO2MChildIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsO2MChildIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsO2MChilds

func (c *Client) FindBaseImportTestsModelsO2MChilds(criteria *Criteria, options *Options) (*BaseImportTestsModelsO2MChilds, error)

FindBaseImportTestsModelsO2MChilds finds base_import.tests.models.o2m.child records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsO2MId

func (c *Client) FindBaseImportTestsModelsO2MId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsO2MId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsO2MIds

func (c *Client) FindBaseImportTestsModelsO2MIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsO2MIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsO2Ms

func (c *Client) FindBaseImportTestsModelsO2Ms(criteria *Criteria, options *Options) (*BaseImportTestsModelsO2Ms, error)

FindBaseImportTestsModelsO2Ms finds base_import.tests.models.o2m records by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsPreview

func (c *Client) FindBaseImportTestsModelsPreview(criteria *Criteria) (*BaseImportTestsModelsPreview, error)

FindBaseImportTestsModelsPreview finds base_import.tests.models.preview record by querying it with criteria.

func (*Client) FindBaseImportTestsModelsPreviewId

func (c *Client) FindBaseImportTestsModelsPreviewId(criteria *Criteria, options *Options) (int64, error)

FindBaseImportTestsModelsPreviewId finds record id by querying it with criteria.

func (*Client) FindBaseImportTestsModelsPreviewIds

func (c *Client) FindBaseImportTestsModelsPreviewIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseImportTestsModelsPreviewIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseImportTestsModelsPreviews

func (c *Client) FindBaseImportTestsModelsPreviews(criteria *Criteria, options *Options) (*BaseImportTestsModelsPreviews, error)

FindBaseImportTestsModelsPreviews finds base_import.tests.models.preview records by querying it and filtering it with criteria and options.

func (*Client) FindBaseLanguageExport

func (c *Client) FindBaseLanguageExport(criteria *Criteria) (*BaseLanguageExport, error)

FindBaseLanguageExport finds base.language.export record by querying it with criteria.

func (*Client) FindBaseLanguageExportId

func (c *Client) FindBaseLanguageExportId(criteria *Criteria, options *Options) (int64, error)

FindBaseLanguageExportId finds record id by querying it with criteria.

func (*Client) FindBaseLanguageExportIds

func (c *Client) FindBaseLanguageExportIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseLanguageExportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseLanguageExports

func (c *Client) FindBaseLanguageExports(criteria *Criteria, options *Options) (*BaseLanguageExports, error)

FindBaseLanguageExports finds base.language.export records by querying it and filtering it with criteria and options.

func (*Client) FindBaseLanguageImport

func (c *Client) FindBaseLanguageImport(criteria *Criteria) (*BaseLanguageImport, error)

FindBaseLanguageImport finds base.language.import record by querying it with criteria.

func (*Client) FindBaseLanguageImportId

func (c *Client) FindBaseLanguageImportId(criteria *Criteria, options *Options) (int64, error)

FindBaseLanguageImportId finds record id by querying it with criteria.

func (*Client) FindBaseLanguageImportIds

func (c *Client) FindBaseLanguageImportIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseLanguageImportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseLanguageImports

func (c *Client) FindBaseLanguageImports(criteria *Criteria, options *Options) (*BaseLanguageImports, error)

FindBaseLanguageImports finds base.language.import records by querying it and filtering it with criteria and options.

func (*Client) FindBaseLanguageInstall

func (c *Client) FindBaseLanguageInstall(criteria *Criteria) (*BaseLanguageInstall, error)

FindBaseLanguageInstall finds base.language.install record by querying it with criteria.

func (*Client) FindBaseLanguageInstallId

func (c *Client) FindBaseLanguageInstallId(criteria *Criteria, options *Options) (int64, error)

FindBaseLanguageInstallId finds record id by querying it with criteria.

func (*Client) FindBaseLanguageInstallIds

func (c *Client) FindBaseLanguageInstallIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseLanguageInstallIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseLanguageInstalls

func (c *Client) FindBaseLanguageInstalls(criteria *Criteria, options *Options) (*BaseLanguageInstalls, error)

FindBaseLanguageInstalls finds base.language.install records by querying it and filtering it with criteria and options.

func (*Client) FindBaseModuleUninstall

func (c *Client) FindBaseModuleUninstall(criteria *Criteria) (*BaseModuleUninstall, error)

FindBaseModuleUninstall finds base.module.uninstall record by querying it with criteria.

func (*Client) FindBaseModuleUninstallId

func (c *Client) FindBaseModuleUninstallId(criteria *Criteria, options *Options) (int64, error)

FindBaseModuleUninstallId finds record id by querying it with criteria.

func (*Client) FindBaseModuleUninstallIds

func (c *Client) FindBaseModuleUninstallIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseModuleUninstallIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseModuleUninstalls

func (c *Client) FindBaseModuleUninstalls(criteria *Criteria, options *Options) (*BaseModuleUninstalls, error)

FindBaseModuleUninstalls finds base.module.uninstall records by querying it and filtering it with criteria and options.

func (*Client) FindBaseModuleUpdate

func (c *Client) FindBaseModuleUpdate(criteria *Criteria) (*BaseModuleUpdate, error)

FindBaseModuleUpdate finds base.module.update record by querying it with criteria.

func (*Client) FindBaseModuleUpdateId

func (c *Client) FindBaseModuleUpdateId(criteria *Criteria, options *Options) (int64, error)

FindBaseModuleUpdateId finds record id by querying it with criteria.

func (*Client) FindBaseModuleUpdateIds

func (c *Client) FindBaseModuleUpdateIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseModuleUpdateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseModuleUpdates

func (c *Client) FindBaseModuleUpdates(criteria *Criteria, options *Options) (*BaseModuleUpdates, error)

FindBaseModuleUpdates finds base.module.update records by querying it and filtering it with criteria and options.

func (*Client) FindBaseModuleUpgrade

func (c *Client) FindBaseModuleUpgrade(criteria *Criteria) (*BaseModuleUpgrade, error)

FindBaseModuleUpgrade finds base.module.upgrade record by querying it with criteria.

func (*Client) FindBaseModuleUpgradeId

func (c *Client) FindBaseModuleUpgradeId(criteria *Criteria, options *Options) (int64, error)

FindBaseModuleUpgradeId finds record id by querying it with criteria.

func (*Client) FindBaseModuleUpgradeIds

func (c *Client) FindBaseModuleUpgradeIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseModuleUpgradeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseModuleUpgrades

func (c *Client) FindBaseModuleUpgrades(criteria *Criteria, options *Options) (*BaseModuleUpgrades, error)

FindBaseModuleUpgrades finds base.module.upgrade records by querying it and filtering it with criteria and options.

func (*Client) FindBasePartnerMergeAutomaticWizard

func (c *Client) FindBasePartnerMergeAutomaticWizard(criteria *Criteria) (*BasePartnerMergeAutomaticWizard, error)

FindBasePartnerMergeAutomaticWizard finds base.partner.merge.automatic.wizard record by querying it with criteria.

func (*Client) FindBasePartnerMergeAutomaticWizardId

func (c *Client) FindBasePartnerMergeAutomaticWizardId(criteria *Criteria, options *Options) (int64, error)

FindBasePartnerMergeAutomaticWizardId finds record id by querying it with criteria.

func (*Client) FindBasePartnerMergeAutomaticWizardIds

func (c *Client) FindBasePartnerMergeAutomaticWizardIds(criteria *Criteria, options *Options) ([]int64, error)

FindBasePartnerMergeAutomaticWizardIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBasePartnerMergeAutomaticWizards

func (c *Client) FindBasePartnerMergeAutomaticWizards(criteria *Criteria, options *Options) (*BasePartnerMergeAutomaticWizards, error)

FindBasePartnerMergeAutomaticWizards finds base.partner.merge.automatic.wizard records by querying it and filtering it with criteria and options.

func (*Client) FindBasePartnerMergeLine

func (c *Client) FindBasePartnerMergeLine(criteria *Criteria) (*BasePartnerMergeLine, error)

FindBasePartnerMergeLine finds base.partner.merge.line record by querying it with criteria.

func (*Client) FindBasePartnerMergeLineId

func (c *Client) FindBasePartnerMergeLineId(criteria *Criteria, options *Options) (int64, error)

FindBasePartnerMergeLineId finds record id by querying it with criteria.

func (*Client) FindBasePartnerMergeLineIds

func (c *Client) FindBasePartnerMergeLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindBasePartnerMergeLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBasePartnerMergeLines

func (c *Client) FindBasePartnerMergeLines(criteria *Criteria, options *Options) (*BasePartnerMergeLines, error)

FindBasePartnerMergeLines finds base.partner.merge.line records by querying it and filtering it with criteria and options.

func (*Client) FindBaseUpdateTranslations

func (c *Client) FindBaseUpdateTranslations(criteria *Criteria) (*BaseUpdateTranslations, error)

FindBaseUpdateTranslations finds base.update.translations record by querying it with criteria.

func (*Client) FindBaseUpdateTranslationsId

func (c *Client) FindBaseUpdateTranslationsId(criteria *Criteria, options *Options) (int64, error)

FindBaseUpdateTranslationsId finds record id by querying it with criteria.

func (*Client) FindBaseUpdateTranslationsIds

func (c *Client) FindBaseUpdateTranslationsIds(criteria *Criteria, options *Options) ([]int64, error)

FindBaseUpdateTranslationsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBaseUpdateTranslationss

func (c *Client) FindBaseUpdateTranslationss(criteria *Criteria, options *Options) (*BaseUpdateTranslationss, error)

FindBaseUpdateTranslationss finds base.update.translations records by querying it and filtering it with criteria and options.

func (*Client) FindBases

func (c *Client) FindBases(criteria *Criteria, options *Options) (*Bases, error)

FindBases finds base records by querying it and filtering it with criteria and options.

func (*Client) FindBoardBoard

func (c *Client) FindBoardBoard(criteria *Criteria) (*BoardBoard, error)

FindBoardBoard finds board.board record by querying it with criteria.

func (*Client) FindBoardBoardId

func (c *Client) FindBoardBoardId(criteria *Criteria, options *Options) (int64, error)

FindBoardBoardId finds record id by querying it with criteria.

func (*Client) FindBoardBoardIds

func (c *Client) FindBoardBoardIds(criteria *Criteria, options *Options) ([]int64, error)

FindBoardBoardIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBoardBoards

func (c *Client) FindBoardBoards(criteria *Criteria, options *Options) (*BoardBoards, error)

FindBoardBoards finds board.board records by querying it and filtering it with criteria and options.

func (*Client) FindBusBus

func (c *Client) FindBusBus(criteria *Criteria) (*BusBus, error)

FindBusBus finds bus.bus record by querying it with criteria.

func (*Client) FindBusBusId

func (c *Client) FindBusBusId(criteria *Criteria, options *Options) (int64, error)

FindBusBusId finds record id by querying it with criteria.

func (*Client) FindBusBusIds

func (c *Client) FindBusBusIds(criteria *Criteria, options *Options) ([]int64, error)

FindBusBusIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBusBuss

func (c *Client) FindBusBuss(criteria *Criteria, options *Options) (*BusBuss, error)

FindBusBuss finds bus.bus records by querying it and filtering it with criteria and options.

func (*Client) FindBusPresence

func (c *Client) FindBusPresence(criteria *Criteria) (*BusPresence, error)

FindBusPresence finds bus.presence record by querying it with criteria.

func (*Client) FindBusPresenceId

func (c *Client) FindBusPresenceId(criteria *Criteria, options *Options) (int64, error)

FindBusPresenceId finds record id by querying it with criteria.

func (*Client) FindBusPresenceIds

func (c *Client) FindBusPresenceIds(criteria *Criteria, options *Options) ([]int64, error)

FindBusPresenceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindBusPresences

func (c *Client) FindBusPresences(criteria *Criteria, options *Options) (*BusPresences, error)

FindBusPresences finds bus.presence records by querying it and filtering it with criteria and options.

func (*Client) FindCalendarAlarm

func (c *Client) FindCalendarAlarm(criteria *Criteria) (*CalendarAlarm, error)

FindCalendarAlarm finds calendar.alarm record by querying it with criteria.

func (*Client) FindCalendarAlarmId

func (c *Client) FindCalendarAlarmId(criteria *Criteria, options *Options) (int64, error)

FindCalendarAlarmId finds record id by querying it with criteria.

func (*Client) FindCalendarAlarmIds

func (c *Client) FindCalendarAlarmIds(criteria *Criteria, options *Options) ([]int64, error)

FindCalendarAlarmIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCalendarAlarmManager

func (c *Client) FindCalendarAlarmManager(criteria *Criteria) (*CalendarAlarmManager, error)

FindCalendarAlarmManager finds calendar.alarm_manager record by querying it with criteria.

func (*Client) FindCalendarAlarmManagerId

func (c *Client) FindCalendarAlarmManagerId(criteria *Criteria, options *Options) (int64, error)

FindCalendarAlarmManagerId finds record id by querying it with criteria.

func (*Client) FindCalendarAlarmManagerIds

func (c *Client) FindCalendarAlarmManagerIds(criteria *Criteria, options *Options) ([]int64, error)

FindCalendarAlarmManagerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCalendarAlarmManagers

func (c *Client) FindCalendarAlarmManagers(criteria *Criteria, options *Options) (*CalendarAlarmManagers, error)

FindCalendarAlarmManagers finds calendar.alarm_manager records by querying it and filtering it with criteria and options.

func (*Client) FindCalendarAlarms

func (c *Client) FindCalendarAlarms(criteria *Criteria, options *Options) (*CalendarAlarms, error)

FindCalendarAlarms finds calendar.alarm records by querying it and filtering it with criteria and options.

func (*Client) FindCalendarAttendee

func (c *Client) FindCalendarAttendee(criteria *Criteria) (*CalendarAttendee, error)

FindCalendarAttendee finds calendar.attendee record by querying it with criteria.

func (*Client) FindCalendarAttendeeId

func (c *Client) FindCalendarAttendeeId(criteria *Criteria, options *Options) (int64, error)

FindCalendarAttendeeId finds record id by querying it with criteria.

func (*Client) FindCalendarAttendeeIds

func (c *Client) FindCalendarAttendeeIds(criteria *Criteria, options *Options) ([]int64, error)

FindCalendarAttendeeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCalendarAttendees

func (c *Client) FindCalendarAttendees(criteria *Criteria, options *Options) (*CalendarAttendees, error)

FindCalendarAttendees finds calendar.attendee records by querying it and filtering it with criteria and options.

func (*Client) FindCalendarContacts

func (c *Client) FindCalendarContacts(criteria *Criteria) (*CalendarContacts, error)

FindCalendarContacts finds calendar.contacts record by querying it with criteria.

func (*Client) FindCalendarContactsId

func (c *Client) FindCalendarContactsId(criteria *Criteria, options *Options) (int64, error)

FindCalendarContactsId finds record id by querying it with criteria.

func (*Client) FindCalendarContactsIds

func (c *Client) FindCalendarContactsIds(criteria *Criteria, options *Options) ([]int64, error)

FindCalendarContactsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCalendarContactss

func (c *Client) FindCalendarContactss(criteria *Criteria, options *Options) (*CalendarContactss, error)

FindCalendarContactss finds calendar.contacts records by querying it and filtering it with criteria and options.

func (*Client) FindCalendarEvent

func (c *Client) FindCalendarEvent(criteria *Criteria) (*CalendarEvent, error)

FindCalendarEvent finds calendar.event record by querying it with criteria.

func (*Client) FindCalendarEventId

func (c *Client) FindCalendarEventId(criteria *Criteria, options *Options) (int64, error)

FindCalendarEventId finds record id by querying it with criteria.

func (*Client) FindCalendarEventIds

func (c *Client) FindCalendarEventIds(criteria *Criteria, options *Options) ([]int64, error)

FindCalendarEventIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCalendarEventType

func (c *Client) FindCalendarEventType(criteria *Criteria) (*CalendarEventType, error)

FindCalendarEventType finds calendar.event.type record by querying it with criteria.

func (*Client) FindCalendarEventTypeId

func (c *Client) FindCalendarEventTypeId(criteria *Criteria, options *Options) (int64, error)

FindCalendarEventTypeId finds record id by querying it with criteria.

func (*Client) FindCalendarEventTypeIds

func (c *Client) FindCalendarEventTypeIds(criteria *Criteria, options *Options) ([]int64, error)

FindCalendarEventTypeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCalendarEventTypes

func (c *Client) FindCalendarEventTypes(criteria *Criteria, options *Options) (*CalendarEventTypes, error)

FindCalendarEventTypes finds calendar.event.type records by querying it and filtering it with criteria and options.

func (*Client) FindCalendarEvents

func (c *Client) FindCalendarEvents(criteria *Criteria, options *Options) (*CalendarEvents, error)

FindCalendarEvents finds calendar.event records by querying it and filtering it with criteria and options.

func (*Client) FindCashBoxIn

func (c *Client) FindCashBoxIn(criteria *Criteria) (*CashBoxIn, error)

FindCashBoxIn finds cash.box.in record by querying it with criteria.

func (*Client) FindCashBoxInId

func (c *Client) FindCashBoxInId(criteria *Criteria, options *Options) (int64, error)

FindCashBoxInId finds record id by querying it with criteria.

func (*Client) FindCashBoxInIds

func (c *Client) FindCashBoxInIds(criteria *Criteria, options *Options) ([]int64, error)

FindCashBoxInIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCashBoxIns

func (c *Client) FindCashBoxIns(criteria *Criteria, options *Options) (*CashBoxIns, error)

FindCashBoxIns finds cash.box.in records by querying it and filtering it with criteria and options.

func (*Client) FindCashBoxOut

func (c *Client) FindCashBoxOut(criteria *Criteria) (*CashBoxOut, error)

FindCashBoxOut finds cash.box.out record by querying it with criteria.

func (*Client) FindCashBoxOutId

func (c *Client) FindCashBoxOutId(criteria *Criteria, options *Options) (int64, error)

FindCashBoxOutId finds record id by querying it with criteria.

func (*Client) FindCashBoxOutIds

func (c *Client) FindCashBoxOutIds(criteria *Criteria, options *Options) ([]int64, error)

FindCashBoxOutIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCashBoxOuts

func (c *Client) FindCashBoxOuts(criteria *Criteria, options *Options) (*CashBoxOuts, error)

FindCashBoxOuts finds cash.box.out records by querying it and filtering it with criteria and options.

func (*Client) FindChangePasswordUser

func (c *Client) FindChangePasswordUser(criteria *Criteria) (*ChangePasswordUser, error)

FindChangePasswordUser finds change.password.user record by querying it with criteria.

func (*Client) FindChangePasswordUserId

func (c *Client) FindChangePasswordUserId(criteria *Criteria, options *Options) (int64, error)

FindChangePasswordUserId finds record id by querying it with criteria.

func (*Client) FindChangePasswordUserIds

func (c *Client) FindChangePasswordUserIds(criteria *Criteria, options *Options) ([]int64, error)

FindChangePasswordUserIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindChangePasswordUsers

func (c *Client) FindChangePasswordUsers(criteria *Criteria, options *Options) (*ChangePasswordUsers, error)

FindChangePasswordUsers finds change.password.user records by querying it and filtering it with criteria and options.

func (*Client) FindChangePasswordWizard

func (c *Client) FindChangePasswordWizard(criteria *Criteria) (*ChangePasswordWizard, error)

FindChangePasswordWizard finds change.password.wizard record by querying it with criteria.

func (*Client) FindChangePasswordWizardId

func (c *Client) FindChangePasswordWizardId(criteria *Criteria, options *Options) (int64, error)

FindChangePasswordWizardId finds record id by querying it with criteria.

func (*Client) FindChangePasswordWizardIds

func (c *Client) FindChangePasswordWizardIds(criteria *Criteria, options *Options) ([]int64, error)

FindChangePasswordWizardIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindChangePasswordWizards

func (c *Client) FindChangePasswordWizards(criteria *Criteria, options *Options) (*ChangePasswordWizards, error)

FindChangePasswordWizards finds change.password.wizard records by querying it and filtering it with criteria and options.

func (*Client) FindCrmActivityReport

func (c *Client) FindCrmActivityReport(criteria *Criteria) (*CrmActivityReport, error)

FindCrmActivityReport finds crm.activity.report record by querying it with criteria.

func (*Client) FindCrmActivityReportId

func (c *Client) FindCrmActivityReportId(criteria *Criteria, options *Options) (int64, error)

FindCrmActivityReportId finds record id by querying it with criteria.

func (*Client) FindCrmActivityReportIds

func (c *Client) FindCrmActivityReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmActivityReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmActivityReports

func (c *Client) FindCrmActivityReports(criteria *Criteria, options *Options) (*CrmActivityReports, error)

FindCrmActivityReports finds crm.activity.report records by querying it and filtering it with criteria and options.

func (*Client) FindCrmLead

func (c *Client) FindCrmLead(criteria *Criteria) (*CrmLead, error)

FindCrmLead finds crm.lead record by querying it with criteria.

func (*Client) FindCrmLead2OpportunityPartner

func (c *Client) FindCrmLead2OpportunityPartner(criteria *Criteria) (*CrmLead2OpportunityPartner, error)

FindCrmLead2OpportunityPartner finds crm.lead2opportunity.partner record by querying it with criteria.

func (*Client) FindCrmLead2OpportunityPartnerId

func (c *Client) FindCrmLead2OpportunityPartnerId(criteria *Criteria, options *Options) (int64, error)

FindCrmLead2OpportunityPartnerId finds record id by querying it with criteria.

func (*Client) FindCrmLead2OpportunityPartnerIds

func (c *Client) FindCrmLead2OpportunityPartnerIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmLead2OpportunityPartnerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmLead2OpportunityPartnerMass

func (c *Client) FindCrmLead2OpportunityPartnerMass(criteria *Criteria) (*CrmLead2OpportunityPartnerMass, error)

FindCrmLead2OpportunityPartnerMass finds crm.lead2opportunity.partner.mass record by querying it with criteria.

func (*Client) FindCrmLead2OpportunityPartnerMassId

func (c *Client) FindCrmLead2OpportunityPartnerMassId(criteria *Criteria, options *Options) (int64, error)

FindCrmLead2OpportunityPartnerMassId finds record id by querying it with criteria.

func (*Client) FindCrmLead2OpportunityPartnerMassIds

func (c *Client) FindCrmLead2OpportunityPartnerMassIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmLead2OpportunityPartnerMassIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmLead2OpportunityPartnerMasss

func (c *Client) FindCrmLead2OpportunityPartnerMasss(criteria *Criteria, options *Options) (*CrmLead2OpportunityPartnerMasss, error)

FindCrmLead2OpportunityPartnerMasss finds crm.lead2opportunity.partner.mass records by querying it and filtering it with criteria and options.

func (*Client) FindCrmLead2OpportunityPartners

func (c *Client) FindCrmLead2OpportunityPartners(criteria *Criteria, options *Options) (*CrmLead2OpportunityPartners, error)

FindCrmLead2OpportunityPartners finds crm.lead2opportunity.partner records by querying it and filtering it with criteria and options.

func (*Client) FindCrmLeadId

func (c *Client) FindCrmLeadId(criteria *Criteria, options *Options) (int64, error)

FindCrmLeadId finds record id by querying it with criteria.

func (*Client) FindCrmLeadIds

func (c *Client) FindCrmLeadIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmLeadIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmLeadLost

func (c *Client) FindCrmLeadLost(criteria *Criteria) (*CrmLeadLost, error)

FindCrmLeadLost finds crm.lead.lost record by querying it with criteria.

func (*Client) FindCrmLeadLostId

func (c *Client) FindCrmLeadLostId(criteria *Criteria, options *Options) (int64, error)

FindCrmLeadLostId finds record id by querying it with criteria.

func (*Client) FindCrmLeadLostIds

func (c *Client) FindCrmLeadLostIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmLeadLostIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmLeadLosts

func (c *Client) FindCrmLeadLosts(criteria *Criteria, options *Options) (*CrmLeadLosts, error)

FindCrmLeadLosts finds crm.lead.lost records by querying it and filtering it with criteria and options.

func (*Client) FindCrmLeadTag

func (c *Client) FindCrmLeadTag(criteria *Criteria) (*CrmLeadTag, error)

FindCrmLeadTag finds crm.lead.tag record by querying it with criteria.

func (*Client) FindCrmLeadTagId

func (c *Client) FindCrmLeadTagId(criteria *Criteria, options *Options) (int64, error)

FindCrmLeadTagId finds record id by querying it with criteria.

func (*Client) FindCrmLeadTagIds

func (c *Client) FindCrmLeadTagIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmLeadTagIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmLeadTags

func (c *Client) FindCrmLeadTags(criteria *Criteria, options *Options) (*CrmLeadTags, error)

FindCrmLeadTags finds crm.lead.tag records by querying it and filtering it with criteria and options.

func (*Client) FindCrmLeads

func (c *Client) FindCrmLeads(criteria *Criteria, options *Options) (*CrmLeads, error)

FindCrmLeads finds crm.lead records by querying it and filtering it with criteria and options.

func (*Client) FindCrmLostReason

func (c *Client) FindCrmLostReason(criteria *Criteria) (*CrmLostReason, error)

FindCrmLostReason finds crm.lost.reason record by querying it with criteria.

func (*Client) FindCrmLostReasonId

func (c *Client) FindCrmLostReasonId(criteria *Criteria, options *Options) (int64, error)

FindCrmLostReasonId finds record id by querying it with criteria.

func (*Client) FindCrmLostReasonIds

func (c *Client) FindCrmLostReasonIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmLostReasonIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmLostReasons

func (c *Client) FindCrmLostReasons(criteria *Criteria, options *Options) (*CrmLostReasons, error)

FindCrmLostReasons finds crm.lost.reason records by querying it and filtering it with criteria and options.

func (*Client) FindCrmMergeOpportunity

func (c *Client) FindCrmMergeOpportunity(criteria *Criteria) (*CrmMergeOpportunity, error)

FindCrmMergeOpportunity finds crm.merge.opportunity record by querying it with criteria.

func (*Client) FindCrmMergeOpportunityId

func (c *Client) FindCrmMergeOpportunityId(criteria *Criteria, options *Options) (int64, error)

FindCrmMergeOpportunityId finds record id by querying it with criteria.

func (*Client) FindCrmMergeOpportunityIds

func (c *Client) FindCrmMergeOpportunityIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmMergeOpportunityIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmMergeOpportunitys

func (c *Client) FindCrmMergeOpportunitys(criteria *Criteria, options *Options) (*CrmMergeOpportunitys, error)

FindCrmMergeOpportunitys finds crm.merge.opportunity records by querying it and filtering it with criteria and options.

func (*Client) FindCrmOpportunityReport

func (c *Client) FindCrmOpportunityReport(criteria *Criteria) (*CrmOpportunityReport, error)

FindCrmOpportunityReport finds crm.opportunity.report record by querying it with criteria.

func (*Client) FindCrmOpportunityReportId

func (c *Client) FindCrmOpportunityReportId(criteria *Criteria, options *Options) (int64, error)

FindCrmOpportunityReportId finds record id by querying it with criteria.

func (*Client) FindCrmOpportunityReportIds

func (c *Client) FindCrmOpportunityReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmOpportunityReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmOpportunityReports

func (c *Client) FindCrmOpportunityReports(criteria *Criteria, options *Options) (*CrmOpportunityReports, error)

FindCrmOpportunityReports finds crm.opportunity.report records by querying it and filtering it with criteria and options.

func (*Client) FindCrmPartnerBinding

func (c *Client) FindCrmPartnerBinding(criteria *Criteria) (*CrmPartnerBinding, error)

FindCrmPartnerBinding finds crm.partner.binding record by querying it with criteria.

func (*Client) FindCrmPartnerBindingId

func (c *Client) FindCrmPartnerBindingId(criteria *Criteria, options *Options) (int64, error)

FindCrmPartnerBindingId finds record id by querying it with criteria.

func (*Client) FindCrmPartnerBindingIds

func (c *Client) FindCrmPartnerBindingIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmPartnerBindingIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmPartnerBindings

func (c *Client) FindCrmPartnerBindings(criteria *Criteria, options *Options) (*CrmPartnerBindings, error)

FindCrmPartnerBindings finds crm.partner.binding records by querying it and filtering it with criteria and options.

func (*Client) FindCrmStage

func (c *Client) FindCrmStage(criteria *Criteria) (*CrmStage, error)

FindCrmStage finds crm.stage record by querying it with criteria.

func (*Client) FindCrmStageId

func (c *Client) FindCrmStageId(criteria *Criteria, options *Options) (int64, error)

FindCrmStageId finds record id by querying it with criteria.

func (*Client) FindCrmStageIds

func (c *Client) FindCrmStageIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmStageIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmStages

func (c *Client) FindCrmStages(criteria *Criteria, options *Options) (*CrmStages, error)

FindCrmStages finds crm.stage records by querying it and filtering it with criteria and options.

func (*Client) FindCrmTeam

func (c *Client) FindCrmTeam(criteria *Criteria) (*CrmTeam, error)

FindCrmTeam finds crm.team record by querying it with criteria.

func (*Client) FindCrmTeamId

func (c *Client) FindCrmTeamId(criteria *Criteria, options *Options) (int64, error)

FindCrmTeamId finds record id by querying it with criteria.

func (*Client) FindCrmTeamIds

func (c *Client) FindCrmTeamIds(criteria *Criteria, options *Options) ([]int64, error)

FindCrmTeamIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindCrmTeams

func (c *Client) FindCrmTeams(criteria *Criteria, options *Options) (*CrmTeams, error)

FindCrmTeams finds crm.team records by querying it and filtering it with criteria and options.

func (*Client) FindDecimalPrecision

func (c *Client) FindDecimalPrecision(criteria *Criteria) (*DecimalPrecision, error)

FindDecimalPrecision finds decimal.precision record by querying it with criteria.

func (*Client) FindDecimalPrecisionId

func (c *Client) FindDecimalPrecisionId(criteria *Criteria, options *Options) (int64, error)

FindDecimalPrecisionId finds record id by querying it with criteria.

func (*Client) FindDecimalPrecisionIds

func (c *Client) FindDecimalPrecisionIds(criteria *Criteria, options *Options) ([]int64, error)

FindDecimalPrecisionIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindDecimalPrecisions

func (c *Client) FindDecimalPrecisions(criteria *Criteria, options *Options) (*DecimalPrecisions, error)

FindDecimalPrecisions finds decimal.precision records by querying it and filtering it with criteria and options.

func (*Client) FindEmailTemplatePreview

func (c *Client) FindEmailTemplatePreview(criteria *Criteria) (*EmailTemplatePreview, error)

FindEmailTemplatePreview finds email_template.preview record by querying it with criteria.

func (*Client) FindEmailTemplatePreviewId

func (c *Client) FindEmailTemplatePreviewId(criteria *Criteria, options *Options) (int64, error)

FindEmailTemplatePreviewId finds record id by querying it with criteria.

func (*Client) FindEmailTemplatePreviewIds

func (c *Client) FindEmailTemplatePreviewIds(criteria *Criteria, options *Options) ([]int64, error)

FindEmailTemplatePreviewIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindEmailTemplatePreviews

func (c *Client) FindEmailTemplatePreviews(criteria *Criteria, options *Options) (*EmailTemplatePreviews, error)

FindEmailTemplatePreviews finds email_template.preview records by querying it and filtering it with criteria and options.

func (*Client) FindFetchmailServer

func (c *Client) FindFetchmailServer(criteria *Criteria) (*FetchmailServer, error)

FindFetchmailServer finds fetchmail.server record by querying it with criteria.

func (*Client) FindFetchmailServerId

func (c *Client) FindFetchmailServerId(criteria *Criteria, options *Options) (int64, error)

FindFetchmailServerId finds record id by querying it with criteria.

func (*Client) FindFetchmailServerIds

func (c *Client) FindFetchmailServerIds(criteria *Criteria, options *Options) ([]int64, error)

FindFetchmailServerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindFetchmailServers

func (c *Client) FindFetchmailServers(criteria *Criteria, options *Options) (*FetchmailServers, error)

FindFetchmailServers finds fetchmail.server records by querying it and filtering it with criteria and options.

func (*Client) FindFormatAddressMixin

func (c *Client) FindFormatAddressMixin(criteria *Criteria) (*FormatAddressMixin, error)

FindFormatAddressMixin finds format.address.mixin record by querying it with criteria.

func (*Client) FindFormatAddressMixinId

func (c *Client) FindFormatAddressMixinId(criteria *Criteria, options *Options) (int64, error)

FindFormatAddressMixinId finds record id by querying it with criteria.

func (*Client) FindFormatAddressMixinIds

func (c *Client) FindFormatAddressMixinIds(criteria *Criteria, options *Options) ([]int64, error)

FindFormatAddressMixinIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindFormatAddressMixins

func (c *Client) FindFormatAddressMixins(criteria *Criteria, options *Options) (*FormatAddressMixins, error)

FindFormatAddressMixins finds format.address.mixin records by querying it and filtering it with criteria and options.

func (*Client) FindHrDepartment

func (c *Client) FindHrDepartment(criteria *Criteria) (*HrDepartment, error)

FindHrDepartment finds hr.department record by querying it with criteria.

func (*Client) FindHrDepartmentId

func (c *Client) FindHrDepartmentId(criteria *Criteria, options *Options) (int64, error)

FindHrDepartmentId finds record id by querying it with criteria.

func (*Client) FindHrDepartmentIds

func (c *Client) FindHrDepartmentIds(criteria *Criteria, options *Options) ([]int64, error)

FindHrDepartmentIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindHrDepartments

func (c *Client) FindHrDepartments(criteria *Criteria, options *Options) (*HrDepartments, error)

FindHrDepartments finds hr.department records by querying it and filtering it with criteria and options.

func (*Client) FindHrEmployee

func (c *Client) FindHrEmployee(criteria *Criteria) (*HrEmployee, error)

FindHrEmployee finds hr.employee record by querying it with criteria.

func (*Client) FindHrEmployeeCategory

func (c *Client) FindHrEmployeeCategory(criteria *Criteria) (*HrEmployeeCategory, error)

FindHrEmployeeCategory finds hr.employee.category record by querying it with criteria.

func (*Client) FindHrEmployeeCategoryId

func (c *Client) FindHrEmployeeCategoryId(criteria *Criteria, options *Options) (int64, error)

FindHrEmployeeCategoryId finds record id by querying it with criteria.

func (*Client) FindHrEmployeeCategoryIds

func (c *Client) FindHrEmployeeCategoryIds(criteria *Criteria, options *Options) ([]int64, error)

FindHrEmployeeCategoryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindHrEmployeeCategorys

func (c *Client) FindHrEmployeeCategorys(criteria *Criteria, options *Options) (*HrEmployeeCategorys, error)

FindHrEmployeeCategorys finds hr.employee.category records by querying it and filtering it with criteria and options.

func (*Client) FindHrEmployeeId

func (c *Client) FindHrEmployeeId(criteria *Criteria, options *Options) (int64, error)

FindHrEmployeeId finds record id by querying it with criteria.

func (*Client) FindHrEmployeeIds

func (c *Client) FindHrEmployeeIds(criteria *Criteria, options *Options) ([]int64, error)

FindHrEmployeeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindHrEmployees

func (c *Client) FindHrEmployees(criteria *Criteria, options *Options) (*HrEmployees, error)

FindHrEmployees finds hr.employee records by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidays

func (c *Client) FindHrHolidays(criteria *Criteria) (*HrHolidays, error)

FindHrHolidays finds hr.holidays record by querying it with criteria.

func (*Client) FindHrHolidaysId

func (c *Client) FindHrHolidaysId(criteria *Criteria, options *Options) (int64, error)

FindHrHolidaysId finds record id by querying it with criteria.

func (*Client) FindHrHolidaysIds

func (c *Client) FindHrHolidaysIds(criteria *Criteria, options *Options) ([]int64, error)

FindHrHolidaysIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidaysRemainingLeavesUser

func (c *Client) FindHrHolidaysRemainingLeavesUser(criteria *Criteria) (*HrHolidaysRemainingLeavesUser, error)

FindHrHolidaysRemainingLeavesUser finds hr.holidays.remaining.leaves.user record by querying it with criteria.

func (*Client) FindHrHolidaysRemainingLeavesUserId

func (c *Client) FindHrHolidaysRemainingLeavesUserId(criteria *Criteria, options *Options) (int64, error)

FindHrHolidaysRemainingLeavesUserId finds record id by querying it with criteria.

func (*Client) FindHrHolidaysRemainingLeavesUserIds

func (c *Client) FindHrHolidaysRemainingLeavesUserIds(criteria *Criteria, options *Options) ([]int64, error)

FindHrHolidaysRemainingLeavesUserIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidaysRemainingLeavesUsers

func (c *Client) FindHrHolidaysRemainingLeavesUsers(criteria *Criteria, options *Options) (*HrHolidaysRemainingLeavesUsers, error)

FindHrHolidaysRemainingLeavesUsers finds hr.holidays.remaining.leaves.user records by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidaysStatus

func (c *Client) FindHrHolidaysStatus(criteria *Criteria) (*HrHolidaysStatus, error)

FindHrHolidaysStatus finds hr.holidays.status record by querying it with criteria.

func (*Client) FindHrHolidaysStatusId

func (c *Client) FindHrHolidaysStatusId(criteria *Criteria, options *Options) (int64, error)

FindHrHolidaysStatusId finds record id by querying it with criteria.

func (*Client) FindHrHolidaysStatusIds

func (c *Client) FindHrHolidaysStatusIds(criteria *Criteria, options *Options) ([]int64, error)

FindHrHolidaysStatusIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidaysStatuss

func (c *Client) FindHrHolidaysStatuss(criteria *Criteria, options *Options) (*HrHolidaysStatuss, error)

FindHrHolidaysStatuss finds hr.holidays.status records by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidaysSummaryDept

func (c *Client) FindHrHolidaysSummaryDept(criteria *Criteria) (*HrHolidaysSummaryDept, error)

FindHrHolidaysSummaryDept finds hr.holidays.summary.dept record by querying it with criteria.

func (*Client) FindHrHolidaysSummaryDeptId

func (c *Client) FindHrHolidaysSummaryDeptId(criteria *Criteria, options *Options) (int64, error)

FindHrHolidaysSummaryDeptId finds record id by querying it with criteria.

func (*Client) FindHrHolidaysSummaryDeptIds

func (c *Client) FindHrHolidaysSummaryDeptIds(criteria *Criteria, options *Options) ([]int64, error)

FindHrHolidaysSummaryDeptIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidaysSummaryDepts

func (c *Client) FindHrHolidaysSummaryDepts(criteria *Criteria, options *Options) (*HrHolidaysSummaryDepts, error)

FindHrHolidaysSummaryDepts finds hr.holidays.summary.dept records by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidaysSummaryEmployee

func (c *Client) FindHrHolidaysSummaryEmployee(criteria *Criteria) (*HrHolidaysSummaryEmployee, error)

FindHrHolidaysSummaryEmployee finds hr.holidays.summary.employee record by querying it with criteria.

func (*Client) FindHrHolidaysSummaryEmployeeId

func (c *Client) FindHrHolidaysSummaryEmployeeId(criteria *Criteria, options *Options) (int64, error)

FindHrHolidaysSummaryEmployeeId finds record id by querying it with criteria.

func (*Client) FindHrHolidaysSummaryEmployeeIds

func (c *Client) FindHrHolidaysSummaryEmployeeIds(criteria *Criteria, options *Options) ([]int64, error)

FindHrHolidaysSummaryEmployeeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidaysSummaryEmployees

func (c *Client) FindHrHolidaysSummaryEmployees(criteria *Criteria, options *Options) (*HrHolidaysSummaryEmployees, error)

FindHrHolidaysSummaryEmployees finds hr.holidays.summary.employee records by querying it and filtering it with criteria and options.

func (*Client) FindHrHolidayss

func (c *Client) FindHrHolidayss(criteria *Criteria, options *Options) (*HrHolidayss, error)

FindHrHolidayss finds hr.holidays records by querying it and filtering it with criteria and options.

func (*Client) FindHrJob

func (c *Client) FindHrJob(criteria *Criteria) (*HrJob, error)

FindHrJob finds hr.job record by querying it with criteria.

func (*Client) FindHrJobId

func (c *Client) FindHrJobId(criteria *Criteria, options *Options) (int64, error)

FindHrJobId finds record id by querying it with criteria.

func (*Client) FindHrJobIds

func (c *Client) FindHrJobIds(criteria *Criteria, options *Options) ([]int64, error)

FindHrJobIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindHrJobs

func (c *Client) FindHrJobs(criteria *Criteria, options *Options) (*HrJobs, error)

FindHrJobs finds hr.job records by querying it and filtering it with criteria and options.

func (*Client) FindIapAccount

func (c *Client) FindIapAccount(criteria *Criteria) (*IapAccount, error)

FindIapAccount finds iap.account record by querying it with criteria.

func (*Client) FindIapAccountId

func (c *Client) FindIapAccountId(criteria *Criteria, options *Options) (int64, error)

FindIapAccountId finds record id by querying it with criteria.

func (*Client) FindIapAccountIds

func (c *Client) FindIapAccountIds(criteria *Criteria, options *Options) ([]int64, error)

FindIapAccountIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIapAccounts

func (c *Client) FindIapAccounts(criteria *Criteria, options *Options) (*IapAccounts, error)

FindIapAccounts finds iap.account records by querying it and filtering it with criteria and options.

func (*Client) FindImLivechatChannel

func (c *Client) FindImLivechatChannel(criteria *Criteria) (*ImLivechatChannel, error)

FindImLivechatChannel finds im_livechat.channel record by querying it with criteria.

func (*Client) FindImLivechatChannelId

func (c *Client) FindImLivechatChannelId(criteria *Criteria, options *Options) (int64, error)

FindImLivechatChannelId finds record id by querying it with criteria.

func (*Client) FindImLivechatChannelIds

func (c *Client) FindImLivechatChannelIds(criteria *Criteria, options *Options) ([]int64, error)

FindImLivechatChannelIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindImLivechatChannelRule

func (c *Client) FindImLivechatChannelRule(criteria *Criteria) (*ImLivechatChannelRule, error)

FindImLivechatChannelRule finds im_livechat.channel.rule record by querying it with criteria.

func (*Client) FindImLivechatChannelRuleId

func (c *Client) FindImLivechatChannelRuleId(criteria *Criteria, options *Options) (int64, error)

FindImLivechatChannelRuleId finds record id by querying it with criteria.

func (*Client) FindImLivechatChannelRuleIds

func (c *Client) FindImLivechatChannelRuleIds(criteria *Criteria, options *Options) ([]int64, error)

FindImLivechatChannelRuleIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindImLivechatChannelRules

func (c *Client) FindImLivechatChannelRules(criteria *Criteria, options *Options) (*ImLivechatChannelRules, error)

FindImLivechatChannelRules finds im_livechat.channel.rule records by querying it and filtering it with criteria and options.

func (*Client) FindImLivechatChannels

func (c *Client) FindImLivechatChannels(criteria *Criteria, options *Options) (*ImLivechatChannels, error)

FindImLivechatChannels finds im_livechat.channel records by querying it and filtering it with criteria and options.

func (*Client) FindImLivechatReportChannel

func (c *Client) FindImLivechatReportChannel(criteria *Criteria) (*ImLivechatReportChannel, error)

FindImLivechatReportChannel finds im_livechat.report.channel record by querying it with criteria.

func (*Client) FindImLivechatReportChannelId

func (c *Client) FindImLivechatReportChannelId(criteria *Criteria, options *Options) (int64, error)

FindImLivechatReportChannelId finds record id by querying it with criteria.

func (*Client) FindImLivechatReportChannelIds

func (c *Client) FindImLivechatReportChannelIds(criteria *Criteria, options *Options) ([]int64, error)

FindImLivechatReportChannelIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindImLivechatReportChannels

func (c *Client) FindImLivechatReportChannels(criteria *Criteria, options *Options) (*ImLivechatReportChannels, error)

FindImLivechatReportChannels finds im_livechat.report.channel records by querying it and filtering it with criteria and options.

func (*Client) FindImLivechatReportOperator

func (c *Client) FindImLivechatReportOperator(criteria *Criteria) (*ImLivechatReportOperator, error)

FindImLivechatReportOperator finds im_livechat.report.operator record by querying it with criteria.

func (*Client) FindImLivechatReportOperatorId

func (c *Client) FindImLivechatReportOperatorId(criteria *Criteria, options *Options) (int64, error)

FindImLivechatReportOperatorId finds record id by querying it with criteria.

func (*Client) FindImLivechatReportOperatorIds

func (c *Client) FindImLivechatReportOperatorIds(criteria *Criteria, options *Options) ([]int64, error)

FindImLivechatReportOperatorIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindImLivechatReportOperators

func (c *Client) FindImLivechatReportOperators(criteria *Criteria, options *Options) (*ImLivechatReportOperators, error)

FindImLivechatReportOperators finds im_livechat.report.operator records by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActUrl

func (c *Client) FindIrActionsActUrl(criteria *Criteria) (*IrActionsActUrl, error)

FindIrActionsActUrl finds ir.actions.act_url record by querying it with criteria.

func (*Client) FindIrActionsActUrlId

func (c *Client) FindIrActionsActUrlId(criteria *Criteria, options *Options) (int64, error)

FindIrActionsActUrlId finds record id by querying it with criteria.

func (*Client) FindIrActionsActUrlIds

func (c *Client) FindIrActionsActUrlIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrActionsActUrlIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActUrls

func (c *Client) FindIrActionsActUrls(criteria *Criteria, options *Options) (*IrActionsActUrls, error)

FindIrActionsActUrls finds ir.actions.act_url records by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActWindow

func (c *Client) FindIrActionsActWindow(criteria *Criteria) (*IrActionsActWindow, error)

FindIrActionsActWindow finds ir.actions.act_window record by querying it with criteria.

func (*Client) FindIrActionsActWindowClose

func (c *Client) FindIrActionsActWindowClose(criteria *Criteria) (*IrActionsActWindowClose, error)

FindIrActionsActWindowClose finds ir.actions.act_window_close record by querying it with criteria.

func (*Client) FindIrActionsActWindowCloseId

func (c *Client) FindIrActionsActWindowCloseId(criteria *Criteria, options *Options) (int64, error)

FindIrActionsActWindowCloseId finds record id by querying it with criteria.

func (*Client) FindIrActionsActWindowCloseIds

func (c *Client) FindIrActionsActWindowCloseIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrActionsActWindowCloseIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActWindowCloses

func (c *Client) FindIrActionsActWindowCloses(criteria *Criteria, options *Options) (*IrActionsActWindowCloses, error)

FindIrActionsActWindowCloses finds ir.actions.act_window_close records by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActWindowId

func (c *Client) FindIrActionsActWindowId(criteria *Criteria, options *Options) (int64, error)

FindIrActionsActWindowId finds record id by querying it with criteria.

func (*Client) FindIrActionsActWindowIds

func (c *Client) FindIrActionsActWindowIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrActionsActWindowIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActWindowView

func (c *Client) FindIrActionsActWindowView(criteria *Criteria) (*IrActionsActWindowView, error)

FindIrActionsActWindowView finds ir.actions.act_window.view record by querying it with criteria.

func (*Client) FindIrActionsActWindowViewId

func (c *Client) FindIrActionsActWindowViewId(criteria *Criteria, options *Options) (int64, error)

FindIrActionsActWindowViewId finds record id by querying it with criteria.

func (*Client) FindIrActionsActWindowViewIds

func (c *Client) FindIrActionsActWindowViewIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrActionsActWindowViewIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActWindowViews

func (c *Client) FindIrActionsActWindowViews(criteria *Criteria, options *Options) (*IrActionsActWindowViews, error)

FindIrActionsActWindowViews finds ir.actions.act_window.view records by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActWindows

func (c *Client) FindIrActionsActWindows(criteria *Criteria, options *Options) (*IrActionsActWindows, error)

FindIrActionsActWindows finds ir.actions.act_window records by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActions

func (c *Client) FindIrActionsActions(criteria *Criteria) (*IrActionsActions, error)

FindIrActionsActions finds ir.actions.actions record by querying it with criteria.

func (*Client) FindIrActionsActionsId

func (c *Client) FindIrActionsActionsId(criteria *Criteria, options *Options) (int64, error)

FindIrActionsActionsId finds record id by querying it with criteria.

func (*Client) FindIrActionsActionsIds

func (c *Client) FindIrActionsActionsIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrActionsActionsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsActionss

func (c *Client) FindIrActionsActionss(criteria *Criteria, options *Options) (*IrActionsActionss, error)

FindIrActionsActionss finds ir.actions.actions records by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsClient

func (c *Client) FindIrActionsClient(criteria *Criteria) (*IrActionsClient, error)

FindIrActionsClient finds ir.actions.client record by querying it with criteria.

func (*Client) FindIrActionsClientId

func (c *Client) FindIrActionsClientId(criteria *Criteria, options *Options) (int64, error)

FindIrActionsClientId finds record id by querying it with criteria.

func (*Client) FindIrActionsClientIds

func (c *Client) FindIrActionsClientIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrActionsClientIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsClients

func (c *Client) FindIrActionsClients(criteria *Criteria, options *Options) (*IrActionsClients, error)

FindIrActionsClients finds ir.actions.client records by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsReport

func (c *Client) FindIrActionsReport(criteria *Criteria) (*IrActionsReport, error)

FindIrActionsReport finds ir.actions.report record by querying it with criteria.

func (*Client) FindIrActionsReportId

func (c *Client) FindIrActionsReportId(criteria *Criteria, options *Options) (int64, error)

FindIrActionsReportId finds record id by querying it with criteria.

func (*Client) FindIrActionsReportIds

func (c *Client) FindIrActionsReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrActionsReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsReports

func (c *Client) FindIrActionsReports(criteria *Criteria, options *Options) (*IrActionsReports, error)

FindIrActionsReports finds ir.actions.report records by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsServer

func (c *Client) FindIrActionsServer(criteria *Criteria) (*IrActionsServer, error)

FindIrActionsServer finds ir.actions.server record by querying it with criteria.

func (*Client) FindIrActionsServerId

func (c *Client) FindIrActionsServerId(criteria *Criteria, options *Options) (int64, error)

FindIrActionsServerId finds record id by querying it with criteria.

func (*Client) FindIrActionsServerIds

func (c *Client) FindIrActionsServerIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrActionsServerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsServers

func (c *Client) FindIrActionsServers(criteria *Criteria, options *Options) (*IrActionsServers, error)

FindIrActionsServers finds ir.actions.server records by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsTodo

func (c *Client) FindIrActionsTodo(criteria *Criteria) (*IrActionsTodo, error)

FindIrActionsTodo finds ir.actions.todo record by querying it with criteria.

func (*Client) FindIrActionsTodoId

func (c *Client) FindIrActionsTodoId(criteria *Criteria, options *Options) (int64, error)

FindIrActionsTodoId finds record id by querying it with criteria.

func (*Client) FindIrActionsTodoIds

func (c *Client) FindIrActionsTodoIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrActionsTodoIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrActionsTodos

func (c *Client) FindIrActionsTodos(criteria *Criteria, options *Options) (*IrActionsTodos, error)

FindIrActionsTodos finds ir.actions.todo records by querying it and filtering it with criteria and options.

func (*Client) FindIrAttachment

func (c *Client) FindIrAttachment(criteria *Criteria) (*IrAttachment, error)

FindIrAttachment finds ir.attachment record by querying it with criteria.

func (*Client) FindIrAttachmentId

func (c *Client) FindIrAttachmentId(criteria *Criteria, options *Options) (int64, error)

FindIrAttachmentId finds record id by querying it with criteria.

func (*Client) FindIrAttachmentIds

func (c *Client) FindIrAttachmentIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrAttachmentIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrAttachments

func (c *Client) FindIrAttachments(criteria *Criteria, options *Options) (*IrAttachments, error)

FindIrAttachments finds ir.attachment records by querying it and filtering it with criteria and options.

func (*Client) FindIrAutovacuum

func (c *Client) FindIrAutovacuum(criteria *Criteria) (*IrAutovacuum, error)

FindIrAutovacuum finds ir.autovacuum record by querying it with criteria.

func (*Client) FindIrAutovacuumId

func (c *Client) FindIrAutovacuumId(criteria *Criteria, options *Options) (int64, error)

FindIrAutovacuumId finds record id by querying it with criteria.

func (*Client) FindIrAutovacuumIds

func (c *Client) FindIrAutovacuumIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrAutovacuumIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrAutovacuums

func (c *Client) FindIrAutovacuums(criteria *Criteria, options *Options) (*IrAutovacuums, error)

FindIrAutovacuums finds ir.autovacuum records by querying it and filtering it with criteria and options.

func (*Client) FindIrConfigParameter

func (c *Client) FindIrConfigParameter(criteria *Criteria) (*IrConfigParameter, error)

FindIrConfigParameter finds ir.config_parameter record by querying it with criteria.

func (*Client) FindIrConfigParameterId

func (c *Client) FindIrConfigParameterId(criteria *Criteria, options *Options) (int64, error)

FindIrConfigParameterId finds record id by querying it with criteria.

func (*Client) FindIrConfigParameterIds

func (c *Client) FindIrConfigParameterIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrConfigParameterIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrConfigParameters

func (c *Client) FindIrConfigParameters(criteria *Criteria, options *Options) (*IrConfigParameters, error)

FindIrConfigParameters finds ir.config_parameter records by querying it and filtering it with criteria and options.

func (*Client) FindIrCron

func (c *Client) FindIrCron(criteria *Criteria) (*IrCron, error)

FindIrCron finds ir.cron record by querying it with criteria.

func (*Client) FindIrCronId

func (c *Client) FindIrCronId(criteria *Criteria, options *Options) (int64, error)

FindIrCronId finds record id by querying it with criteria.

func (*Client) FindIrCronIds

func (c *Client) FindIrCronIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrCronIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrCrons

func (c *Client) FindIrCrons(criteria *Criteria, options *Options) (*IrCrons, error)

FindIrCrons finds ir.cron records by querying it and filtering it with criteria and options.

func (*Client) FindIrDefault

func (c *Client) FindIrDefault(criteria *Criteria) (*IrDefault, error)

FindIrDefault finds ir.default record by querying it with criteria.

func (*Client) FindIrDefaultId

func (c *Client) FindIrDefaultId(criteria *Criteria, options *Options) (int64, error)

FindIrDefaultId finds record id by querying it with criteria.

func (*Client) FindIrDefaultIds

func (c *Client) FindIrDefaultIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrDefaultIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrDefaults

func (c *Client) FindIrDefaults(criteria *Criteria, options *Options) (*IrDefaults, error)

FindIrDefaults finds ir.default records by querying it and filtering it with criteria and options.

func (*Client) FindIrExports

func (c *Client) FindIrExports(criteria *Criteria) (*IrExports, error)

FindIrExports finds ir.exports record by querying it with criteria.

func (*Client) FindIrExportsId

func (c *Client) FindIrExportsId(criteria *Criteria, options *Options) (int64, error)

FindIrExportsId finds record id by querying it with criteria.

func (*Client) FindIrExportsIds

func (c *Client) FindIrExportsIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrExportsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrExportsLine

func (c *Client) FindIrExportsLine(criteria *Criteria) (*IrExportsLine, error)

FindIrExportsLine finds ir.exports.line record by querying it with criteria.

func (*Client) FindIrExportsLineId

func (c *Client) FindIrExportsLineId(criteria *Criteria, options *Options) (int64, error)

FindIrExportsLineId finds record id by querying it with criteria.

func (*Client) FindIrExportsLineIds

func (c *Client) FindIrExportsLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrExportsLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrExportsLines

func (c *Client) FindIrExportsLines(criteria *Criteria, options *Options) (*IrExportsLines, error)

FindIrExportsLines finds ir.exports.line records by querying it and filtering it with criteria and options.

func (*Client) FindIrExportss

func (c *Client) FindIrExportss(criteria *Criteria, options *Options) (*IrExportss, error)

FindIrExportss finds ir.exports records by querying it and filtering it with criteria and options.

func (*Client) FindIrFieldsConverter

func (c *Client) FindIrFieldsConverter(criteria *Criteria) (*IrFieldsConverter, error)

FindIrFieldsConverter finds ir.fields.converter record by querying it with criteria.

func (*Client) FindIrFieldsConverterId

func (c *Client) FindIrFieldsConverterId(criteria *Criteria, options *Options) (int64, error)

FindIrFieldsConverterId finds record id by querying it with criteria.

func (*Client) FindIrFieldsConverterIds

func (c *Client) FindIrFieldsConverterIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrFieldsConverterIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrFieldsConverters

func (c *Client) FindIrFieldsConverters(criteria *Criteria, options *Options) (*IrFieldsConverters, error)

FindIrFieldsConverters finds ir.fields.converter records by querying it and filtering it with criteria and options.

func (*Client) FindIrFilters

func (c *Client) FindIrFilters(criteria *Criteria) (*IrFilters, error)

FindIrFilters finds ir.filters record by querying it with criteria.

func (*Client) FindIrFiltersId

func (c *Client) FindIrFiltersId(criteria *Criteria, options *Options) (int64, error)

FindIrFiltersId finds record id by querying it with criteria.

func (*Client) FindIrFiltersIds

func (c *Client) FindIrFiltersIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrFiltersIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrFilterss

func (c *Client) FindIrFilterss(criteria *Criteria, options *Options) (*IrFilterss, error)

FindIrFilterss finds ir.filters records by querying it and filtering it with criteria and options.

func (*Client) FindIrHttp

func (c *Client) FindIrHttp(criteria *Criteria) (*IrHttp, error)

FindIrHttp finds ir.http record by querying it with criteria.

func (*Client) FindIrHttpId

func (c *Client) FindIrHttpId(criteria *Criteria, options *Options) (int64, error)

FindIrHttpId finds record id by querying it with criteria.

func (*Client) FindIrHttpIds

func (c *Client) FindIrHttpIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrHttpIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrHttps

func (c *Client) FindIrHttps(criteria *Criteria, options *Options) (*IrHttps, error)

FindIrHttps finds ir.http records by querying it and filtering it with criteria and options.

func (*Client) FindIrLogging

func (c *Client) FindIrLogging(criteria *Criteria) (*IrLogging, error)

FindIrLogging finds ir.logging record by querying it with criteria.

func (*Client) FindIrLoggingId

func (c *Client) FindIrLoggingId(criteria *Criteria, options *Options) (int64, error)

FindIrLoggingId finds record id by querying it with criteria.

func (*Client) FindIrLoggingIds

func (c *Client) FindIrLoggingIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrLoggingIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrLoggings

func (c *Client) FindIrLoggings(criteria *Criteria, options *Options) (*IrLoggings, error)

FindIrLoggings finds ir.logging records by querying it and filtering it with criteria and options.

func (*Client) FindIrMailServer

func (c *Client) FindIrMailServer(criteria *Criteria) (*IrMailServer, error)

FindIrMailServer finds ir.mail_server record by querying it with criteria.

func (*Client) FindIrMailServerId

func (c *Client) FindIrMailServerId(criteria *Criteria, options *Options) (int64, error)

FindIrMailServerId finds record id by querying it with criteria.

func (*Client) FindIrMailServerIds

func (c *Client) FindIrMailServerIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrMailServerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrMailServers

func (c *Client) FindIrMailServers(criteria *Criteria, options *Options) (*IrMailServers, error)

FindIrMailServers finds ir.mail_server records by querying it and filtering it with criteria and options.

func (*Client) FindIrModel

func (c *Client) FindIrModel(criteria *Criteria) (*IrModel, error)

FindIrModel finds ir.model record by querying it with criteria.

func (*Client) FindIrModelAccess

func (c *Client) FindIrModelAccess(criteria *Criteria) (*IrModelAccess, error)

FindIrModelAccess finds ir.model.access record by querying it with criteria.

func (*Client) FindIrModelAccessId

func (c *Client) FindIrModelAccessId(criteria *Criteria, options *Options) (int64, error)

FindIrModelAccessId finds record id by querying it with criteria.

func (*Client) FindIrModelAccessIds

func (c *Client) FindIrModelAccessIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModelAccessIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModelAccesss

func (c *Client) FindIrModelAccesss(criteria *Criteria, options *Options) (*IrModelAccesss, error)

FindIrModelAccesss finds ir.model.access records by querying it and filtering it with criteria and options.

func (*Client) FindIrModelConstraint

func (c *Client) FindIrModelConstraint(criteria *Criteria) (*IrModelConstraint, error)

FindIrModelConstraint finds ir.model.constraint record by querying it with criteria.

func (*Client) FindIrModelConstraintId

func (c *Client) FindIrModelConstraintId(criteria *Criteria, options *Options) (int64, error)

FindIrModelConstraintId finds record id by querying it with criteria.

func (*Client) FindIrModelConstraintIds

func (c *Client) FindIrModelConstraintIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModelConstraintIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModelConstraints

func (c *Client) FindIrModelConstraints(criteria *Criteria, options *Options) (*IrModelConstraints, error)

FindIrModelConstraints finds ir.model.constraint records by querying it and filtering it with criteria and options.

func (*Client) FindIrModelData

func (c *Client) FindIrModelData(criteria *Criteria) (*IrModelData, error)

FindIrModelData finds ir.model.data record by querying it with criteria.

func (*Client) FindIrModelDataId

func (c *Client) FindIrModelDataId(criteria *Criteria, options *Options) (int64, error)

FindIrModelDataId finds record id by querying it with criteria.

func (*Client) FindIrModelDataIds

func (c *Client) FindIrModelDataIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModelDataIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModelDatas

func (c *Client) FindIrModelDatas(criteria *Criteria, options *Options) (*IrModelDatas, error)

FindIrModelDatas finds ir.model.data records by querying it and filtering it with criteria and options.

func (*Client) FindIrModelFields

func (c *Client) FindIrModelFields(criteria *Criteria) (*IrModelFields, error)

FindIrModelFields finds ir.model.fields record by querying it with criteria.

func (*Client) FindIrModelFieldsId

func (c *Client) FindIrModelFieldsId(criteria *Criteria, options *Options) (int64, error)

FindIrModelFieldsId finds record id by querying it with criteria.

func (*Client) FindIrModelFieldsIds

func (c *Client) FindIrModelFieldsIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModelFieldsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModelFieldss

func (c *Client) FindIrModelFieldss(criteria *Criteria, options *Options) (*IrModelFieldss, error)

FindIrModelFieldss finds ir.model.fields records by querying it and filtering it with criteria and options.

func (*Client) FindIrModelId

func (c *Client) FindIrModelId(criteria *Criteria, options *Options) (int64, error)

FindIrModelId finds record id by querying it with criteria.

func (*Client) FindIrModelIds

func (c *Client) FindIrModelIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModelIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModelRelation

func (c *Client) FindIrModelRelation(criteria *Criteria) (*IrModelRelation, error)

FindIrModelRelation finds ir.model.relation record by querying it with criteria.

func (*Client) FindIrModelRelationId

func (c *Client) FindIrModelRelationId(criteria *Criteria, options *Options) (int64, error)

FindIrModelRelationId finds record id by querying it with criteria.

func (*Client) FindIrModelRelationIds

func (c *Client) FindIrModelRelationIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModelRelationIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModelRelations

func (c *Client) FindIrModelRelations(criteria *Criteria, options *Options) (*IrModelRelations, error)

FindIrModelRelations finds ir.model.relation records by querying it and filtering it with criteria and options.

func (*Client) FindIrModels

func (c *Client) FindIrModels(criteria *Criteria, options *Options) (*IrModels, error)

FindIrModels finds ir.model records by querying it and filtering it with criteria and options.

func (*Client) FindIrModuleCategory

func (c *Client) FindIrModuleCategory(criteria *Criteria) (*IrModuleCategory, error)

FindIrModuleCategory finds ir.module.category record by querying it with criteria.

func (*Client) FindIrModuleCategoryId

func (c *Client) FindIrModuleCategoryId(criteria *Criteria, options *Options) (int64, error)

FindIrModuleCategoryId finds record id by querying it with criteria.

func (*Client) FindIrModuleCategoryIds

func (c *Client) FindIrModuleCategoryIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModuleCategoryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModuleCategorys

func (c *Client) FindIrModuleCategorys(criteria *Criteria, options *Options) (*IrModuleCategorys, error)

FindIrModuleCategorys finds ir.module.category records by querying it and filtering it with criteria and options.

func (*Client) FindIrModuleModule

func (c *Client) FindIrModuleModule(criteria *Criteria) (*IrModuleModule, error)

FindIrModuleModule finds ir.module.module record by querying it with criteria.

func (*Client) FindIrModuleModuleDependency

func (c *Client) FindIrModuleModuleDependency(criteria *Criteria) (*IrModuleModuleDependency, error)

FindIrModuleModuleDependency finds ir.module.module.dependency record by querying it with criteria.

func (*Client) FindIrModuleModuleDependencyId

func (c *Client) FindIrModuleModuleDependencyId(criteria *Criteria, options *Options) (int64, error)

FindIrModuleModuleDependencyId finds record id by querying it with criteria.

func (*Client) FindIrModuleModuleDependencyIds

func (c *Client) FindIrModuleModuleDependencyIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModuleModuleDependencyIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModuleModuleDependencys

func (c *Client) FindIrModuleModuleDependencys(criteria *Criteria, options *Options) (*IrModuleModuleDependencys, error)

FindIrModuleModuleDependencys finds ir.module.module.dependency records by querying it and filtering it with criteria and options.

func (*Client) FindIrModuleModuleExclusion

func (c *Client) FindIrModuleModuleExclusion(criteria *Criteria) (*IrModuleModuleExclusion, error)

FindIrModuleModuleExclusion finds ir.module.module.exclusion record by querying it with criteria.

func (*Client) FindIrModuleModuleExclusionId

func (c *Client) FindIrModuleModuleExclusionId(criteria *Criteria, options *Options) (int64, error)

FindIrModuleModuleExclusionId finds record id by querying it with criteria.

func (*Client) FindIrModuleModuleExclusionIds

func (c *Client) FindIrModuleModuleExclusionIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModuleModuleExclusionIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModuleModuleExclusions

func (c *Client) FindIrModuleModuleExclusions(criteria *Criteria, options *Options) (*IrModuleModuleExclusions, error)

FindIrModuleModuleExclusions finds ir.module.module.exclusion records by querying it and filtering it with criteria and options.

func (*Client) FindIrModuleModuleId

func (c *Client) FindIrModuleModuleId(criteria *Criteria, options *Options) (int64, error)

FindIrModuleModuleId finds record id by querying it with criteria.

func (*Client) FindIrModuleModuleIds

func (c *Client) FindIrModuleModuleIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrModuleModuleIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrModuleModules

func (c *Client) FindIrModuleModules(criteria *Criteria, options *Options) (*IrModuleModules, error)

FindIrModuleModules finds ir.module.module records by querying it and filtering it with criteria and options.

func (*Client) FindIrProperty

func (c *Client) FindIrProperty(criteria *Criteria) (*IrProperty, error)

FindIrProperty finds ir.property record by querying it with criteria.

func (*Client) FindIrPropertyId

func (c *Client) FindIrPropertyId(criteria *Criteria, options *Options) (int64, error)

FindIrPropertyId finds record id by querying it with criteria.

func (*Client) FindIrPropertyIds

func (c *Client) FindIrPropertyIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrPropertyIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrPropertys

func (c *Client) FindIrPropertys(criteria *Criteria, options *Options) (*IrPropertys, error)

FindIrPropertys finds ir.property records by querying it and filtering it with criteria and options.

func (*Client) FindIrQweb

func (c *Client) FindIrQweb(criteria *Criteria) (*IrQweb, error)

FindIrQweb finds ir.qweb record by querying it with criteria.

func (*Client) FindIrQwebField

func (c *Client) FindIrQwebField(criteria *Criteria) (*IrQwebField, error)

FindIrQwebField finds ir.qweb.field record by querying it with criteria.

func (*Client) FindIrQwebFieldBarcode

func (c *Client) FindIrQwebFieldBarcode(criteria *Criteria) (*IrQwebFieldBarcode, error)

FindIrQwebFieldBarcode finds ir.qweb.field.barcode record by querying it with criteria.

func (*Client) FindIrQwebFieldBarcodeId

func (c *Client) FindIrQwebFieldBarcodeId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldBarcodeId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldBarcodeIds

func (c *Client) FindIrQwebFieldBarcodeIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldBarcodeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldBarcodes

func (c *Client) FindIrQwebFieldBarcodes(criteria *Criteria, options *Options) (*IrQwebFieldBarcodes, error)

FindIrQwebFieldBarcodes finds ir.qweb.field.barcode records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldContact

func (c *Client) FindIrQwebFieldContact(criteria *Criteria) (*IrQwebFieldContact, error)

FindIrQwebFieldContact finds ir.qweb.field.contact record by querying it with criteria.

func (*Client) FindIrQwebFieldContactId

func (c *Client) FindIrQwebFieldContactId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldContactId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldContactIds

func (c *Client) FindIrQwebFieldContactIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldContactIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldContacts

func (c *Client) FindIrQwebFieldContacts(criteria *Criteria, options *Options) (*IrQwebFieldContacts, error)

FindIrQwebFieldContacts finds ir.qweb.field.contact records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldDate

func (c *Client) FindIrQwebFieldDate(criteria *Criteria) (*IrQwebFieldDate, error)

FindIrQwebFieldDate finds ir.qweb.field.date record by querying it with criteria.

func (*Client) FindIrQwebFieldDateId

func (c *Client) FindIrQwebFieldDateId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldDateId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldDateIds

func (c *Client) FindIrQwebFieldDateIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldDateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldDates

func (c *Client) FindIrQwebFieldDates(criteria *Criteria, options *Options) (*IrQwebFieldDates, error)

FindIrQwebFieldDates finds ir.qweb.field.date records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldDatetime

func (c *Client) FindIrQwebFieldDatetime(criteria *Criteria) (*IrQwebFieldDatetime, error)

FindIrQwebFieldDatetime finds ir.qweb.field.datetime record by querying it with criteria.

func (*Client) FindIrQwebFieldDatetimeId

func (c *Client) FindIrQwebFieldDatetimeId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldDatetimeId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldDatetimeIds

func (c *Client) FindIrQwebFieldDatetimeIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldDatetimeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldDatetimes

func (c *Client) FindIrQwebFieldDatetimes(criteria *Criteria, options *Options) (*IrQwebFieldDatetimes, error)

FindIrQwebFieldDatetimes finds ir.qweb.field.datetime records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldDuration

func (c *Client) FindIrQwebFieldDuration(criteria *Criteria) (*IrQwebFieldDuration, error)

FindIrQwebFieldDuration finds ir.qweb.field.duration record by querying it with criteria.

func (*Client) FindIrQwebFieldDurationId

func (c *Client) FindIrQwebFieldDurationId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldDurationId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldDurationIds

func (c *Client) FindIrQwebFieldDurationIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldDurationIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldDurations

func (c *Client) FindIrQwebFieldDurations(criteria *Criteria, options *Options) (*IrQwebFieldDurations, error)

FindIrQwebFieldDurations finds ir.qweb.field.duration records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldFloat

func (c *Client) FindIrQwebFieldFloat(criteria *Criteria) (*IrQwebFieldFloat, error)

FindIrQwebFieldFloat finds ir.qweb.field.float record by querying it with criteria.

func (*Client) FindIrQwebFieldFloatId

func (c *Client) FindIrQwebFieldFloatId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldFloatId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldFloatIds

func (c *Client) FindIrQwebFieldFloatIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldFloatIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldFloatTime

func (c *Client) FindIrQwebFieldFloatTime(criteria *Criteria) (*IrQwebFieldFloatTime, error)

FindIrQwebFieldFloatTime finds ir.qweb.field.float_time record by querying it with criteria.

func (*Client) FindIrQwebFieldFloatTimeId

func (c *Client) FindIrQwebFieldFloatTimeId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldFloatTimeId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldFloatTimeIds

func (c *Client) FindIrQwebFieldFloatTimeIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldFloatTimeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldFloatTimes

func (c *Client) FindIrQwebFieldFloatTimes(criteria *Criteria, options *Options) (*IrQwebFieldFloatTimes, error)

FindIrQwebFieldFloatTimes finds ir.qweb.field.float_time records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldFloats

func (c *Client) FindIrQwebFieldFloats(criteria *Criteria, options *Options) (*IrQwebFieldFloats, error)

FindIrQwebFieldFloats finds ir.qweb.field.float records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldHtml

func (c *Client) FindIrQwebFieldHtml(criteria *Criteria) (*IrQwebFieldHtml, error)

FindIrQwebFieldHtml finds ir.qweb.field.html record by querying it with criteria.

func (*Client) FindIrQwebFieldHtmlId

func (c *Client) FindIrQwebFieldHtmlId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldHtmlId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldHtmlIds

func (c *Client) FindIrQwebFieldHtmlIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldHtmlIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldHtmls

func (c *Client) FindIrQwebFieldHtmls(criteria *Criteria, options *Options) (*IrQwebFieldHtmls, error)

FindIrQwebFieldHtmls finds ir.qweb.field.html records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldId

func (c *Client) FindIrQwebFieldId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldIds

func (c *Client) FindIrQwebFieldIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldImage

func (c *Client) FindIrQwebFieldImage(criteria *Criteria) (*IrQwebFieldImage, error)

FindIrQwebFieldImage finds ir.qweb.field.image record by querying it with criteria.

func (*Client) FindIrQwebFieldImageId

func (c *Client) FindIrQwebFieldImageId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldImageId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldImageIds

func (c *Client) FindIrQwebFieldImageIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldImageIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldImages

func (c *Client) FindIrQwebFieldImages(criteria *Criteria, options *Options) (*IrQwebFieldImages, error)

FindIrQwebFieldImages finds ir.qweb.field.image records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldInteger

func (c *Client) FindIrQwebFieldInteger(criteria *Criteria) (*IrQwebFieldInteger, error)

FindIrQwebFieldInteger finds ir.qweb.field.integer record by querying it with criteria.

func (*Client) FindIrQwebFieldIntegerId

func (c *Client) FindIrQwebFieldIntegerId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldIntegerId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldIntegerIds

func (c *Client) FindIrQwebFieldIntegerIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldIntegerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldIntegers

func (c *Client) FindIrQwebFieldIntegers(criteria *Criteria, options *Options) (*IrQwebFieldIntegers, error)

FindIrQwebFieldIntegers finds ir.qweb.field.integer records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldMany2One

func (c *Client) FindIrQwebFieldMany2One(criteria *Criteria) (*IrQwebFieldMany2One, error)

FindIrQwebFieldMany2One finds ir.qweb.field.many2one record by querying it with criteria.

func (*Client) FindIrQwebFieldMany2OneId

func (c *Client) FindIrQwebFieldMany2OneId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldMany2OneId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldMany2OneIds

func (c *Client) FindIrQwebFieldMany2OneIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldMany2OneIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldMany2Ones

func (c *Client) FindIrQwebFieldMany2Ones(criteria *Criteria, options *Options) (*IrQwebFieldMany2Ones, error)

FindIrQwebFieldMany2Ones finds ir.qweb.field.many2one records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldMonetary

func (c *Client) FindIrQwebFieldMonetary(criteria *Criteria) (*IrQwebFieldMonetary, error)

FindIrQwebFieldMonetary finds ir.qweb.field.monetary record by querying it with criteria.

func (*Client) FindIrQwebFieldMonetaryId

func (c *Client) FindIrQwebFieldMonetaryId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldMonetaryId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldMonetaryIds

func (c *Client) FindIrQwebFieldMonetaryIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldMonetaryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldMonetarys

func (c *Client) FindIrQwebFieldMonetarys(criteria *Criteria, options *Options) (*IrQwebFieldMonetarys, error)

FindIrQwebFieldMonetarys finds ir.qweb.field.monetary records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldQweb

func (c *Client) FindIrQwebFieldQweb(criteria *Criteria) (*IrQwebFieldQweb, error)

FindIrQwebFieldQweb finds ir.qweb.field.qweb record by querying it with criteria.

func (*Client) FindIrQwebFieldQwebId

func (c *Client) FindIrQwebFieldQwebId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldQwebId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldQwebIds

func (c *Client) FindIrQwebFieldQwebIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldQwebIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldQwebs

func (c *Client) FindIrQwebFieldQwebs(criteria *Criteria, options *Options) (*IrQwebFieldQwebs, error)

FindIrQwebFieldQwebs finds ir.qweb.field.qweb records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldRelative

func (c *Client) FindIrQwebFieldRelative(criteria *Criteria) (*IrQwebFieldRelative, error)

FindIrQwebFieldRelative finds ir.qweb.field.relative record by querying it with criteria.

func (*Client) FindIrQwebFieldRelativeId

func (c *Client) FindIrQwebFieldRelativeId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldRelativeId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldRelativeIds

func (c *Client) FindIrQwebFieldRelativeIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldRelativeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldRelatives

func (c *Client) FindIrQwebFieldRelatives(criteria *Criteria, options *Options) (*IrQwebFieldRelatives, error)

FindIrQwebFieldRelatives finds ir.qweb.field.relative records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldSelection

func (c *Client) FindIrQwebFieldSelection(criteria *Criteria) (*IrQwebFieldSelection, error)

FindIrQwebFieldSelection finds ir.qweb.field.selection record by querying it with criteria.

func (*Client) FindIrQwebFieldSelectionId

func (c *Client) FindIrQwebFieldSelectionId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldSelectionId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldSelectionIds

func (c *Client) FindIrQwebFieldSelectionIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldSelectionIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldSelections

func (c *Client) FindIrQwebFieldSelections(criteria *Criteria, options *Options) (*IrQwebFieldSelections, error)

FindIrQwebFieldSelections finds ir.qweb.field.selection records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldText

func (c *Client) FindIrQwebFieldText(criteria *Criteria) (*IrQwebFieldText, error)

FindIrQwebFieldText finds ir.qweb.field.text record by querying it with criteria.

func (*Client) FindIrQwebFieldTextId

func (c *Client) FindIrQwebFieldTextId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebFieldTextId finds record id by querying it with criteria.

func (*Client) FindIrQwebFieldTextIds

func (c *Client) FindIrQwebFieldTextIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebFieldTextIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFieldTexts

func (c *Client) FindIrQwebFieldTexts(criteria *Criteria, options *Options) (*IrQwebFieldTexts, error)

FindIrQwebFieldTexts finds ir.qweb.field.text records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebFields

func (c *Client) FindIrQwebFields(criteria *Criteria, options *Options) (*IrQwebFields, error)

FindIrQwebFields finds ir.qweb.field records by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebId

func (c *Client) FindIrQwebId(criteria *Criteria, options *Options) (int64, error)

FindIrQwebId finds record id by querying it with criteria.

func (*Client) FindIrQwebIds

func (c *Client) FindIrQwebIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrQwebIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrQwebs

func (c *Client) FindIrQwebs(criteria *Criteria, options *Options) (*IrQwebs, error)

FindIrQwebs finds ir.qweb records by querying it and filtering it with criteria and options.

func (*Client) FindIrRule

func (c *Client) FindIrRule(criteria *Criteria) (*IrRule, error)

FindIrRule finds ir.rule record by querying it with criteria.

func (*Client) FindIrRuleId

func (c *Client) FindIrRuleId(criteria *Criteria, options *Options) (int64, error)

FindIrRuleId finds record id by querying it with criteria.

func (*Client) FindIrRuleIds

func (c *Client) FindIrRuleIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrRuleIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrRules

func (c *Client) FindIrRules(criteria *Criteria, options *Options) (*IrRules, error)

FindIrRules finds ir.rule records by querying it and filtering it with criteria and options.

func (*Client) FindIrSequence

func (c *Client) FindIrSequence(criteria *Criteria) (*IrSequence, error)

FindIrSequence finds ir.sequence record by querying it with criteria.

func (*Client) FindIrSequenceDateRange

func (c *Client) FindIrSequenceDateRange(criteria *Criteria) (*IrSequenceDateRange, error)

FindIrSequenceDateRange finds ir.sequence.date_range record by querying it with criteria.

func (*Client) FindIrSequenceDateRangeId

func (c *Client) FindIrSequenceDateRangeId(criteria *Criteria, options *Options) (int64, error)

FindIrSequenceDateRangeId finds record id by querying it with criteria.

func (*Client) FindIrSequenceDateRangeIds

func (c *Client) FindIrSequenceDateRangeIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrSequenceDateRangeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrSequenceDateRanges

func (c *Client) FindIrSequenceDateRanges(criteria *Criteria, options *Options) (*IrSequenceDateRanges, error)

FindIrSequenceDateRanges finds ir.sequence.date_range records by querying it and filtering it with criteria and options.

func (*Client) FindIrSequenceId

func (c *Client) FindIrSequenceId(criteria *Criteria, options *Options) (int64, error)

FindIrSequenceId finds record id by querying it with criteria.

func (*Client) FindIrSequenceIds

func (c *Client) FindIrSequenceIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrSequenceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrSequences

func (c *Client) FindIrSequences(criteria *Criteria, options *Options) (*IrSequences, error)

FindIrSequences finds ir.sequence records by querying it and filtering it with criteria and options.

func (*Client) FindIrServerObjectLines

func (c *Client) FindIrServerObjectLines(criteria *Criteria) (*IrServerObjectLines, error)

FindIrServerObjectLines finds ir.server.object.lines record by querying it with criteria.

func (*Client) FindIrServerObjectLinesId

func (c *Client) FindIrServerObjectLinesId(criteria *Criteria, options *Options) (int64, error)

FindIrServerObjectLinesId finds record id by querying it with criteria.

func (*Client) FindIrServerObjectLinesIds

func (c *Client) FindIrServerObjectLinesIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrServerObjectLinesIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrServerObjectLiness

func (c *Client) FindIrServerObjectLiness(criteria *Criteria, options *Options) (*IrServerObjectLiness, error)

FindIrServerObjectLiness finds ir.server.object.lines records by querying it and filtering it with criteria and options.

func (*Client) FindIrTranslation

func (c *Client) FindIrTranslation(criteria *Criteria) (*IrTranslation, error)

FindIrTranslation finds ir.translation record by querying it with criteria.

func (*Client) FindIrTranslationId

func (c *Client) FindIrTranslationId(criteria *Criteria, options *Options) (int64, error)

FindIrTranslationId finds record id by querying it with criteria.

func (*Client) FindIrTranslationIds

func (c *Client) FindIrTranslationIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrTranslationIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrTranslations

func (c *Client) FindIrTranslations(criteria *Criteria, options *Options) (*IrTranslations, error)

FindIrTranslations finds ir.translation records by querying it and filtering it with criteria and options.

func (*Client) FindIrUiMenu

func (c *Client) FindIrUiMenu(criteria *Criteria) (*IrUiMenu, error)

FindIrUiMenu finds ir.ui.menu record by querying it with criteria.

func (*Client) FindIrUiMenuId

func (c *Client) FindIrUiMenuId(criteria *Criteria, options *Options) (int64, error)

FindIrUiMenuId finds record id by querying it with criteria.

func (*Client) FindIrUiMenuIds

func (c *Client) FindIrUiMenuIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrUiMenuIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrUiMenus

func (c *Client) FindIrUiMenus(criteria *Criteria, options *Options) (*IrUiMenus, error)

FindIrUiMenus finds ir.ui.menu records by querying it and filtering it with criteria and options.

func (*Client) FindIrUiView

func (c *Client) FindIrUiView(criteria *Criteria) (*IrUiView, error)

FindIrUiView finds ir.ui.view record by querying it with criteria.

func (*Client) FindIrUiViewCustom

func (c *Client) FindIrUiViewCustom(criteria *Criteria) (*IrUiViewCustom, error)

FindIrUiViewCustom finds ir.ui.view.custom record by querying it with criteria.

func (*Client) FindIrUiViewCustomId

func (c *Client) FindIrUiViewCustomId(criteria *Criteria, options *Options) (int64, error)

FindIrUiViewCustomId finds record id by querying it with criteria.

func (*Client) FindIrUiViewCustomIds

func (c *Client) FindIrUiViewCustomIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrUiViewCustomIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrUiViewCustoms

func (c *Client) FindIrUiViewCustoms(criteria *Criteria, options *Options) (*IrUiViewCustoms, error)

FindIrUiViewCustoms finds ir.ui.view.custom records by querying it and filtering it with criteria and options.

func (*Client) FindIrUiViewId

func (c *Client) FindIrUiViewId(criteria *Criteria, options *Options) (int64, error)

FindIrUiViewId finds record id by querying it with criteria.

func (*Client) FindIrUiViewIds

func (c *Client) FindIrUiViewIds(criteria *Criteria, options *Options) ([]int64, error)

FindIrUiViewIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindIrUiViews

func (c *Client) FindIrUiViews(criteria *Criteria, options *Options) (*IrUiViews, error)

FindIrUiViews finds ir.ui.view records by querying it and filtering it with criteria and options.

func (*Client) FindLinkTracker

func (c *Client) FindLinkTracker(criteria *Criteria) (*LinkTracker, error)

FindLinkTracker finds link.tracker record by querying it with criteria.

func (*Client) FindLinkTrackerClick

func (c *Client) FindLinkTrackerClick(criteria *Criteria) (*LinkTrackerClick, error)

FindLinkTrackerClick finds link.tracker.click record by querying it with criteria.

func (*Client) FindLinkTrackerClickId

func (c *Client) FindLinkTrackerClickId(criteria *Criteria, options *Options) (int64, error)

FindLinkTrackerClickId finds record id by querying it with criteria.

func (*Client) FindLinkTrackerClickIds

func (c *Client) FindLinkTrackerClickIds(criteria *Criteria, options *Options) ([]int64, error)

FindLinkTrackerClickIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindLinkTrackerClicks

func (c *Client) FindLinkTrackerClicks(criteria *Criteria, options *Options) (*LinkTrackerClicks, error)

FindLinkTrackerClicks finds link.tracker.click records by querying it and filtering it with criteria and options.

func (*Client) FindLinkTrackerCode

func (c *Client) FindLinkTrackerCode(criteria *Criteria) (*LinkTrackerCode, error)

FindLinkTrackerCode finds link.tracker.code record by querying it with criteria.

func (*Client) FindLinkTrackerCodeId

func (c *Client) FindLinkTrackerCodeId(criteria *Criteria, options *Options) (int64, error)

FindLinkTrackerCodeId finds record id by querying it with criteria.

func (*Client) FindLinkTrackerCodeIds

func (c *Client) FindLinkTrackerCodeIds(criteria *Criteria, options *Options) ([]int64, error)

FindLinkTrackerCodeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindLinkTrackerCodes

func (c *Client) FindLinkTrackerCodes(criteria *Criteria, options *Options) (*LinkTrackerCodes, error)

FindLinkTrackerCodes finds link.tracker.code records by querying it and filtering it with criteria and options.

func (*Client) FindLinkTrackerId

func (c *Client) FindLinkTrackerId(criteria *Criteria, options *Options) (int64, error)

FindLinkTrackerId finds record id by querying it with criteria.

func (*Client) FindLinkTrackerIds

func (c *Client) FindLinkTrackerIds(criteria *Criteria, options *Options) ([]int64, error)

FindLinkTrackerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindLinkTrackers

func (c *Client) FindLinkTrackers(criteria *Criteria, options *Options) (*LinkTrackers, error)

FindLinkTrackers finds link.tracker records by querying it and filtering it with criteria and options.

func (*Client) FindMailActivity

func (c *Client) FindMailActivity(criteria *Criteria) (*MailActivity, error)

FindMailActivity finds mail.activity record by querying it with criteria.

func (*Client) FindMailActivityId

func (c *Client) FindMailActivityId(criteria *Criteria, options *Options) (int64, error)

FindMailActivityId finds record id by querying it with criteria.

func (*Client) FindMailActivityIds

func (c *Client) FindMailActivityIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailActivityIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailActivityMixin

func (c *Client) FindMailActivityMixin(criteria *Criteria) (*MailActivityMixin, error)

FindMailActivityMixin finds mail.activity.mixin record by querying it with criteria.

func (*Client) FindMailActivityMixinId

func (c *Client) FindMailActivityMixinId(criteria *Criteria, options *Options) (int64, error)

FindMailActivityMixinId finds record id by querying it with criteria.

func (*Client) FindMailActivityMixinIds

func (c *Client) FindMailActivityMixinIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailActivityMixinIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailActivityMixins

func (c *Client) FindMailActivityMixins(criteria *Criteria, options *Options) (*MailActivityMixins, error)

FindMailActivityMixins finds mail.activity.mixin records by querying it and filtering it with criteria and options.

func (*Client) FindMailActivityType

func (c *Client) FindMailActivityType(criteria *Criteria) (*MailActivityType, error)

FindMailActivityType finds mail.activity.type record by querying it with criteria.

func (*Client) FindMailActivityTypeId

func (c *Client) FindMailActivityTypeId(criteria *Criteria, options *Options) (int64, error)

FindMailActivityTypeId finds record id by querying it with criteria.

func (*Client) FindMailActivityTypeIds

func (c *Client) FindMailActivityTypeIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailActivityTypeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailActivityTypes

func (c *Client) FindMailActivityTypes(criteria *Criteria, options *Options) (*MailActivityTypes, error)

FindMailActivityTypes finds mail.activity.type records by querying it and filtering it with criteria and options.

func (*Client) FindMailActivitys

func (c *Client) FindMailActivitys(criteria *Criteria, options *Options) (*MailActivitys, error)

FindMailActivitys finds mail.activity records by querying it and filtering it with criteria and options.

func (*Client) FindMailAlias

func (c *Client) FindMailAlias(criteria *Criteria) (*MailAlias, error)

FindMailAlias finds mail.alias record by querying it with criteria.

func (*Client) FindMailAliasId

func (c *Client) FindMailAliasId(criteria *Criteria, options *Options) (int64, error)

FindMailAliasId finds record id by querying it with criteria.

func (*Client) FindMailAliasIds

func (c *Client) FindMailAliasIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailAliasIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailAliasMixin

func (c *Client) FindMailAliasMixin(criteria *Criteria) (*MailAliasMixin, error)

FindMailAliasMixin finds mail.alias.mixin record by querying it with criteria.

func (*Client) FindMailAliasMixinId

func (c *Client) FindMailAliasMixinId(criteria *Criteria, options *Options) (int64, error)

FindMailAliasMixinId finds record id by querying it with criteria.

func (*Client) FindMailAliasMixinIds

func (c *Client) FindMailAliasMixinIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailAliasMixinIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailAliasMixins

func (c *Client) FindMailAliasMixins(criteria *Criteria, options *Options) (*MailAliasMixins, error)

FindMailAliasMixins finds mail.alias.mixin records by querying it and filtering it with criteria and options.

func (*Client) FindMailAliass

func (c *Client) FindMailAliass(criteria *Criteria, options *Options) (*MailAliass, error)

FindMailAliass finds mail.alias records by querying it and filtering it with criteria and options.

func (*Client) FindMailChannel

func (c *Client) FindMailChannel(criteria *Criteria) (*MailChannel, error)

FindMailChannel finds mail.channel record by querying it with criteria.

func (*Client) FindMailChannelId

func (c *Client) FindMailChannelId(criteria *Criteria, options *Options) (int64, error)

FindMailChannelId finds record id by querying it with criteria.

func (*Client) FindMailChannelIds

func (c *Client) FindMailChannelIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailChannelIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailChannelPartner

func (c *Client) FindMailChannelPartner(criteria *Criteria) (*MailChannelPartner, error)

FindMailChannelPartner finds mail.channel.partner record by querying it with criteria.

func (*Client) FindMailChannelPartnerId

func (c *Client) FindMailChannelPartnerId(criteria *Criteria, options *Options) (int64, error)

FindMailChannelPartnerId finds record id by querying it with criteria.

func (*Client) FindMailChannelPartnerIds

func (c *Client) FindMailChannelPartnerIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailChannelPartnerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailChannelPartners

func (c *Client) FindMailChannelPartners(criteria *Criteria, options *Options) (*MailChannelPartners, error)

FindMailChannelPartners finds mail.channel.partner records by querying it and filtering it with criteria and options.

func (*Client) FindMailChannels

func (c *Client) FindMailChannels(criteria *Criteria, options *Options) (*MailChannels, error)

FindMailChannels finds mail.channel records by querying it and filtering it with criteria and options.

func (*Client) FindMailComposeMessage

func (c *Client) FindMailComposeMessage(criteria *Criteria) (*MailComposeMessage, error)

FindMailComposeMessage finds mail.compose.message record by querying it with criteria.

func (*Client) FindMailComposeMessageId

func (c *Client) FindMailComposeMessageId(criteria *Criteria, options *Options) (int64, error)

FindMailComposeMessageId finds record id by querying it with criteria.

func (*Client) FindMailComposeMessageIds

func (c *Client) FindMailComposeMessageIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailComposeMessageIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailComposeMessages

func (c *Client) FindMailComposeMessages(criteria *Criteria, options *Options) (*MailComposeMessages, error)

FindMailComposeMessages finds mail.compose.message records by querying it and filtering it with criteria and options.

func (*Client) FindMailFollowers

func (c *Client) FindMailFollowers(criteria *Criteria) (*MailFollowers, error)

FindMailFollowers finds mail.followers record by querying it with criteria.

func (*Client) FindMailFollowersId

func (c *Client) FindMailFollowersId(criteria *Criteria, options *Options) (int64, error)

FindMailFollowersId finds record id by querying it with criteria.

func (*Client) FindMailFollowersIds

func (c *Client) FindMailFollowersIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailFollowersIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailFollowerss

func (c *Client) FindMailFollowerss(criteria *Criteria, options *Options) (*MailFollowerss, error)

FindMailFollowerss finds mail.followers records by querying it and filtering it with criteria and options.

func (*Client) FindMailMail

func (c *Client) FindMailMail(criteria *Criteria) (*MailMail, error)

FindMailMail finds mail.mail record by querying it with criteria.

func (*Client) FindMailMailId

func (c *Client) FindMailMailId(criteria *Criteria, options *Options) (int64, error)

FindMailMailId finds record id by querying it with criteria.

func (*Client) FindMailMailIds

func (c *Client) FindMailMailIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMailIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMailStatistics

func (c *Client) FindMailMailStatistics(criteria *Criteria) (*MailMailStatistics, error)

FindMailMailStatistics finds mail.mail.statistics record by querying it with criteria.

func (*Client) FindMailMailStatisticsId

func (c *Client) FindMailMailStatisticsId(criteria *Criteria, options *Options) (int64, error)

FindMailMailStatisticsId finds record id by querying it with criteria.

func (*Client) FindMailMailStatisticsIds

func (c *Client) FindMailMailStatisticsIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMailStatisticsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMailStatisticss

func (c *Client) FindMailMailStatisticss(criteria *Criteria, options *Options) (*MailMailStatisticss, error)

FindMailMailStatisticss finds mail.mail.statistics records by querying it and filtering it with criteria and options.

func (*Client) FindMailMails

func (c *Client) FindMailMails(criteria *Criteria, options *Options) (*MailMails, error)

FindMailMails finds mail.mail records by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailing

func (c *Client) FindMailMassMailing(criteria *Criteria) (*MailMassMailing, error)

FindMailMassMailing finds mail.mass_mailing record by querying it with criteria.

func (*Client) FindMailMassMailingCampaign

func (c *Client) FindMailMassMailingCampaign(criteria *Criteria) (*MailMassMailingCampaign, error)

FindMailMassMailingCampaign finds mail.mass_mailing.campaign record by querying it with criteria.

func (*Client) FindMailMassMailingCampaignId

func (c *Client) FindMailMassMailingCampaignId(criteria *Criteria, options *Options) (int64, error)

FindMailMassMailingCampaignId finds record id by querying it with criteria.

func (*Client) FindMailMassMailingCampaignIds

func (c *Client) FindMailMassMailingCampaignIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMassMailingCampaignIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingCampaigns

func (c *Client) FindMailMassMailingCampaigns(criteria *Criteria, options *Options) (*MailMassMailingCampaigns, error)

FindMailMassMailingCampaigns finds mail.mass_mailing.campaign records by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingContact

func (c *Client) FindMailMassMailingContact(criteria *Criteria) (*MailMassMailingContact, error)

FindMailMassMailingContact finds mail.mass_mailing.contact record by querying it with criteria.

func (*Client) FindMailMassMailingContactId

func (c *Client) FindMailMassMailingContactId(criteria *Criteria, options *Options) (int64, error)

FindMailMassMailingContactId finds record id by querying it with criteria.

func (*Client) FindMailMassMailingContactIds

func (c *Client) FindMailMassMailingContactIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMassMailingContactIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingContacts

func (c *Client) FindMailMassMailingContacts(criteria *Criteria, options *Options) (*MailMassMailingContacts, error)

FindMailMassMailingContacts finds mail.mass_mailing.contact records by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingId

func (c *Client) FindMailMassMailingId(criteria *Criteria, options *Options) (int64, error)

FindMailMassMailingId finds record id by querying it with criteria.

func (*Client) FindMailMassMailingIds

func (c *Client) FindMailMassMailingIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMassMailingIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingList

func (c *Client) FindMailMassMailingList(criteria *Criteria) (*MailMassMailingList, error)

FindMailMassMailingList finds mail.mass_mailing.list record by querying it with criteria.

func (*Client) FindMailMassMailingListId

func (c *Client) FindMailMassMailingListId(criteria *Criteria, options *Options) (int64, error)

FindMailMassMailingListId finds record id by querying it with criteria.

func (*Client) FindMailMassMailingListIds

func (c *Client) FindMailMassMailingListIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMassMailingListIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingLists

func (c *Client) FindMailMassMailingLists(criteria *Criteria, options *Options) (*MailMassMailingLists, error)

FindMailMassMailingLists finds mail.mass_mailing.list records by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingStage

func (c *Client) FindMailMassMailingStage(criteria *Criteria) (*MailMassMailingStage, error)

FindMailMassMailingStage finds mail.mass_mailing.stage record by querying it with criteria.

func (*Client) FindMailMassMailingStageId

func (c *Client) FindMailMassMailingStageId(criteria *Criteria, options *Options) (int64, error)

FindMailMassMailingStageId finds record id by querying it with criteria.

func (*Client) FindMailMassMailingStageIds

func (c *Client) FindMailMassMailingStageIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMassMailingStageIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingStages

func (c *Client) FindMailMassMailingStages(criteria *Criteria, options *Options) (*MailMassMailingStages, error)

FindMailMassMailingStages finds mail.mass_mailing.stage records by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingTag

func (c *Client) FindMailMassMailingTag(criteria *Criteria) (*MailMassMailingTag, error)

FindMailMassMailingTag finds mail.mass_mailing.tag record by querying it with criteria.

func (*Client) FindMailMassMailingTagId

func (c *Client) FindMailMassMailingTagId(criteria *Criteria, options *Options) (int64, error)

FindMailMassMailingTagId finds record id by querying it with criteria.

func (*Client) FindMailMassMailingTagIds

func (c *Client) FindMailMassMailingTagIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMassMailingTagIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailingTags

func (c *Client) FindMailMassMailingTags(criteria *Criteria, options *Options) (*MailMassMailingTags, error)

FindMailMassMailingTags finds mail.mass_mailing.tag records by querying it and filtering it with criteria and options.

func (*Client) FindMailMassMailings

func (c *Client) FindMailMassMailings(criteria *Criteria, options *Options) (*MailMassMailings, error)

FindMailMassMailings finds mail.mass_mailing records by querying it and filtering it with criteria and options.

func (*Client) FindMailMessage

func (c *Client) FindMailMessage(criteria *Criteria) (*MailMessage, error)

FindMailMessage finds mail.message record by querying it with criteria.

func (*Client) FindMailMessageId

func (c *Client) FindMailMessageId(criteria *Criteria, options *Options) (int64, error)

FindMailMessageId finds record id by querying it with criteria.

func (*Client) FindMailMessageIds

func (c *Client) FindMailMessageIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMessageIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMessageSubtype

func (c *Client) FindMailMessageSubtype(criteria *Criteria) (*MailMessageSubtype, error)

FindMailMessageSubtype finds mail.message.subtype record by querying it with criteria.

func (*Client) FindMailMessageSubtypeId

func (c *Client) FindMailMessageSubtypeId(criteria *Criteria, options *Options) (int64, error)

FindMailMessageSubtypeId finds record id by querying it with criteria.

func (*Client) FindMailMessageSubtypeIds

func (c *Client) FindMailMessageSubtypeIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailMessageSubtypeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailMessageSubtypes

func (c *Client) FindMailMessageSubtypes(criteria *Criteria, options *Options) (*MailMessageSubtypes, error)

FindMailMessageSubtypes finds mail.message.subtype records by querying it and filtering it with criteria and options.

func (*Client) FindMailMessages

func (c *Client) FindMailMessages(criteria *Criteria, options *Options) (*MailMessages, error)

FindMailMessages finds mail.message records by querying it and filtering it with criteria and options.

func (*Client) FindMailNotification

func (c *Client) FindMailNotification(criteria *Criteria) (*MailNotification, error)

FindMailNotification finds mail.notification record by querying it with criteria.

func (*Client) FindMailNotificationId

func (c *Client) FindMailNotificationId(criteria *Criteria, options *Options) (int64, error)

FindMailNotificationId finds record id by querying it with criteria.

func (*Client) FindMailNotificationIds

func (c *Client) FindMailNotificationIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailNotificationIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailNotifications

func (c *Client) FindMailNotifications(criteria *Criteria, options *Options) (*MailNotifications, error)

FindMailNotifications finds mail.notification records by querying it and filtering it with criteria and options.

func (*Client) FindMailShortcode

func (c *Client) FindMailShortcode(criteria *Criteria) (*MailShortcode, error)

FindMailShortcode finds mail.shortcode record by querying it with criteria.

func (*Client) FindMailShortcodeId

func (c *Client) FindMailShortcodeId(criteria *Criteria, options *Options) (int64, error)

FindMailShortcodeId finds record id by querying it with criteria.

func (*Client) FindMailShortcodeIds

func (c *Client) FindMailShortcodeIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailShortcodeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailShortcodes

func (c *Client) FindMailShortcodes(criteria *Criteria, options *Options) (*MailShortcodes, error)

FindMailShortcodes finds mail.shortcode records by querying it and filtering it with criteria and options.

func (*Client) FindMailStatisticsReport

func (c *Client) FindMailStatisticsReport(criteria *Criteria) (*MailStatisticsReport, error)

FindMailStatisticsReport finds mail.statistics.report record by querying it with criteria.

func (*Client) FindMailStatisticsReportId

func (c *Client) FindMailStatisticsReportId(criteria *Criteria, options *Options) (int64, error)

FindMailStatisticsReportId finds record id by querying it with criteria.

func (*Client) FindMailStatisticsReportIds

func (c *Client) FindMailStatisticsReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailStatisticsReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailStatisticsReports

func (c *Client) FindMailStatisticsReports(criteria *Criteria, options *Options) (*MailStatisticsReports, error)

FindMailStatisticsReports finds mail.statistics.report records by querying it and filtering it with criteria and options.

func (*Client) FindMailTemplate

func (c *Client) FindMailTemplate(criteria *Criteria) (*MailTemplate, error)

FindMailTemplate finds mail.template record by querying it with criteria.

func (*Client) FindMailTemplateId

func (c *Client) FindMailTemplateId(criteria *Criteria, options *Options) (int64, error)

FindMailTemplateId finds record id by querying it with criteria.

func (*Client) FindMailTemplateIds

func (c *Client) FindMailTemplateIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailTemplateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailTemplates

func (c *Client) FindMailTemplates(criteria *Criteria, options *Options) (*MailTemplates, error)

FindMailTemplates finds mail.template records by querying it and filtering it with criteria and options.

func (*Client) FindMailTestSimple

func (c *Client) FindMailTestSimple(criteria *Criteria) (*MailTestSimple, error)

FindMailTestSimple finds mail.test.simple record by querying it with criteria.

func (*Client) FindMailTestSimpleId

func (c *Client) FindMailTestSimpleId(criteria *Criteria, options *Options) (int64, error)

FindMailTestSimpleId finds record id by querying it with criteria.

func (*Client) FindMailTestSimpleIds

func (c *Client) FindMailTestSimpleIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailTestSimpleIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailTestSimples

func (c *Client) FindMailTestSimples(criteria *Criteria, options *Options) (*MailTestSimples, error)

FindMailTestSimples finds mail.test.simple records by querying it and filtering it with criteria and options.

func (*Client) FindMailThread

func (c *Client) FindMailThread(criteria *Criteria) (*MailThread, error)

FindMailThread finds mail.thread record by querying it with criteria.

func (*Client) FindMailThreadId

func (c *Client) FindMailThreadId(criteria *Criteria, options *Options) (int64, error)

FindMailThreadId finds record id by querying it with criteria.

func (*Client) FindMailThreadIds

func (c *Client) FindMailThreadIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailThreadIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailThreads

func (c *Client) FindMailThreads(criteria *Criteria, options *Options) (*MailThreads, error)

FindMailThreads finds mail.thread records by querying it and filtering it with criteria and options.

func (*Client) FindMailTrackingValue

func (c *Client) FindMailTrackingValue(criteria *Criteria) (*MailTrackingValue, error)

FindMailTrackingValue finds mail.tracking.value record by querying it with criteria.

func (*Client) FindMailTrackingValueId

func (c *Client) FindMailTrackingValueId(criteria *Criteria, options *Options) (int64, error)

FindMailTrackingValueId finds record id by querying it with criteria.

func (*Client) FindMailTrackingValueIds

func (c *Client) FindMailTrackingValueIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailTrackingValueIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailTrackingValues

func (c *Client) FindMailTrackingValues(criteria *Criteria, options *Options) (*MailTrackingValues, error)

FindMailTrackingValues finds mail.tracking.value records by querying it and filtering it with criteria and options.

func (*Client) FindMailWizardInvite

func (c *Client) FindMailWizardInvite(criteria *Criteria) (*MailWizardInvite, error)

FindMailWizardInvite finds mail.wizard.invite record by querying it with criteria.

func (*Client) FindMailWizardInviteId

func (c *Client) FindMailWizardInviteId(criteria *Criteria, options *Options) (int64, error)

FindMailWizardInviteId finds record id by querying it with criteria.

func (*Client) FindMailWizardInviteIds

func (c *Client) FindMailWizardInviteIds(criteria *Criteria, options *Options) ([]int64, error)

FindMailWizardInviteIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindMailWizardInvites

func (c *Client) FindMailWizardInvites(criteria *Criteria, options *Options) (*MailWizardInvites, error)

FindMailWizardInvites finds mail.wizard.invite records by querying it and filtering it with criteria and options.

func (*Client) FindPaymentAcquirer

func (c *Client) FindPaymentAcquirer(criteria *Criteria) (*PaymentAcquirer, error)

FindPaymentAcquirer finds payment.acquirer record by querying it with criteria.

func (*Client) FindPaymentAcquirerId

func (c *Client) FindPaymentAcquirerId(criteria *Criteria, options *Options) (int64, error)

FindPaymentAcquirerId finds record id by querying it with criteria.

func (*Client) FindPaymentAcquirerIds

func (c *Client) FindPaymentAcquirerIds(criteria *Criteria, options *Options) ([]int64, error)

FindPaymentAcquirerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPaymentAcquirers

func (c *Client) FindPaymentAcquirers(criteria *Criteria, options *Options) (*PaymentAcquirers, error)

FindPaymentAcquirers finds payment.acquirer records by querying it and filtering it with criteria and options.

func (*Client) FindPaymentIcon

func (c *Client) FindPaymentIcon(criteria *Criteria) (*PaymentIcon, error)

FindPaymentIcon finds payment.icon record by querying it with criteria.

func (*Client) FindPaymentIconId

func (c *Client) FindPaymentIconId(criteria *Criteria, options *Options) (int64, error)

FindPaymentIconId finds record id by querying it with criteria.

func (*Client) FindPaymentIconIds

func (c *Client) FindPaymentIconIds(criteria *Criteria, options *Options) ([]int64, error)

FindPaymentIconIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPaymentIcons

func (c *Client) FindPaymentIcons(criteria *Criteria, options *Options) (*PaymentIcons, error)

FindPaymentIcons finds payment.icon records by querying it and filtering it with criteria and options.

func (*Client) FindPaymentToken

func (c *Client) FindPaymentToken(criteria *Criteria) (*PaymentToken, error)

FindPaymentToken finds payment.token record by querying it with criteria.

func (*Client) FindPaymentTokenId

func (c *Client) FindPaymentTokenId(criteria *Criteria, options *Options) (int64, error)

FindPaymentTokenId finds record id by querying it with criteria.

func (*Client) FindPaymentTokenIds

func (c *Client) FindPaymentTokenIds(criteria *Criteria, options *Options) ([]int64, error)

FindPaymentTokenIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPaymentTokens

func (c *Client) FindPaymentTokens(criteria *Criteria, options *Options) (*PaymentTokens, error)

FindPaymentTokens finds payment.token records by querying it and filtering it with criteria and options.

func (*Client) FindPaymentTransaction

func (c *Client) FindPaymentTransaction(criteria *Criteria) (*PaymentTransaction, error)

FindPaymentTransaction finds payment.transaction record by querying it with criteria.

func (*Client) FindPaymentTransactionId

func (c *Client) FindPaymentTransactionId(criteria *Criteria, options *Options) (int64, error)

FindPaymentTransactionId finds record id by querying it with criteria.

func (*Client) FindPaymentTransactionIds

func (c *Client) FindPaymentTransactionIds(criteria *Criteria, options *Options) ([]int64, error)

FindPaymentTransactionIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPaymentTransactions

func (c *Client) FindPaymentTransactions(criteria *Criteria, options *Options) (*PaymentTransactions, error)

FindPaymentTransactions finds payment.transaction records by querying it and filtering it with criteria and options.

func (*Client) FindPortalMixin

func (c *Client) FindPortalMixin(criteria *Criteria) (*PortalMixin, error)

FindPortalMixin finds portal.mixin record by querying it with criteria.

func (*Client) FindPortalMixinId

func (c *Client) FindPortalMixinId(criteria *Criteria, options *Options) (int64, error)

FindPortalMixinId finds record id by querying it with criteria.

func (*Client) FindPortalMixinIds

func (c *Client) FindPortalMixinIds(criteria *Criteria, options *Options) ([]int64, error)

FindPortalMixinIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPortalMixins

func (c *Client) FindPortalMixins(criteria *Criteria, options *Options) (*PortalMixins, error)

FindPortalMixins finds portal.mixin records by querying it and filtering it with criteria and options.

func (*Client) FindPortalWizard

func (c *Client) FindPortalWizard(criteria *Criteria) (*PortalWizard, error)

FindPortalWizard finds portal.wizard record by querying it with criteria.

func (*Client) FindPortalWizardId

func (c *Client) FindPortalWizardId(criteria *Criteria, options *Options) (int64, error)

FindPortalWizardId finds record id by querying it with criteria.

func (*Client) FindPortalWizardIds

func (c *Client) FindPortalWizardIds(criteria *Criteria, options *Options) ([]int64, error)

FindPortalWizardIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPortalWizardUser

func (c *Client) FindPortalWizardUser(criteria *Criteria) (*PortalWizardUser, error)

FindPortalWizardUser finds portal.wizard.user record by querying it with criteria.

func (*Client) FindPortalWizardUserId

func (c *Client) FindPortalWizardUserId(criteria *Criteria, options *Options) (int64, error)

FindPortalWizardUserId finds record id by querying it with criteria.

func (*Client) FindPortalWizardUserIds

func (c *Client) FindPortalWizardUserIds(criteria *Criteria, options *Options) ([]int64, error)

FindPortalWizardUserIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPortalWizardUsers

func (c *Client) FindPortalWizardUsers(criteria *Criteria, options *Options) (*PortalWizardUsers, error)

FindPortalWizardUsers finds portal.wizard.user records by querying it and filtering it with criteria and options.

func (*Client) FindPortalWizards

func (c *Client) FindPortalWizards(criteria *Criteria, options *Options) (*PortalWizards, error)

FindPortalWizards finds portal.wizard records by querying it and filtering it with criteria and options.

func (*Client) FindProcurementGroup

func (c *Client) FindProcurementGroup(criteria *Criteria) (*ProcurementGroup, error)

FindProcurementGroup finds procurement.group record by querying it with criteria.

func (*Client) FindProcurementGroupId

func (c *Client) FindProcurementGroupId(criteria *Criteria, options *Options) (int64, error)

FindProcurementGroupId finds record id by querying it with criteria.

func (*Client) FindProcurementGroupIds

func (c *Client) FindProcurementGroupIds(criteria *Criteria, options *Options) ([]int64, error)

FindProcurementGroupIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProcurementGroups

func (c *Client) FindProcurementGroups(criteria *Criteria, options *Options) (*ProcurementGroups, error)

FindProcurementGroups finds procurement.group records by querying it and filtering it with criteria and options.

func (*Client) FindProcurementRule

func (c *Client) FindProcurementRule(criteria *Criteria) (*ProcurementRule, error)

FindProcurementRule finds procurement.rule record by querying it with criteria.

func (*Client) FindProcurementRuleId

func (c *Client) FindProcurementRuleId(criteria *Criteria, options *Options) (int64, error)

FindProcurementRuleId finds record id by querying it with criteria.

func (*Client) FindProcurementRuleIds

func (c *Client) FindProcurementRuleIds(criteria *Criteria, options *Options) ([]int64, error)

FindProcurementRuleIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProcurementRules

func (c *Client) FindProcurementRules(criteria *Criteria, options *Options) (*ProcurementRules, error)

FindProcurementRules finds procurement.rule records by querying it and filtering it with criteria and options.

func (*Client) FindProductAttribute

func (c *Client) FindProductAttribute(criteria *Criteria) (*ProductAttribute, error)

FindProductAttribute finds product.attribute record by querying it with criteria.

func (*Client) FindProductAttributeId

func (c *Client) FindProductAttributeId(criteria *Criteria, options *Options) (int64, error)

FindProductAttributeId finds record id by querying it with criteria.

func (*Client) FindProductAttributeIds

func (c *Client) FindProductAttributeIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductAttributeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductAttributeLine

func (c *Client) FindProductAttributeLine(criteria *Criteria) (*ProductAttributeLine, error)

FindProductAttributeLine finds product.attribute.line record by querying it with criteria.

func (*Client) FindProductAttributeLineId

func (c *Client) FindProductAttributeLineId(criteria *Criteria, options *Options) (int64, error)

FindProductAttributeLineId finds record id by querying it with criteria.

func (*Client) FindProductAttributeLineIds

func (c *Client) FindProductAttributeLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductAttributeLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductAttributeLines

func (c *Client) FindProductAttributeLines(criteria *Criteria, options *Options) (*ProductAttributeLines, error)

FindProductAttributeLines finds product.attribute.line records by querying it and filtering it with criteria and options.

func (*Client) FindProductAttributePrice

func (c *Client) FindProductAttributePrice(criteria *Criteria) (*ProductAttributePrice, error)

FindProductAttributePrice finds product.attribute.price record by querying it with criteria.

func (*Client) FindProductAttributePriceId

func (c *Client) FindProductAttributePriceId(criteria *Criteria, options *Options) (int64, error)

FindProductAttributePriceId finds record id by querying it with criteria.

func (*Client) FindProductAttributePriceIds

func (c *Client) FindProductAttributePriceIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductAttributePriceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductAttributePrices

func (c *Client) FindProductAttributePrices(criteria *Criteria, options *Options) (*ProductAttributePrices, error)

FindProductAttributePrices finds product.attribute.price records by querying it and filtering it with criteria and options.

func (*Client) FindProductAttributeValue

func (c *Client) FindProductAttributeValue(criteria *Criteria) (*ProductAttributeValue, error)

FindProductAttributeValue finds product.attribute.value record by querying it with criteria.

func (*Client) FindProductAttributeValueId

func (c *Client) FindProductAttributeValueId(criteria *Criteria, options *Options) (int64, error)

FindProductAttributeValueId finds record id by querying it with criteria.

func (*Client) FindProductAttributeValueIds

func (c *Client) FindProductAttributeValueIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductAttributeValueIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductAttributeValues

func (c *Client) FindProductAttributeValues(criteria *Criteria, options *Options) (*ProductAttributeValues, error)

FindProductAttributeValues finds product.attribute.value records by querying it and filtering it with criteria and options.

func (*Client) FindProductAttributes

func (c *Client) FindProductAttributes(criteria *Criteria, options *Options) (*ProductAttributes, error)

FindProductAttributes finds product.attribute records by querying it and filtering it with criteria and options.

func (*Client) FindProductCategory

func (c *Client) FindProductCategory(criteria *Criteria) (*ProductCategory, error)

FindProductCategory finds product.category record by querying it with criteria.

func (*Client) FindProductCategoryId

func (c *Client) FindProductCategoryId(criteria *Criteria, options *Options) (int64, error)

FindProductCategoryId finds record id by querying it with criteria.

func (*Client) FindProductCategoryIds

func (c *Client) FindProductCategoryIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductCategoryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductCategorys

func (c *Client) FindProductCategorys(criteria *Criteria, options *Options) (*ProductCategorys, error)

FindProductCategorys finds product.category records by querying it and filtering it with criteria and options.

func (*Client) FindProductPackaging

func (c *Client) FindProductPackaging(criteria *Criteria) (*ProductPackaging, error)

FindProductPackaging finds product.packaging record by querying it with criteria.

func (*Client) FindProductPackagingId

func (c *Client) FindProductPackagingId(criteria *Criteria, options *Options) (int64, error)

FindProductPackagingId finds record id by querying it with criteria.

func (*Client) FindProductPackagingIds

func (c *Client) FindProductPackagingIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductPackagingIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductPackagings

func (c *Client) FindProductPackagings(criteria *Criteria, options *Options) (*ProductPackagings, error)

FindProductPackagings finds product.packaging records by querying it and filtering it with criteria and options.

func (*Client) FindProductPriceHistory

func (c *Client) FindProductPriceHistory(criteria *Criteria) (*ProductPriceHistory, error)

FindProductPriceHistory finds product.price.history record by querying it with criteria.

func (*Client) FindProductPriceHistoryId

func (c *Client) FindProductPriceHistoryId(criteria *Criteria, options *Options) (int64, error)

FindProductPriceHistoryId finds record id by querying it with criteria.

func (*Client) FindProductPriceHistoryIds

func (c *Client) FindProductPriceHistoryIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductPriceHistoryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductPriceHistorys

func (c *Client) FindProductPriceHistorys(criteria *Criteria, options *Options) (*ProductPriceHistorys, error)

FindProductPriceHistorys finds product.price.history records by querying it and filtering it with criteria and options.

func (*Client) FindProductPriceList

func (c *Client) FindProductPriceList(criteria *Criteria) (*ProductPriceList, error)

FindProductPriceList finds product.price_list record by querying it with criteria.

func (*Client) FindProductPriceListId

func (c *Client) FindProductPriceListId(criteria *Criteria, options *Options) (int64, error)

FindProductPriceListId finds record id by querying it with criteria.

func (*Client) FindProductPriceListIds

func (c *Client) FindProductPriceListIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductPriceListIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductPriceLists

func (c *Client) FindProductPriceLists(criteria *Criteria, options *Options) (*ProductPriceLists, error)

FindProductPriceLists finds product.price_list records by querying it and filtering it with criteria and options.

func (*Client) FindProductPricelist

func (c *Client) FindProductPricelist(criteria *Criteria) (*ProductPricelist, error)

FindProductPricelist finds product.pricelist record by querying it with criteria.

func (*Client) FindProductPricelistId

func (c *Client) FindProductPricelistId(criteria *Criteria, options *Options) (int64, error)

FindProductPricelistId finds record id by querying it with criteria.

func (*Client) FindProductPricelistIds

func (c *Client) FindProductPricelistIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductPricelistIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductPricelistItem

func (c *Client) FindProductPricelistItem(criteria *Criteria) (*ProductPricelistItem, error)

FindProductPricelistItem finds product.pricelist.item record by querying it with criteria.

func (*Client) FindProductPricelistItemId

func (c *Client) FindProductPricelistItemId(criteria *Criteria, options *Options) (int64, error)

FindProductPricelistItemId finds record id by querying it with criteria.

func (*Client) FindProductPricelistItemIds

func (c *Client) FindProductPricelistItemIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductPricelistItemIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductPricelistItems

func (c *Client) FindProductPricelistItems(criteria *Criteria, options *Options) (*ProductPricelistItems, error)

FindProductPricelistItems finds product.pricelist.item records by querying it and filtering it with criteria and options.

func (*Client) FindProductPricelists

func (c *Client) FindProductPricelists(criteria *Criteria, options *Options) (*ProductPricelists, error)

FindProductPricelists finds product.pricelist records by querying it and filtering it with criteria and options.

func (*Client) FindProductProduct

func (c *Client) FindProductProduct(criteria *Criteria) (*ProductProduct, error)

FindProductProduct finds product.product record by querying it with criteria.

func (*Client) FindProductProductId

func (c *Client) FindProductProductId(criteria *Criteria, options *Options) (int64, error)

FindProductProductId finds record id by querying it with criteria.

func (*Client) FindProductProductIds

func (c *Client) FindProductProductIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductProductIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductProducts

func (c *Client) FindProductProducts(criteria *Criteria, options *Options) (*ProductProducts, error)

FindProductProducts finds product.product records by querying it and filtering it with criteria and options.

func (*Client) FindProductPutaway

func (c *Client) FindProductPutaway(criteria *Criteria) (*ProductPutaway, error)

FindProductPutaway finds product.putaway record by querying it with criteria.

func (*Client) FindProductPutawayId

func (c *Client) FindProductPutawayId(criteria *Criteria, options *Options) (int64, error)

FindProductPutawayId finds record id by querying it with criteria.

func (*Client) FindProductPutawayIds

func (c *Client) FindProductPutawayIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductPutawayIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductPutaways

func (c *Client) FindProductPutaways(criteria *Criteria, options *Options) (*ProductPutaways, error)

FindProductPutaways finds product.putaway records by querying it and filtering it with criteria and options.

func (*Client) FindProductRemoval

func (c *Client) FindProductRemoval(criteria *Criteria) (*ProductRemoval, error)

FindProductRemoval finds product.removal record by querying it with criteria.

func (*Client) FindProductRemovalId

func (c *Client) FindProductRemovalId(criteria *Criteria, options *Options) (int64, error)

FindProductRemovalId finds record id by querying it with criteria.

func (*Client) FindProductRemovalIds

func (c *Client) FindProductRemovalIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductRemovalIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductRemovals

func (c *Client) FindProductRemovals(criteria *Criteria, options *Options) (*ProductRemovals, error)

FindProductRemovals finds product.removal records by querying it and filtering it with criteria and options.

func (*Client) FindProductSupplierinfo

func (c *Client) FindProductSupplierinfo(criteria *Criteria) (*ProductSupplierinfo, error)

FindProductSupplierinfo finds product.supplierinfo record by querying it with criteria.

func (*Client) FindProductSupplierinfoId

func (c *Client) FindProductSupplierinfoId(criteria *Criteria, options *Options) (int64, error)

FindProductSupplierinfoId finds record id by querying it with criteria.

func (*Client) FindProductSupplierinfoIds

func (c *Client) FindProductSupplierinfoIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductSupplierinfoIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductSupplierinfos

func (c *Client) FindProductSupplierinfos(criteria *Criteria, options *Options) (*ProductSupplierinfos, error)

FindProductSupplierinfos finds product.supplierinfo records by querying it and filtering it with criteria and options.

func (*Client) FindProductTemplate

func (c *Client) FindProductTemplate(criteria *Criteria) (*ProductTemplate, error)

FindProductTemplate finds product.template record by querying it with criteria.

func (*Client) FindProductTemplateId

func (c *Client) FindProductTemplateId(criteria *Criteria, options *Options) (int64, error)

FindProductTemplateId finds record id by querying it with criteria.

func (*Client) FindProductTemplateIds

func (c *Client) FindProductTemplateIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductTemplateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductTemplates

func (c *Client) FindProductTemplates(criteria *Criteria, options *Options) (*ProductTemplates, error)

FindProductTemplates finds product.template records by querying it and filtering it with criteria and options.

func (*Client) FindProductUom

func (c *Client) FindProductUom(criteria *Criteria) (*ProductUom, error)

FindProductUom finds product.uom record by querying it with criteria.

func (*Client) FindProductUomCateg

func (c *Client) FindProductUomCateg(criteria *Criteria) (*ProductUomCateg, error)

FindProductUomCateg finds product.uom.categ record by querying it with criteria.

func (*Client) FindProductUomCategId

func (c *Client) FindProductUomCategId(criteria *Criteria, options *Options) (int64, error)

FindProductUomCategId finds record id by querying it with criteria.

func (*Client) FindProductUomCategIds

func (c *Client) FindProductUomCategIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductUomCategIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductUomCategs

func (c *Client) FindProductUomCategs(criteria *Criteria, options *Options) (*ProductUomCategs, error)

FindProductUomCategs finds product.uom.categ records by querying it and filtering it with criteria and options.

func (*Client) FindProductUomId

func (c *Client) FindProductUomId(criteria *Criteria, options *Options) (int64, error)

FindProductUomId finds record id by querying it with criteria.

func (*Client) FindProductUomIds

func (c *Client) FindProductUomIds(criteria *Criteria, options *Options) ([]int64, error)

FindProductUomIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProductUoms

func (c *Client) FindProductUoms(criteria *Criteria, options *Options) (*ProductUoms, error)

FindProductUoms finds product.uom records by querying it and filtering it with criteria and options.

func (*Client) FindProjectProject

func (c *Client) FindProjectProject(criteria *Criteria) (*ProjectProject, error)

FindProjectProject finds project.project record by querying it with criteria.

func (*Client) FindProjectProjectId

func (c *Client) FindProjectProjectId(criteria *Criteria, options *Options) (int64, error)

FindProjectProjectId finds record id by querying it with criteria.

func (*Client) FindProjectProjectIds

func (c *Client) FindProjectProjectIds(criteria *Criteria, options *Options) ([]int64, error)

FindProjectProjectIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProjectProjects

func (c *Client) FindProjectProjects(criteria *Criteria, options *Options) (*ProjectProjects, error)

FindProjectProjects finds project.project records by querying it and filtering it with criteria and options.

func (*Client) FindProjectTags

func (c *Client) FindProjectTags(criteria *Criteria) (*ProjectTags, error)

FindProjectTags finds project.tags record by querying it with criteria.

func (*Client) FindProjectTagsId

func (c *Client) FindProjectTagsId(criteria *Criteria, options *Options) (int64, error)

FindProjectTagsId finds record id by querying it with criteria.

func (*Client) FindProjectTagsIds

func (c *Client) FindProjectTagsIds(criteria *Criteria, options *Options) ([]int64, error)

FindProjectTagsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProjectTagss

func (c *Client) FindProjectTagss(criteria *Criteria, options *Options) (*ProjectTagss, error)

FindProjectTagss finds project.tags records by querying it and filtering it with criteria and options.

func (*Client) FindProjectTask

func (c *Client) FindProjectTask(criteria *Criteria) (*ProjectTask, error)

FindProjectTask finds project.task record by querying it with criteria.

func (*Client) FindProjectTaskId

func (c *Client) FindProjectTaskId(criteria *Criteria, options *Options) (int64, error)

FindProjectTaskId finds record id by querying it with criteria.

func (*Client) FindProjectTaskIds

func (c *Client) FindProjectTaskIds(criteria *Criteria, options *Options) ([]int64, error)

FindProjectTaskIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProjectTaskMergeWizard

func (c *Client) FindProjectTaskMergeWizard(criteria *Criteria) (*ProjectTaskMergeWizard, error)

FindProjectTaskMergeWizard finds project.task.merge.wizard record by querying it with criteria.

func (*Client) FindProjectTaskMergeWizardId

func (c *Client) FindProjectTaskMergeWizardId(criteria *Criteria, options *Options) (int64, error)

FindProjectTaskMergeWizardId finds record id by querying it with criteria.

func (*Client) FindProjectTaskMergeWizardIds

func (c *Client) FindProjectTaskMergeWizardIds(criteria *Criteria, options *Options) ([]int64, error)

FindProjectTaskMergeWizardIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProjectTaskMergeWizards

func (c *Client) FindProjectTaskMergeWizards(criteria *Criteria, options *Options) (*ProjectTaskMergeWizards, error)

FindProjectTaskMergeWizards finds project.task.merge.wizard records by querying it and filtering it with criteria and options.

func (*Client) FindProjectTaskType

func (c *Client) FindProjectTaskType(criteria *Criteria) (*ProjectTaskType, error)

FindProjectTaskType finds project.task.type record by querying it with criteria.

func (*Client) FindProjectTaskTypeId

func (c *Client) FindProjectTaskTypeId(criteria *Criteria, options *Options) (int64, error)

FindProjectTaskTypeId finds record id by querying it with criteria.

func (*Client) FindProjectTaskTypeIds

func (c *Client) FindProjectTaskTypeIds(criteria *Criteria, options *Options) ([]int64, error)

FindProjectTaskTypeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindProjectTaskTypes

func (c *Client) FindProjectTaskTypes(criteria *Criteria, options *Options) (*ProjectTaskTypes, error)

FindProjectTaskTypes finds project.task.type records by querying it and filtering it with criteria and options.

func (*Client) FindProjectTasks

func (c *Client) FindProjectTasks(criteria *Criteria, options *Options) (*ProjectTasks, error)

FindProjectTasks finds project.task records by querying it and filtering it with criteria and options.

func (*Client) FindPublisherWarrantyContract

func (c *Client) FindPublisherWarrantyContract(criteria *Criteria) (*PublisherWarrantyContract, error)

FindPublisherWarrantyContract finds publisher_warranty.contract record by querying it with criteria.

func (*Client) FindPublisherWarrantyContractId

func (c *Client) FindPublisherWarrantyContractId(criteria *Criteria, options *Options) (int64, error)

FindPublisherWarrantyContractId finds record id by querying it with criteria.

func (*Client) FindPublisherWarrantyContractIds

func (c *Client) FindPublisherWarrantyContractIds(criteria *Criteria, options *Options) ([]int64, error)

FindPublisherWarrantyContractIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPublisherWarrantyContracts

func (c *Client) FindPublisherWarrantyContracts(criteria *Criteria, options *Options) (*PublisherWarrantyContracts, error)

FindPublisherWarrantyContracts finds publisher_warranty.contract records by querying it and filtering it with criteria and options.

func (*Client) FindPurchaseOrder

func (c *Client) FindPurchaseOrder(criteria *Criteria) (*PurchaseOrder, error)

FindPurchaseOrder finds purchase.order record by querying it with criteria.

func (*Client) FindPurchaseOrderId

func (c *Client) FindPurchaseOrderId(criteria *Criteria, options *Options) (int64, error)

FindPurchaseOrderId finds record id by querying it with criteria.

func (*Client) FindPurchaseOrderIds

func (c *Client) FindPurchaseOrderIds(criteria *Criteria, options *Options) ([]int64, error)

FindPurchaseOrderIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPurchaseOrderLine

func (c *Client) FindPurchaseOrderLine(criteria *Criteria) (*PurchaseOrderLine, error)

FindPurchaseOrderLine finds purchase.order.line record by querying it with criteria.

func (*Client) FindPurchaseOrderLineId

func (c *Client) FindPurchaseOrderLineId(criteria *Criteria, options *Options) (int64, error)

FindPurchaseOrderLineId finds record id by querying it with criteria.

func (*Client) FindPurchaseOrderLineIds

func (c *Client) FindPurchaseOrderLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindPurchaseOrderLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPurchaseOrderLines

func (c *Client) FindPurchaseOrderLines(criteria *Criteria, options *Options) (*PurchaseOrderLines, error)

FindPurchaseOrderLines finds purchase.order.line records by querying it and filtering it with criteria and options.

func (*Client) FindPurchaseOrders

func (c *Client) FindPurchaseOrders(criteria *Criteria, options *Options) (*PurchaseOrders, error)

FindPurchaseOrders finds purchase.order records by querying it and filtering it with criteria and options.

func (*Client) FindPurchaseReport

func (c *Client) FindPurchaseReport(criteria *Criteria) (*PurchaseReport, error)

FindPurchaseReport finds purchase.report record by querying it with criteria.

func (*Client) FindPurchaseReportId

func (c *Client) FindPurchaseReportId(criteria *Criteria, options *Options) (int64, error)

FindPurchaseReportId finds record id by querying it with criteria.

func (*Client) FindPurchaseReportIds

func (c *Client) FindPurchaseReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindPurchaseReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindPurchaseReports

func (c *Client) FindPurchaseReports(criteria *Criteria, options *Options) (*PurchaseReports, error)

FindPurchaseReports finds purchase.report records by querying it and filtering it with criteria and options.

func (*Client) FindRatingMixin

func (c *Client) FindRatingMixin(criteria *Criteria) (*RatingMixin, error)

FindRatingMixin finds rating.mixin record by querying it with criteria.

func (*Client) FindRatingMixinId

func (c *Client) FindRatingMixinId(criteria *Criteria, options *Options) (int64, error)

FindRatingMixinId finds record id by querying it with criteria.

func (*Client) FindRatingMixinIds

func (c *Client) FindRatingMixinIds(criteria *Criteria, options *Options) ([]int64, error)

FindRatingMixinIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindRatingMixins

func (c *Client) FindRatingMixins(criteria *Criteria, options *Options) (*RatingMixins, error)

FindRatingMixins finds rating.mixin records by querying it and filtering it with criteria and options.

func (*Client) FindRatingRating

func (c *Client) FindRatingRating(criteria *Criteria) (*RatingRating, error)

FindRatingRating finds rating.rating record by querying it with criteria.

func (*Client) FindRatingRatingId

func (c *Client) FindRatingRatingId(criteria *Criteria, options *Options) (int64, error)

FindRatingRatingId finds record id by querying it with criteria.

func (*Client) FindRatingRatingIds

func (c *Client) FindRatingRatingIds(criteria *Criteria, options *Options) ([]int64, error)

FindRatingRatingIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindRatingRatings

func (c *Client) FindRatingRatings(criteria *Criteria, options *Options) (*RatingRatings, error)

FindRatingRatings finds rating.rating records by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportAgedpartnerbalance

func (c *Client) FindReportAccountReportAgedpartnerbalance(criteria *Criteria) (*ReportAccountReportAgedpartnerbalance, error)

FindReportAccountReportAgedpartnerbalance finds report.account.report_agedpartnerbalance record by querying it with criteria.

func (*Client) FindReportAccountReportAgedpartnerbalanceId

func (c *Client) FindReportAccountReportAgedpartnerbalanceId(criteria *Criteria, options *Options) (int64, error)

FindReportAccountReportAgedpartnerbalanceId finds record id by querying it with criteria.

func (*Client) FindReportAccountReportAgedpartnerbalanceIds

func (c *Client) FindReportAccountReportAgedpartnerbalanceIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportAccountReportAgedpartnerbalanceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportAgedpartnerbalances

func (c *Client) FindReportAccountReportAgedpartnerbalances(criteria *Criteria, options *Options) (*ReportAccountReportAgedpartnerbalances, error)

FindReportAccountReportAgedpartnerbalances finds report.account.report_agedpartnerbalance records by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportFinancial

func (c *Client) FindReportAccountReportFinancial(criteria *Criteria) (*ReportAccountReportFinancial, error)

FindReportAccountReportFinancial finds report.account.report_financial record by querying it with criteria.

func (*Client) FindReportAccountReportFinancialId

func (c *Client) FindReportAccountReportFinancialId(criteria *Criteria, options *Options) (int64, error)

FindReportAccountReportFinancialId finds record id by querying it with criteria.

func (*Client) FindReportAccountReportFinancialIds

func (c *Client) FindReportAccountReportFinancialIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportAccountReportFinancialIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportFinancials

func (c *Client) FindReportAccountReportFinancials(criteria *Criteria, options *Options) (*ReportAccountReportFinancials, error)

FindReportAccountReportFinancials finds report.account.report_financial records by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportGeneralledger

func (c *Client) FindReportAccountReportGeneralledger(criteria *Criteria) (*ReportAccountReportGeneralledger, error)

FindReportAccountReportGeneralledger finds report.account.report_generalledger record by querying it with criteria.

func (*Client) FindReportAccountReportGeneralledgerId

func (c *Client) FindReportAccountReportGeneralledgerId(criteria *Criteria, options *Options) (int64, error)

FindReportAccountReportGeneralledgerId finds record id by querying it with criteria.

func (*Client) FindReportAccountReportGeneralledgerIds

func (c *Client) FindReportAccountReportGeneralledgerIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportAccountReportGeneralledgerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportGeneralledgers

func (c *Client) FindReportAccountReportGeneralledgers(criteria *Criteria, options *Options) (*ReportAccountReportGeneralledgers, error)

FindReportAccountReportGeneralledgers finds report.account.report_generalledger records by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportJournal

func (c *Client) FindReportAccountReportJournal(criteria *Criteria) (*ReportAccountReportJournal, error)

FindReportAccountReportJournal finds report.account.report_journal record by querying it with criteria.

func (*Client) FindReportAccountReportJournalId

func (c *Client) FindReportAccountReportJournalId(criteria *Criteria, options *Options) (int64, error)

FindReportAccountReportJournalId finds record id by querying it with criteria.

func (*Client) FindReportAccountReportJournalIds

func (c *Client) FindReportAccountReportJournalIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportAccountReportJournalIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportJournals

func (c *Client) FindReportAccountReportJournals(criteria *Criteria, options *Options) (*ReportAccountReportJournals, error)

FindReportAccountReportJournals finds report.account.report_journal records by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportOverdue

func (c *Client) FindReportAccountReportOverdue(criteria *Criteria) (*ReportAccountReportOverdue, error)

FindReportAccountReportOverdue finds report.account.report_overdue record by querying it with criteria.

func (*Client) FindReportAccountReportOverdueId

func (c *Client) FindReportAccountReportOverdueId(criteria *Criteria, options *Options) (int64, error)

FindReportAccountReportOverdueId finds record id by querying it with criteria.

func (*Client) FindReportAccountReportOverdueIds

func (c *Client) FindReportAccountReportOverdueIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportAccountReportOverdueIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportOverdues

func (c *Client) FindReportAccountReportOverdues(criteria *Criteria, options *Options) (*ReportAccountReportOverdues, error)

FindReportAccountReportOverdues finds report.account.report_overdue records by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportPartnerledger

func (c *Client) FindReportAccountReportPartnerledger(criteria *Criteria) (*ReportAccountReportPartnerledger, error)

FindReportAccountReportPartnerledger finds report.account.report_partnerledger record by querying it with criteria.

func (*Client) FindReportAccountReportPartnerledgerId

func (c *Client) FindReportAccountReportPartnerledgerId(criteria *Criteria, options *Options) (int64, error)

FindReportAccountReportPartnerledgerId finds record id by querying it with criteria.

func (*Client) FindReportAccountReportPartnerledgerIds

func (c *Client) FindReportAccountReportPartnerledgerIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportAccountReportPartnerledgerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportPartnerledgers

func (c *Client) FindReportAccountReportPartnerledgers(criteria *Criteria, options *Options) (*ReportAccountReportPartnerledgers, error)

FindReportAccountReportPartnerledgers finds report.account.report_partnerledger records by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportTax

func (c *Client) FindReportAccountReportTax(criteria *Criteria) (*ReportAccountReportTax, error)

FindReportAccountReportTax finds report.account.report_tax record by querying it with criteria.

func (*Client) FindReportAccountReportTaxId

func (c *Client) FindReportAccountReportTaxId(criteria *Criteria, options *Options) (int64, error)

FindReportAccountReportTaxId finds record id by querying it with criteria.

func (*Client) FindReportAccountReportTaxIds

func (c *Client) FindReportAccountReportTaxIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportAccountReportTaxIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportTaxs

func (c *Client) FindReportAccountReportTaxs(criteria *Criteria, options *Options) (*ReportAccountReportTaxs, error)

FindReportAccountReportTaxs finds report.account.report_tax records by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportTrialbalance

func (c *Client) FindReportAccountReportTrialbalance(criteria *Criteria) (*ReportAccountReportTrialbalance, error)

FindReportAccountReportTrialbalance finds report.account.report_trialbalance record by querying it with criteria.

func (*Client) FindReportAccountReportTrialbalanceId

func (c *Client) FindReportAccountReportTrialbalanceId(criteria *Criteria, options *Options) (int64, error)

FindReportAccountReportTrialbalanceId finds record id by querying it with criteria.

func (*Client) FindReportAccountReportTrialbalanceIds

func (c *Client) FindReportAccountReportTrialbalanceIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportAccountReportTrialbalanceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportAccountReportTrialbalances

func (c *Client) FindReportAccountReportTrialbalances(criteria *Criteria, options *Options) (*ReportAccountReportTrialbalances, error)

FindReportAccountReportTrialbalances finds report.account.report_trialbalance records by querying it and filtering it with criteria and options.

func (*Client) FindReportAllChannelsSales

func (c *Client) FindReportAllChannelsSales(criteria *Criteria) (*ReportAllChannelsSales, error)

FindReportAllChannelsSales finds report.all.channels.sales record by querying it with criteria.

func (*Client) FindReportAllChannelsSalesId

func (c *Client) FindReportAllChannelsSalesId(criteria *Criteria, options *Options) (int64, error)

FindReportAllChannelsSalesId finds record id by querying it with criteria.

func (*Client) FindReportAllChannelsSalesIds

func (c *Client) FindReportAllChannelsSalesIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportAllChannelsSalesIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportAllChannelsSaless

func (c *Client) FindReportAllChannelsSaless(criteria *Criteria, options *Options) (*ReportAllChannelsSaless, error)

FindReportAllChannelsSaless finds report.all.channels.sales records by querying it and filtering it with criteria and options.

func (*Client) FindReportBaseReportIrmodulereference

func (c *Client) FindReportBaseReportIrmodulereference(criteria *Criteria) (*ReportBaseReportIrmodulereference, error)

FindReportBaseReportIrmodulereference finds report.base.report_irmodulereference record by querying it with criteria.

func (*Client) FindReportBaseReportIrmodulereferenceId

func (c *Client) FindReportBaseReportIrmodulereferenceId(criteria *Criteria, options *Options) (int64, error)

FindReportBaseReportIrmodulereferenceId finds record id by querying it with criteria.

func (*Client) FindReportBaseReportIrmodulereferenceIds

func (c *Client) FindReportBaseReportIrmodulereferenceIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportBaseReportIrmodulereferenceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportBaseReportIrmodulereferences

func (c *Client) FindReportBaseReportIrmodulereferences(criteria *Criteria, options *Options) (*ReportBaseReportIrmodulereferences, error)

FindReportBaseReportIrmodulereferences finds report.base.report_irmodulereference records by querying it and filtering it with criteria and options.

func (*Client) FindReportHrHolidaysReportHolidayssummary

func (c *Client) FindReportHrHolidaysReportHolidayssummary(criteria *Criteria) (*ReportHrHolidaysReportHolidayssummary, error)

FindReportHrHolidaysReportHolidayssummary finds report.hr_holidays.report_holidayssummary record by querying it with criteria.

func (*Client) FindReportHrHolidaysReportHolidayssummaryId

func (c *Client) FindReportHrHolidaysReportHolidayssummaryId(criteria *Criteria, options *Options) (int64, error)

FindReportHrHolidaysReportHolidayssummaryId finds record id by querying it with criteria.

func (*Client) FindReportHrHolidaysReportHolidayssummaryIds

func (c *Client) FindReportHrHolidaysReportHolidayssummaryIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportHrHolidaysReportHolidayssummaryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportHrHolidaysReportHolidayssummarys

func (c *Client) FindReportHrHolidaysReportHolidayssummarys(criteria *Criteria, options *Options) (*ReportHrHolidaysReportHolidayssummarys, error)

FindReportHrHolidaysReportHolidayssummarys finds report.hr_holidays.report_holidayssummary records by querying it and filtering it with criteria and options.

func (*Client) FindReportPaperformat

func (c *Client) FindReportPaperformat(criteria *Criteria) (*ReportPaperformat, error)

FindReportPaperformat finds report.paperformat record by querying it with criteria.

func (*Client) FindReportPaperformatId

func (c *Client) FindReportPaperformatId(criteria *Criteria, options *Options) (int64, error)

FindReportPaperformatId finds record id by querying it with criteria.

func (*Client) FindReportPaperformatIds

func (c *Client) FindReportPaperformatIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportPaperformatIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportPaperformats

func (c *Client) FindReportPaperformats(criteria *Criteria, options *Options) (*ReportPaperformats, error)

FindReportPaperformats finds report.paperformat records by querying it and filtering it with criteria and options.

func (*Client) FindReportProductReportPricelist

func (c *Client) FindReportProductReportPricelist(criteria *Criteria) (*ReportProductReportPricelist, error)

FindReportProductReportPricelist finds report.product.report_pricelist record by querying it with criteria.

func (*Client) FindReportProductReportPricelistId

func (c *Client) FindReportProductReportPricelistId(criteria *Criteria, options *Options) (int64, error)

FindReportProductReportPricelistId finds record id by querying it with criteria.

func (*Client) FindReportProductReportPricelistIds

func (c *Client) FindReportProductReportPricelistIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportProductReportPricelistIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportProductReportPricelists

func (c *Client) FindReportProductReportPricelists(criteria *Criteria, options *Options) (*ReportProductReportPricelists, error)

FindReportProductReportPricelists finds report.product.report_pricelist records by querying it and filtering it with criteria and options.

func (*Client) FindReportProjectTaskUser

func (c *Client) FindReportProjectTaskUser(criteria *Criteria) (*ReportProjectTaskUser, error)

FindReportProjectTaskUser finds report.project.task.user record by querying it with criteria.

func (*Client) FindReportProjectTaskUserId

func (c *Client) FindReportProjectTaskUserId(criteria *Criteria, options *Options) (int64, error)

FindReportProjectTaskUserId finds record id by querying it with criteria.

func (*Client) FindReportProjectTaskUserIds

func (c *Client) FindReportProjectTaskUserIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportProjectTaskUserIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportProjectTaskUsers

func (c *Client) FindReportProjectTaskUsers(criteria *Criteria, options *Options) (*ReportProjectTaskUsers, error)

FindReportProjectTaskUsers finds report.project.task.user records by querying it and filtering it with criteria and options.

func (*Client) FindReportSaleReportSaleproforma

func (c *Client) FindReportSaleReportSaleproforma(criteria *Criteria) (*ReportSaleReportSaleproforma, error)

FindReportSaleReportSaleproforma finds report.sale.report_saleproforma record by querying it with criteria.

func (*Client) FindReportSaleReportSaleproformaId

func (c *Client) FindReportSaleReportSaleproformaId(criteria *Criteria, options *Options) (int64, error)

FindReportSaleReportSaleproformaId finds record id by querying it with criteria.

func (*Client) FindReportSaleReportSaleproformaIds

func (c *Client) FindReportSaleReportSaleproformaIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportSaleReportSaleproformaIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportSaleReportSaleproformas

func (c *Client) FindReportSaleReportSaleproformas(criteria *Criteria, options *Options) (*ReportSaleReportSaleproformas, error)

FindReportSaleReportSaleproformas finds report.sale.report_saleproforma records by querying it and filtering it with criteria and options.

func (*Client) FindReportStockForecast

func (c *Client) FindReportStockForecast(criteria *Criteria) (*ReportStockForecast, error)

FindReportStockForecast finds report.stock.forecast record by querying it with criteria.

func (*Client) FindReportStockForecastId

func (c *Client) FindReportStockForecastId(criteria *Criteria, options *Options) (int64, error)

FindReportStockForecastId finds record id by querying it with criteria.

func (*Client) FindReportStockForecastIds

func (c *Client) FindReportStockForecastIds(criteria *Criteria, options *Options) ([]int64, error)

FindReportStockForecastIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindReportStockForecasts

func (c *Client) FindReportStockForecasts(criteria *Criteria, options *Options) (*ReportStockForecasts, error)

FindReportStockForecasts finds report.stock.forecast records by querying it and filtering it with criteria and options.

func (*Client) FindResBank

func (c *Client) FindResBank(criteria *Criteria) (*ResBank, error)

FindResBank finds res.bank record by querying it with criteria.

func (*Client) FindResBankId

func (c *Client) FindResBankId(criteria *Criteria, options *Options) (int64, error)

FindResBankId finds record id by querying it with criteria.

func (*Client) FindResBankIds

func (c *Client) FindResBankIds(criteria *Criteria, options *Options) ([]int64, error)

FindResBankIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResBanks

func (c *Client) FindResBanks(criteria *Criteria, options *Options) (*ResBanks, error)

FindResBanks finds res.bank records by querying it and filtering it with criteria and options.

func (*Client) FindResCompany

func (c *Client) FindResCompany(criteria *Criteria) (*ResCompany, error)

FindResCompany finds res.company record by querying it with criteria.

func (*Client) FindResCompanyId

func (c *Client) FindResCompanyId(criteria *Criteria, options *Options) (int64, error)

FindResCompanyId finds record id by querying it with criteria.

func (*Client) FindResCompanyIds

func (c *Client) FindResCompanyIds(criteria *Criteria, options *Options) ([]int64, error)

FindResCompanyIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResCompanys

func (c *Client) FindResCompanys(criteria *Criteria, options *Options) (*ResCompanys, error)

FindResCompanys finds res.company records by querying it and filtering it with criteria and options.

func (*Client) FindResConfig

func (c *Client) FindResConfig(criteria *Criteria) (*ResConfig, error)

FindResConfig finds res.config record by querying it with criteria.

func (*Client) FindResConfigId

func (c *Client) FindResConfigId(criteria *Criteria, options *Options) (int64, error)

FindResConfigId finds record id by querying it with criteria.

func (*Client) FindResConfigIds

func (c *Client) FindResConfigIds(criteria *Criteria, options *Options) ([]int64, error)

FindResConfigIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResConfigInstaller

func (c *Client) FindResConfigInstaller(criteria *Criteria) (*ResConfigInstaller, error)

FindResConfigInstaller finds res.config.installer record by querying it with criteria.

func (*Client) FindResConfigInstallerId

func (c *Client) FindResConfigInstallerId(criteria *Criteria, options *Options) (int64, error)

FindResConfigInstallerId finds record id by querying it with criteria.

func (*Client) FindResConfigInstallerIds

func (c *Client) FindResConfigInstallerIds(criteria *Criteria, options *Options) ([]int64, error)

FindResConfigInstallerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResConfigInstallers

func (c *Client) FindResConfigInstallers(criteria *Criteria, options *Options) (*ResConfigInstallers, error)

FindResConfigInstallers finds res.config.installer records by querying it and filtering it with criteria and options.

func (*Client) FindResConfigSettings

func (c *Client) FindResConfigSettings(criteria *Criteria) (*ResConfigSettings, error)

FindResConfigSettings finds res.config.settings record by querying it with criteria.

func (*Client) FindResConfigSettingsId

func (c *Client) FindResConfigSettingsId(criteria *Criteria, options *Options) (int64, error)

FindResConfigSettingsId finds record id by querying it with criteria.

func (*Client) FindResConfigSettingsIds

func (c *Client) FindResConfigSettingsIds(criteria *Criteria, options *Options) ([]int64, error)

FindResConfigSettingsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResConfigSettingss

func (c *Client) FindResConfigSettingss(criteria *Criteria, options *Options) (*ResConfigSettingss, error)

FindResConfigSettingss finds res.config.settings records by querying it and filtering it with criteria and options.

func (*Client) FindResConfigs

func (c *Client) FindResConfigs(criteria *Criteria, options *Options) (*ResConfigs, error)

FindResConfigs finds res.config records by querying it and filtering it with criteria and options.

func (*Client) FindResCountry

func (c *Client) FindResCountry(criteria *Criteria) (*ResCountry, error)

FindResCountry finds res.country record by querying it with criteria.

func (*Client) FindResCountryGroup

func (c *Client) FindResCountryGroup(criteria *Criteria) (*ResCountryGroup, error)

FindResCountryGroup finds res.country.group record by querying it with criteria.

func (*Client) FindResCountryGroupId

func (c *Client) FindResCountryGroupId(criteria *Criteria, options *Options) (int64, error)

FindResCountryGroupId finds record id by querying it with criteria.

func (*Client) FindResCountryGroupIds

func (c *Client) FindResCountryGroupIds(criteria *Criteria, options *Options) ([]int64, error)

FindResCountryGroupIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResCountryGroups

func (c *Client) FindResCountryGroups(criteria *Criteria, options *Options) (*ResCountryGroups, error)

FindResCountryGroups finds res.country.group records by querying it and filtering it with criteria and options.

func (*Client) FindResCountryId

func (c *Client) FindResCountryId(criteria *Criteria, options *Options) (int64, error)

FindResCountryId finds record id by querying it with criteria.

func (*Client) FindResCountryIds

func (c *Client) FindResCountryIds(criteria *Criteria, options *Options) ([]int64, error)

FindResCountryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResCountryState

func (c *Client) FindResCountryState(criteria *Criteria) (*ResCountryState, error)

FindResCountryState finds res.country.state record by querying it with criteria.

func (*Client) FindResCountryStateId

func (c *Client) FindResCountryStateId(criteria *Criteria, options *Options) (int64, error)

FindResCountryStateId finds record id by querying it with criteria.

func (*Client) FindResCountryStateIds

func (c *Client) FindResCountryStateIds(criteria *Criteria, options *Options) ([]int64, error)

FindResCountryStateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResCountryStates

func (c *Client) FindResCountryStates(criteria *Criteria, options *Options) (*ResCountryStates, error)

FindResCountryStates finds res.country.state records by querying it and filtering it with criteria and options.

func (*Client) FindResCountrys

func (c *Client) FindResCountrys(criteria *Criteria, options *Options) (*ResCountrys, error)

FindResCountrys finds res.country records by querying it and filtering it with criteria and options.

func (*Client) FindResCurrency

func (c *Client) FindResCurrency(criteria *Criteria) (*ResCurrency, error)

FindResCurrency finds res.currency record by querying it with criteria.

func (*Client) FindResCurrencyId

func (c *Client) FindResCurrencyId(criteria *Criteria, options *Options) (int64, error)

FindResCurrencyId finds record id by querying it with criteria.

func (*Client) FindResCurrencyIds

func (c *Client) FindResCurrencyIds(criteria *Criteria, options *Options) ([]int64, error)

FindResCurrencyIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResCurrencyRate

func (c *Client) FindResCurrencyRate(criteria *Criteria) (*ResCurrencyRate, error)

FindResCurrencyRate finds res.currency.rate record by querying it with criteria.

func (*Client) FindResCurrencyRateId

func (c *Client) FindResCurrencyRateId(criteria *Criteria, options *Options) (int64, error)

FindResCurrencyRateId finds record id by querying it with criteria.

func (*Client) FindResCurrencyRateIds

func (c *Client) FindResCurrencyRateIds(criteria *Criteria, options *Options) ([]int64, error)

FindResCurrencyRateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResCurrencyRates

func (c *Client) FindResCurrencyRates(criteria *Criteria, options *Options) (*ResCurrencyRates, error)

FindResCurrencyRates finds res.currency.rate records by querying it and filtering it with criteria and options.

func (*Client) FindResCurrencys

func (c *Client) FindResCurrencys(criteria *Criteria, options *Options) (*ResCurrencys, error)

FindResCurrencys finds res.currency records by querying it and filtering it with criteria and options.

func (*Client) FindResGroups

func (c *Client) FindResGroups(criteria *Criteria) (*ResGroups, error)

FindResGroups finds res.groups record by querying it with criteria.

func (*Client) FindResGroupsId

func (c *Client) FindResGroupsId(criteria *Criteria, options *Options) (int64, error)

FindResGroupsId finds record id by querying it with criteria.

func (*Client) FindResGroupsIds

func (c *Client) FindResGroupsIds(criteria *Criteria, options *Options) ([]int64, error)

FindResGroupsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResGroupss

func (c *Client) FindResGroupss(criteria *Criteria, options *Options) (*ResGroupss, error)

FindResGroupss finds res.groups records by querying it and filtering it with criteria and options.

func (*Client) FindResLang

func (c *Client) FindResLang(criteria *Criteria) (*ResLang, error)

FindResLang finds res.lang record by querying it with criteria.

func (*Client) FindResLangId

func (c *Client) FindResLangId(criteria *Criteria, options *Options) (int64, error)

FindResLangId finds record id by querying it with criteria.

func (*Client) FindResLangIds

func (c *Client) FindResLangIds(criteria *Criteria, options *Options) ([]int64, error)

FindResLangIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResLangs

func (c *Client) FindResLangs(criteria *Criteria, options *Options) (*ResLangs, error)

FindResLangs finds res.lang records by querying it and filtering it with criteria and options.

func (*Client) FindResPartner

func (c *Client) FindResPartner(criteria *Criteria) (*ResPartner, error)

FindResPartner finds res.partner record by querying it with criteria.

func (*Client) FindResPartnerBank

func (c *Client) FindResPartnerBank(criteria *Criteria) (*ResPartnerBank, error)

FindResPartnerBank finds res.partner.bank record by querying it with criteria.

func (*Client) FindResPartnerBankId

func (c *Client) FindResPartnerBankId(criteria *Criteria, options *Options) (int64, error)

FindResPartnerBankId finds record id by querying it with criteria.

func (*Client) FindResPartnerBankIds

func (c *Client) FindResPartnerBankIds(criteria *Criteria, options *Options) ([]int64, error)

FindResPartnerBankIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResPartnerBanks

func (c *Client) FindResPartnerBanks(criteria *Criteria, options *Options) (*ResPartnerBanks, error)

FindResPartnerBanks finds res.partner.bank records by querying it and filtering it with criteria and options.

func (*Client) FindResPartnerCategory

func (c *Client) FindResPartnerCategory(criteria *Criteria) (*ResPartnerCategory, error)

FindResPartnerCategory finds res.partner.category record by querying it with criteria.

func (*Client) FindResPartnerCategoryId

func (c *Client) FindResPartnerCategoryId(criteria *Criteria, options *Options) (int64, error)

FindResPartnerCategoryId finds record id by querying it with criteria.

func (*Client) FindResPartnerCategoryIds

func (c *Client) FindResPartnerCategoryIds(criteria *Criteria, options *Options) ([]int64, error)

FindResPartnerCategoryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResPartnerCategorys

func (c *Client) FindResPartnerCategorys(criteria *Criteria, options *Options) (*ResPartnerCategorys, error)

FindResPartnerCategorys finds res.partner.category records by querying it and filtering it with criteria and options.

func (*Client) FindResPartnerId

func (c *Client) FindResPartnerId(criteria *Criteria, options *Options) (int64, error)

FindResPartnerId finds record id by querying it with criteria.

func (*Client) FindResPartnerIds

func (c *Client) FindResPartnerIds(criteria *Criteria, options *Options) ([]int64, error)

FindResPartnerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResPartnerIndustry

func (c *Client) FindResPartnerIndustry(criteria *Criteria) (*ResPartnerIndustry, error)

FindResPartnerIndustry finds res.partner.industry record by querying it with criteria.

func (*Client) FindResPartnerIndustryId

func (c *Client) FindResPartnerIndustryId(criteria *Criteria, options *Options) (int64, error)

FindResPartnerIndustryId finds record id by querying it with criteria.

func (*Client) FindResPartnerIndustryIds

func (c *Client) FindResPartnerIndustryIds(criteria *Criteria, options *Options) ([]int64, error)

FindResPartnerIndustryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResPartnerIndustrys

func (c *Client) FindResPartnerIndustrys(criteria *Criteria, options *Options) (*ResPartnerIndustrys, error)

FindResPartnerIndustrys finds res.partner.industry records by querying it and filtering it with criteria and options.

func (*Client) FindResPartnerTitle

func (c *Client) FindResPartnerTitle(criteria *Criteria) (*ResPartnerTitle, error)

FindResPartnerTitle finds res.partner.title record by querying it with criteria.

func (*Client) FindResPartnerTitleId

func (c *Client) FindResPartnerTitleId(criteria *Criteria, options *Options) (int64, error)

FindResPartnerTitleId finds record id by querying it with criteria.

func (*Client) FindResPartnerTitleIds

func (c *Client) FindResPartnerTitleIds(criteria *Criteria, options *Options) ([]int64, error)

FindResPartnerTitleIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResPartnerTitles

func (c *Client) FindResPartnerTitles(criteria *Criteria, options *Options) (*ResPartnerTitles, error)

FindResPartnerTitles finds res.partner.title records by querying it and filtering it with criteria and options.

func (*Client) FindResPartners

func (c *Client) FindResPartners(criteria *Criteria, options *Options) (*ResPartners, error)

FindResPartners finds res.partner records by querying it and filtering it with criteria and options.

func (c *Client) FindResRequestLink(criteria *Criteria) (*ResRequestLink, error)

FindResRequestLink finds res.request.link record by querying it with criteria.

func (*Client) FindResRequestLinkId

func (c *Client) FindResRequestLinkId(criteria *Criteria, options *Options) (int64, error)

FindResRequestLinkId finds record id by querying it with criteria.

func (*Client) FindResRequestLinkIds

func (c *Client) FindResRequestLinkIds(criteria *Criteria, options *Options) ([]int64, error)

FindResRequestLinkIds finds records ids by querying it and filtering it with criteria and options.

func (c *Client) FindResRequestLinks(criteria *Criteria, options *Options) (*ResRequestLinks, error)

FindResRequestLinks finds res.request.link records by querying it and filtering it with criteria and options.

func (*Client) FindResUsers

func (c *Client) FindResUsers(criteria *Criteria) (*ResUsers, error)

FindResUsers finds res.users record by querying it with criteria.

func (*Client) FindResUsersId

func (c *Client) FindResUsersId(criteria *Criteria, options *Options) (int64, error)

FindResUsersId finds record id by querying it with criteria.

func (*Client) FindResUsersIds

func (c *Client) FindResUsersIds(criteria *Criteria, options *Options) ([]int64, error)

FindResUsersIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResUsersLog

func (c *Client) FindResUsersLog(criteria *Criteria) (*ResUsersLog, error)

FindResUsersLog finds res.users.log record by querying it with criteria.

func (*Client) FindResUsersLogId

func (c *Client) FindResUsersLogId(criteria *Criteria, options *Options) (int64, error)

FindResUsersLogId finds record id by querying it with criteria.

func (*Client) FindResUsersLogIds

func (c *Client) FindResUsersLogIds(criteria *Criteria, options *Options) ([]int64, error)

FindResUsersLogIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResUsersLogs

func (c *Client) FindResUsersLogs(criteria *Criteria, options *Options) (*ResUsersLogs, error)

FindResUsersLogs finds res.users.log records by querying it and filtering it with criteria and options.

func (*Client) FindResUserss

func (c *Client) FindResUserss(criteria *Criteria, options *Options) (*ResUserss, error)

FindResUserss finds res.users records by querying it and filtering it with criteria and options.

func (*Client) FindResourceCalendar

func (c *Client) FindResourceCalendar(criteria *Criteria) (*ResourceCalendar, error)

FindResourceCalendar finds resource.calendar record by querying it with criteria.

func (*Client) FindResourceCalendarAttendance

func (c *Client) FindResourceCalendarAttendance(criteria *Criteria) (*ResourceCalendarAttendance, error)

FindResourceCalendarAttendance finds resource.calendar.attendance record by querying it with criteria.

func (*Client) FindResourceCalendarAttendanceId

func (c *Client) FindResourceCalendarAttendanceId(criteria *Criteria, options *Options) (int64, error)

FindResourceCalendarAttendanceId finds record id by querying it with criteria.

func (*Client) FindResourceCalendarAttendanceIds

func (c *Client) FindResourceCalendarAttendanceIds(criteria *Criteria, options *Options) ([]int64, error)

FindResourceCalendarAttendanceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResourceCalendarAttendances

func (c *Client) FindResourceCalendarAttendances(criteria *Criteria, options *Options) (*ResourceCalendarAttendances, error)

FindResourceCalendarAttendances finds resource.calendar.attendance records by querying it and filtering it with criteria and options.

func (*Client) FindResourceCalendarId

func (c *Client) FindResourceCalendarId(criteria *Criteria, options *Options) (int64, error)

FindResourceCalendarId finds record id by querying it with criteria.

func (*Client) FindResourceCalendarIds

func (c *Client) FindResourceCalendarIds(criteria *Criteria, options *Options) ([]int64, error)

FindResourceCalendarIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResourceCalendarLeaves

func (c *Client) FindResourceCalendarLeaves(criteria *Criteria) (*ResourceCalendarLeaves, error)

FindResourceCalendarLeaves finds resource.calendar.leaves record by querying it with criteria.

func (*Client) FindResourceCalendarLeavesId

func (c *Client) FindResourceCalendarLeavesId(criteria *Criteria, options *Options) (int64, error)

FindResourceCalendarLeavesId finds record id by querying it with criteria.

func (*Client) FindResourceCalendarLeavesIds

func (c *Client) FindResourceCalendarLeavesIds(criteria *Criteria, options *Options) ([]int64, error)

FindResourceCalendarLeavesIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResourceCalendarLeavess

func (c *Client) FindResourceCalendarLeavess(criteria *Criteria, options *Options) (*ResourceCalendarLeavess, error)

FindResourceCalendarLeavess finds resource.calendar.leaves records by querying it and filtering it with criteria and options.

func (*Client) FindResourceCalendars

func (c *Client) FindResourceCalendars(criteria *Criteria, options *Options) (*ResourceCalendars, error)

FindResourceCalendars finds resource.calendar records by querying it and filtering it with criteria and options.

func (*Client) FindResourceMixin

func (c *Client) FindResourceMixin(criteria *Criteria) (*ResourceMixin, error)

FindResourceMixin finds resource.mixin record by querying it with criteria.

func (*Client) FindResourceMixinId

func (c *Client) FindResourceMixinId(criteria *Criteria, options *Options) (int64, error)

FindResourceMixinId finds record id by querying it with criteria.

func (*Client) FindResourceMixinIds

func (c *Client) FindResourceMixinIds(criteria *Criteria, options *Options) ([]int64, error)

FindResourceMixinIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResourceMixins

func (c *Client) FindResourceMixins(criteria *Criteria, options *Options) (*ResourceMixins, error)

FindResourceMixins finds resource.mixin records by querying it and filtering it with criteria and options.

func (*Client) FindResourceResource

func (c *Client) FindResourceResource(criteria *Criteria) (*ResourceResource, error)

FindResourceResource finds resource.resource record by querying it with criteria.

func (*Client) FindResourceResourceId

func (c *Client) FindResourceResourceId(criteria *Criteria, options *Options) (int64, error)

FindResourceResourceId finds record id by querying it with criteria.

func (*Client) FindResourceResourceIds

func (c *Client) FindResourceResourceIds(criteria *Criteria, options *Options) ([]int64, error)

FindResourceResourceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindResourceResources

func (c *Client) FindResourceResources(criteria *Criteria, options *Options) (*ResourceResources, error)

FindResourceResources finds resource.resource records by querying it and filtering it with criteria and options.

func (*Client) FindSaleAdvancePaymentInv

func (c *Client) FindSaleAdvancePaymentInv(criteria *Criteria) (*SaleAdvancePaymentInv, error)

FindSaleAdvancePaymentInv finds sale.advance.payment.inv record by querying it with criteria.

func (*Client) FindSaleAdvancePaymentInvId

func (c *Client) FindSaleAdvancePaymentInvId(criteria *Criteria, options *Options) (int64, error)

FindSaleAdvancePaymentInvId finds record id by querying it with criteria.

func (*Client) FindSaleAdvancePaymentInvIds

func (c *Client) FindSaleAdvancePaymentInvIds(criteria *Criteria, options *Options) ([]int64, error)

FindSaleAdvancePaymentInvIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindSaleAdvancePaymentInvs

func (c *Client) FindSaleAdvancePaymentInvs(criteria *Criteria, options *Options) (*SaleAdvancePaymentInvs, error)

FindSaleAdvancePaymentInvs finds sale.advance.payment.inv records by querying it and filtering it with criteria and options.

func (*Client) FindSaleLayoutCategory

func (c *Client) FindSaleLayoutCategory(criteria *Criteria) (*SaleLayoutCategory, error)

FindSaleLayoutCategory finds sale.layout_category record by querying it with criteria.

func (*Client) FindSaleLayoutCategoryId

func (c *Client) FindSaleLayoutCategoryId(criteria *Criteria, options *Options) (int64, error)

FindSaleLayoutCategoryId finds record id by querying it with criteria.

func (*Client) FindSaleLayoutCategoryIds

func (c *Client) FindSaleLayoutCategoryIds(criteria *Criteria, options *Options) ([]int64, error)

FindSaleLayoutCategoryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindSaleLayoutCategorys

func (c *Client) FindSaleLayoutCategorys(criteria *Criteria, options *Options) (*SaleLayoutCategorys, error)

FindSaleLayoutCategorys finds sale.layout_category records by querying it and filtering it with criteria and options.

func (*Client) FindSaleOrder

func (c *Client) FindSaleOrder(criteria *Criteria) (*SaleOrder, error)

FindSaleOrder finds sale.order record by querying it with criteria.

func (*Client) FindSaleOrderId

func (c *Client) FindSaleOrderId(criteria *Criteria, options *Options) (int64, error)

FindSaleOrderId finds record id by querying it with criteria.

func (*Client) FindSaleOrderIds

func (c *Client) FindSaleOrderIds(criteria *Criteria, options *Options) ([]int64, error)

FindSaleOrderIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindSaleOrderLine

func (c *Client) FindSaleOrderLine(criteria *Criteria) (*SaleOrderLine, error)

FindSaleOrderLine finds sale.order.line record by querying it with criteria.

func (*Client) FindSaleOrderLineId

func (c *Client) FindSaleOrderLineId(criteria *Criteria, options *Options) (int64, error)

FindSaleOrderLineId finds record id by querying it with criteria.

func (*Client) FindSaleOrderLineIds

func (c *Client) FindSaleOrderLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindSaleOrderLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindSaleOrderLines

func (c *Client) FindSaleOrderLines(criteria *Criteria, options *Options) (*SaleOrderLines, error)

FindSaleOrderLines finds sale.order.line records by querying it and filtering it with criteria and options.

func (*Client) FindSaleOrders

func (c *Client) FindSaleOrders(criteria *Criteria, options *Options) (*SaleOrders, error)

FindSaleOrders finds sale.order records by querying it and filtering it with criteria and options.

func (*Client) FindSaleReport

func (c *Client) FindSaleReport(criteria *Criteria) (*SaleReport, error)

FindSaleReport finds sale.report record by querying it with criteria.

func (*Client) FindSaleReportId

func (c *Client) FindSaleReportId(criteria *Criteria, options *Options) (int64, error)

FindSaleReportId finds record id by querying it with criteria.

func (*Client) FindSaleReportIds

func (c *Client) FindSaleReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindSaleReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindSaleReports

func (c *Client) FindSaleReports(criteria *Criteria, options *Options) (*SaleReports, error)

FindSaleReports finds sale.report records by querying it and filtering it with criteria and options.

func (*Client) FindSlideAnswer

func (c *Client) FindSlideAnswer(criteria *Criteria) (*SlideAnswer, error)

func (*Client) FindSlideAnswerId

func (c *Client) FindSlideAnswerId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideAnswerIds

func (c *Client) FindSlideAnswerIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideAnswers

func (c *Client) FindSlideAnswers(criteria *Criteria, options *Options) (*SlideAnswers, error)

func (*Client) FindSlideChannel

func (c *Client) FindSlideChannel(criteria *Criteria) (*SlideChannel, error)

func (*Client) FindSlideChannelId

func (c *Client) FindSlideChannelId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideChannelIds

func (c *Client) FindSlideChannelIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideChannelInvite

func (c *Client) FindSlideChannelInvite(criteria *Criteria) (*SlideChannelInvite, error)

func (*Client) FindSlideChannelInviteId

func (c *Client) FindSlideChannelInviteId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideChannelInviteIds

func (c *Client) FindSlideChannelInviteIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideChannelInvites

func (c *Client) FindSlideChannelInvites(criteria *Criteria, options *Options) (*SlideChannelInvites, error)

func (*Client) FindSlideChannelPartner

func (c *Client) FindSlideChannelPartner(criteria *Criteria) (*SlideChannelPartner, error)

func (*Client) FindSlideChannelPartnerId

func (c *Client) FindSlideChannelPartnerId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideChannelPartnerIds

func (c *Client) FindSlideChannelPartnerIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideChannelPartners

func (c *Client) FindSlideChannelPartners(criteria *Criteria, options *Options) (*SlideChannelPartners, error)

func (*Client) FindSlideChannelTag

func (c *Client) FindSlideChannelTag(criteria *Criteria) (*SlideChannelTag, error)

func (*Client) FindSlideChannelTagGroup

func (c *Client) FindSlideChannelTagGroup(criteria *Criteria) (*SlideChannelTagGroup, error)

func (*Client) FindSlideChannelTagGroupId

func (c *Client) FindSlideChannelTagGroupId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideChannelTagGroupIds

func (c *Client) FindSlideChannelTagGroupIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideChannelTagGroups

func (c *Client) FindSlideChannelTagGroups(criteria *Criteria, options *Options) (*SlideChannelTagGroups, error)

func (*Client) FindSlideChannelTagId

func (c *Client) FindSlideChannelTagId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideChannelTagIds

func (c *Client) FindSlideChannelTagIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideChannelTags

func (c *Client) FindSlideChannelTags(criteria *Criteria, options *Options) (*SlideChannelTags, error)

func (*Client) FindSlideChannels

func (c *Client) FindSlideChannels(criteria *Criteria, options *Options) (*SlideChannels, error)

func (*Client) FindSlideEmbed

func (c *Client) FindSlideEmbed(criteria *Criteria) (*SlideEmbed, error)

func (*Client) FindSlideEmbedId

func (c *Client) FindSlideEmbedId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideEmbedIds

func (c *Client) FindSlideEmbedIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideEmbeds

func (c *Client) FindSlideEmbeds(criteria *Criteria, options *Options) (*SlideEmbeds, error)

func (*Client) FindSlideQuestion

func (c *Client) FindSlideQuestion(criteria *Criteria) (*SlideQuestion, error)

func (*Client) FindSlideQuestionId

func (c *Client) FindSlideQuestionId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideQuestionIds

func (c *Client) FindSlideQuestionIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideQuestions

func (c *Client) FindSlideQuestions(criteria *Criteria, options *Options) (*SlideQuestions, error)

func (*Client) FindSlideSlide

func (c *Client) FindSlideSlide(criteria *Criteria) (*SlideSlide, error)

func (*Client) FindSlideSlideId

func (c *Client) FindSlideSlideId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideSlideIds

func (c *Client) FindSlideSlideIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideSlidePartner

func (c *Client) FindSlideSlidePartner(criteria *Criteria) (*SlideSlidePartner, error)

func (*Client) FindSlideSlidePartnerId

func (c *Client) FindSlideSlidePartnerId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideSlidePartnerIds

func (c *Client) FindSlideSlidePartnerIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideSlidePartners

func (c *Client) FindSlideSlidePartners(criteria *Criteria, options *Options) (*SlideSlidePartners, error)

func (*Client) FindSlideSlideResource

func (c *Client) FindSlideSlideResource(criteria *Criteria) (*SlideSlideResource, error)

func (*Client) FindSlideSlideResourceId

func (c *Client) FindSlideSlideResourceId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideSlideResourceIds

func (c *Client) FindSlideSlideResourceIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideSlideResources

func (c *Client) FindSlideSlideResources(criteria *Criteria, options *Options) (*SlideSlideResources, error)

func (*Client) FindSlideSlides

func (c *Client) FindSlideSlides(criteria *Criteria, options *Options) (*SlideSlides, error)

func (*Client) FindSlideTag

func (c *Client) FindSlideTag(criteria *Criteria) (*SlideTag, error)

func (*Client) FindSlideTagId

func (c *Client) FindSlideTagId(criteria *Criteria, options *Options) (int64, error)

func (*Client) FindSlideTagIds

func (c *Client) FindSlideTagIds(criteria *Criteria, options *Options) ([]int64, error)

func (*Client) FindSlideTags

func (c *Client) FindSlideTags(criteria *Criteria, options *Options) (*SlideTags, error)

func (*Client) FindSmsApi

func (c *Client) FindSmsApi(criteria *Criteria) (*SmsApi, error)

FindSmsApi finds sms.api record by querying it with criteria.

func (*Client) FindSmsApiId

func (c *Client) FindSmsApiId(criteria *Criteria, options *Options) (int64, error)

FindSmsApiId finds record id by querying it with criteria.

func (*Client) FindSmsApiIds

func (c *Client) FindSmsApiIds(criteria *Criteria, options *Options) ([]int64, error)

FindSmsApiIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindSmsApis

func (c *Client) FindSmsApis(criteria *Criteria, options *Options) (*SmsApis, error)

FindSmsApis finds sms.api records by querying it and filtering it with criteria and options.

func (*Client) FindSmsSendSms

func (c *Client) FindSmsSendSms(criteria *Criteria) (*SmsSendSms, error)

FindSmsSendSms finds sms.send_sms record by querying it with criteria.

func (*Client) FindSmsSendSmsId

func (c *Client) FindSmsSendSmsId(criteria *Criteria, options *Options) (int64, error)

FindSmsSendSmsId finds record id by querying it with criteria.

func (*Client) FindSmsSendSmsIds

func (c *Client) FindSmsSendSmsIds(criteria *Criteria, options *Options) ([]int64, error)

FindSmsSendSmsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindSmsSendSmss

func (c *Client) FindSmsSendSmss(criteria *Criteria, options *Options) (*SmsSendSmss, error)

FindSmsSendSmss finds sms.send_sms records by querying it and filtering it with criteria and options.

func (*Client) FindStockBackorderConfirmation

func (c *Client) FindStockBackorderConfirmation(criteria *Criteria) (*StockBackorderConfirmation, error)

FindStockBackorderConfirmation finds stock.backorder.confirmation record by querying it with criteria.

func (*Client) FindStockBackorderConfirmationId

func (c *Client) FindStockBackorderConfirmationId(criteria *Criteria, options *Options) (int64, error)

FindStockBackorderConfirmationId finds record id by querying it with criteria.

func (*Client) FindStockBackorderConfirmationIds

func (c *Client) FindStockBackorderConfirmationIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockBackorderConfirmationIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockBackorderConfirmations

func (c *Client) FindStockBackorderConfirmations(criteria *Criteria, options *Options) (*StockBackorderConfirmations, error)

FindStockBackorderConfirmations finds stock.backorder.confirmation records by querying it and filtering it with criteria and options.

func (*Client) FindStockChangeProductQty

func (c *Client) FindStockChangeProductQty(criteria *Criteria) (*StockChangeProductQty, error)

FindStockChangeProductQty finds stock.change.product.qty record by querying it with criteria.

func (*Client) FindStockChangeProductQtyId

func (c *Client) FindStockChangeProductQtyId(criteria *Criteria, options *Options) (int64, error)

FindStockChangeProductQtyId finds record id by querying it with criteria.

func (*Client) FindStockChangeProductQtyIds

func (c *Client) FindStockChangeProductQtyIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockChangeProductQtyIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockChangeProductQtys

func (c *Client) FindStockChangeProductQtys(criteria *Criteria, options *Options) (*StockChangeProductQtys, error)

FindStockChangeProductQtys finds stock.change.product.qty records by querying it and filtering it with criteria and options.

func (*Client) FindStockChangeStandardPrice

func (c *Client) FindStockChangeStandardPrice(criteria *Criteria) (*StockChangeStandardPrice, error)

FindStockChangeStandardPrice finds stock.change.standard.price record by querying it with criteria.

func (*Client) FindStockChangeStandardPriceId

func (c *Client) FindStockChangeStandardPriceId(criteria *Criteria, options *Options) (int64, error)

FindStockChangeStandardPriceId finds record id by querying it with criteria.

func (*Client) FindStockChangeStandardPriceIds

func (c *Client) FindStockChangeStandardPriceIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockChangeStandardPriceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockChangeStandardPrices

func (c *Client) FindStockChangeStandardPrices(criteria *Criteria, options *Options) (*StockChangeStandardPrices, error)

FindStockChangeStandardPrices finds stock.change.standard.price records by querying it and filtering it with criteria and options.

func (*Client) FindStockFixedPutawayStrat

func (c *Client) FindStockFixedPutawayStrat(criteria *Criteria) (*StockFixedPutawayStrat, error)

FindStockFixedPutawayStrat finds stock.fixed.putaway.strat record by querying it with criteria.

func (*Client) FindStockFixedPutawayStratId

func (c *Client) FindStockFixedPutawayStratId(criteria *Criteria, options *Options) (int64, error)

FindStockFixedPutawayStratId finds record id by querying it with criteria.

func (*Client) FindStockFixedPutawayStratIds

func (c *Client) FindStockFixedPutawayStratIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockFixedPutawayStratIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockFixedPutawayStrats

func (c *Client) FindStockFixedPutawayStrats(criteria *Criteria, options *Options) (*StockFixedPutawayStrats, error)

FindStockFixedPutawayStrats finds stock.fixed.putaway.strat records by querying it and filtering it with criteria and options.

func (*Client) FindStockImmediateTransfer

func (c *Client) FindStockImmediateTransfer(criteria *Criteria) (*StockImmediateTransfer, error)

FindStockImmediateTransfer finds stock.immediate.transfer record by querying it with criteria.

func (*Client) FindStockImmediateTransferId

func (c *Client) FindStockImmediateTransferId(criteria *Criteria, options *Options) (int64, error)

FindStockImmediateTransferId finds record id by querying it with criteria.

func (*Client) FindStockImmediateTransferIds

func (c *Client) FindStockImmediateTransferIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockImmediateTransferIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockImmediateTransfers

func (c *Client) FindStockImmediateTransfers(criteria *Criteria, options *Options) (*StockImmediateTransfers, error)

FindStockImmediateTransfers finds stock.immediate.transfer records by querying it and filtering it with criteria and options.

func (*Client) FindStockIncoterms

func (c *Client) FindStockIncoterms(criteria *Criteria) (*StockIncoterms, error)

FindStockIncoterms finds stock.incoterms record by querying it with criteria.

func (*Client) FindStockIncotermsId

func (c *Client) FindStockIncotermsId(criteria *Criteria, options *Options) (int64, error)

FindStockIncotermsId finds record id by querying it with criteria.

func (*Client) FindStockIncotermsIds

func (c *Client) FindStockIncotermsIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockIncotermsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockIncotermss

func (c *Client) FindStockIncotermss(criteria *Criteria, options *Options) (*StockIncotermss, error)

FindStockIncotermss finds stock.incoterms records by querying it and filtering it with criteria and options.

func (*Client) FindStockInventory

func (c *Client) FindStockInventory(criteria *Criteria) (*StockInventory, error)

FindStockInventory finds stock.inventory record by querying it with criteria.

func (*Client) FindStockInventoryId

func (c *Client) FindStockInventoryId(criteria *Criteria, options *Options) (int64, error)

FindStockInventoryId finds record id by querying it with criteria.

func (*Client) FindStockInventoryIds

func (c *Client) FindStockInventoryIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockInventoryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockInventoryLine

func (c *Client) FindStockInventoryLine(criteria *Criteria) (*StockInventoryLine, error)

FindStockInventoryLine finds stock.inventory.line record by querying it with criteria.

func (*Client) FindStockInventoryLineId

func (c *Client) FindStockInventoryLineId(criteria *Criteria, options *Options) (int64, error)

FindStockInventoryLineId finds record id by querying it with criteria.

func (*Client) FindStockInventoryLineIds

func (c *Client) FindStockInventoryLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockInventoryLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockInventoryLines

func (c *Client) FindStockInventoryLines(criteria *Criteria, options *Options) (*StockInventoryLines, error)

FindStockInventoryLines finds stock.inventory.line records by querying it and filtering it with criteria and options.

func (*Client) FindStockInventorys

func (c *Client) FindStockInventorys(criteria *Criteria, options *Options) (*StockInventorys, error)

FindStockInventorys finds stock.inventory records by querying it and filtering it with criteria and options.

func (*Client) FindStockLocation

func (c *Client) FindStockLocation(criteria *Criteria) (*StockLocation, error)

FindStockLocation finds stock.location record by querying it with criteria.

func (*Client) FindStockLocationId

func (c *Client) FindStockLocationId(criteria *Criteria, options *Options) (int64, error)

FindStockLocationId finds record id by querying it with criteria.

func (*Client) FindStockLocationIds

func (c *Client) FindStockLocationIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockLocationIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockLocationPath

func (c *Client) FindStockLocationPath(criteria *Criteria) (*StockLocationPath, error)

FindStockLocationPath finds stock.location.path record by querying it with criteria.

func (*Client) FindStockLocationPathId

func (c *Client) FindStockLocationPathId(criteria *Criteria, options *Options) (int64, error)

FindStockLocationPathId finds record id by querying it with criteria.

func (*Client) FindStockLocationPathIds

func (c *Client) FindStockLocationPathIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockLocationPathIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockLocationPaths

func (c *Client) FindStockLocationPaths(criteria *Criteria, options *Options) (*StockLocationPaths, error)

FindStockLocationPaths finds stock.location.path records by querying it and filtering it with criteria and options.

func (*Client) FindStockLocationRoute

func (c *Client) FindStockLocationRoute(criteria *Criteria) (*StockLocationRoute, error)

FindStockLocationRoute finds stock.location.route record by querying it with criteria.

func (*Client) FindStockLocationRouteId

func (c *Client) FindStockLocationRouteId(criteria *Criteria, options *Options) (int64, error)

FindStockLocationRouteId finds record id by querying it with criteria.

func (*Client) FindStockLocationRouteIds

func (c *Client) FindStockLocationRouteIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockLocationRouteIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockLocationRoutes

func (c *Client) FindStockLocationRoutes(criteria *Criteria, options *Options) (*StockLocationRoutes, error)

FindStockLocationRoutes finds stock.location.route records by querying it and filtering it with criteria and options.

func (*Client) FindStockLocations

func (c *Client) FindStockLocations(criteria *Criteria, options *Options) (*StockLocations, error)

FindStockLocations finds stock.location records by querying it and filtering it with criteria and options.

func (*Client) FindStockMove

func (c *Client) FindStockMove(criteria *Criteria) (*StockMove, error)

FindStockMove finds stock.move record by querying it with criteria.

func (*Client) FindStockMoveId

func (c *Client) FindStockMoveId(criteria *Criteria, options *Options) (int64, error)

FindStockMoveId finds record id by querying it with criteria.

func (*Client) FindStockMoveIds

func (c *Client) FindStockMoveIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockMoveIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockMoveLine

func (c *Client) FindStockMoveLine(criteria *Criteria) (*StockMoveLine, error)

FindStockMoveLine finds stock.move.line record by querying it with criteria.

func (*Client) FindStockMoveLineId

func (c *Client) FindStockMoveLineId(criteria *Criteria, options *Options) (int64, error)

FindStockMoveLineId finds record id by querying it with criteria.

func (*Client) FindStockMoveLineIds

func (c *Client) FindStockMoveLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockMoveLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockMoveLines

func (c *Client) FindStockMoveLines(criteria *Criteria, options *Options) (*StockMoveLines, error)

FindStockMoveLines finds stock.move.line records by querying it and filtering it with criteria and options.

func (*Client) FindStockMoves

func (c *Client) FindStockMoves(criteria *Criteria, options *Options) (*StockMoves, error)

FindStockMoves finds stock.move records by querying it and filtering it with criteria and options.

func (*Client) FindStockOverprocessedTransfer

func (c *Client) FindStockOverprocessedTransfer(criteria *Criteria) (*StockOverprocessedTransfer, error)

FindStockOverprocessedTransfer finds stock.overprocessed.transfer record by querying it with criteria.

func (*Client) FindStockOverprocessedTransferId

func (c *Client) FindStockOverprocessedTransferId(criteria *Criteria, options *Options) (int64, error)

FindStockOverprocessedTransferId finds record id by querying it with criteria.

func (*Client) FindStockOverprocessedTransferIds

func (c *Client) FindStockOverprocessedTransferIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockOverprocessedTransferIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockOverprocessedTransfers

func (c *Client) FindStockOverprocessedTransfers(criteria *Criteria, options *Options) (*StockOverprocessedTransfers, error)

FindStockOverprocessedTransfers finds stock.overprocessed.transfer records by querying it and filtering it with criteria and options.

func (*Client) FindStockPicking

func (c *Client) FindStockPicking(criteria *Criteria) (*StockPicking, error)

FindStockPicking finds stock.picking record by querying it with criteria.

func (*Client) FindStockPickingId

func (c *Client) FindStockPickingId(criteria *Criteria, options *Options) (int64, error)

FindStockPickingId finds record id by querying it with criteria.

func (*Client) FindStockPickingIds

func (c *Client) FindStockPickingIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockPickingIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockPickingType

func (c *Client) FindStockPickingType(criteria *Criteria) (*StockPickingType, error)

FindStockPickingType finds stock.picking.type record by querying it with criteria.

func (*Client) FindStockPickingTypeId

func (c *Client) FindStockPickingTypeId(criteria *Criteria, options *Options) (int64, error)

FindStockPickingTypeId finds record id by querying it with criteria.

func (*Client) FindStockPickingTypeIds

func (c *Client) FindStockPickingTypeIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockPickingTypeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockPickingTypes

func (c *Client) FindStockPickingTypes(criteria *Criteria, options *Options) (*StockPickingTypes, error)

FindStockPickingTypes finds stock.picking.type records by querying it and filtering it with criteria and options.

func (*Client) FindStockPickings

func (c *Client) FindStockPickings(criteria *Criteria, options *Options) (*StockPickings, error)

FindStockPickings finds stock.picking records by querying it and filtering it with criteria and options.

func (*Client) FindStockProductionLot

func (c *Client) FindStockProductionLot(criteria *Criteria) (*StockProductionLot, error)

FindStockProductionLot finds stock.production.lot record by querying it with criteria.

func (*Client) FindStockProductionLotId

func (c *Client) FindStockProductionLotId(criteria *Criteria, options *Options) (int64, error)

FindStockProductionLotId finds record id by querying it with criteria.

func (*Client) FindStockProductionLotIds

func (c *Client) FindStockProductionLotIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockProductionLotIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockProductionLots

func (c *Client) FindStockProductionLots(criteria *Criteria, options *Options) (*StockProductionLots, error)

FindStockProductionLots finds stock.production.lot records by querying it and filtering it with criteria and options.

func (*Client) FindStockQuant

func (c *Client) FindStockQuant(criteria *Criteria) (*StockQuant, error)

FindStockQuant finds stock.quant record by querying it with criteria.

func (*Client) FindStockQuantId

func (c *Client) FindStockQuantId(criteria *Criteria, options *Options) (int64, error)

FindStockQuantId finds record id by querying it with criteria.

func (*Client) FindStockQuantIds

func (c *Client) FindStockQuantIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockQuantIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockQuantPackage

func (c *Client) FindStockQuantPackage(criteria *Criteria) (*StockQuantPackage, error)

FindStockQuantPackage finds stock.quant.package record by querying it with criteria.

func (*Client) FindStockQuantPackageId

func (c *Client) FindStockQuantPackageId(criteria *Criteria, options *Options) (int64, error)

FindStockQuantPackageId finds record id by querying it with criteria.

func (*Client) FindStockQuantPackageIds

func (c *Client) FindStockQuantPackageIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockQuantPackageIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockQuantPackages

func (c *Client) FindStockQuantPackages(criteria *Criteria, options *Options) (*StockQuantPackages, error)

FindStockQuantPackages finds stock.quant.package records by querying it and filtering it with criteria and options.

func (*Client) FindStockQuantityHistory

func (c *Client) FindStockQuantityHistory(criteria *Criteria) (*StockQuantityHistory, error)

FindStockQuantityHistory finds stock.quantity.history record by querying it with criteria.

func (*Client) FindStockQuantityHistoryId

func (c *Client) FindStockQuantityHistoryId(criteria *Criteria, options *Options) (int64, error)

FindStockQuantityHistoryId finds record id by querying it with criteria.

func (*Client) FindStockQuantityHistoryIds

func (c *Client) FindStockQuantityHistoryIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockQuantityHistoryIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockQuantityHistorys

func (c *Client) FindStockQuantityHistorys(criteria *Criteria, options *Options) (*StockQuantityHistorys, error)

FindStockQuantityHistorys finds stock.quantity.history records by querying it and filtering it with criteria and options.

func (*Client) FindStockQuants

func (c *Client) FindStockQuants(criteria *Criteria, options *Options) (*StockQuants, error)

FindStockQuants finds stock.quant records by querying it and filtering it with criteria and options.

func (*Client) FindStockReturnPicking

func (c *Client) FindStockReturnPicking(criteria *Criteria) (*StockReturnPicking, error)

FindStockReturnPicking finds stock.return.picking record by querying it with criteria.

func (*Client) FindStockReturnPickingId

func (c *Client) FindStockReturnPickingId(criteria *Criteria, options *Options) (int64, error)

FindStockReturnPickingId finds record id by querying it with criteria.

func (*Client) FindStockReturnPickingIds

func (c *Client) FindStockReturnPickingIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockReturnPickingIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockReturnPickingLine

func (c *Client) FindStockReturnPickingLine(criteria *Criteria) (*StockReturnPickingLine, error)

FindStockReturnPickingLine finds stock.return.picking.line record by querying it with criteria.

func (*Client) FindStockReturnPickingLineId

func (c *Client) FindStockReturnPickingLineId(criteria *Criteria, options *Options) (int64, error)

FindStockReturnPickingLineId finds record id by querying it with criteria.

func (*Client) FindStockReturnPickingLineIds

func (c *Client) FindStockReturnPickingLineIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockReturnPickingLineIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockReturnPickingLines

func (c *Client) FindStockReturnPickingLines(criteria *Criteria, options *Options) (*StockReturnPickingLines, error)

FindStockReturnPickingLines finds stock.return.picking.line records by querying it and filtering it with criteria and options.

func (*Client) FindStockReturnPickings

func (c *Client) FindStockReturnPickings(criteria *Criteria, options *Options) (*StockReturnPickings, error)

FindStockReturnPickings finds stock.return.picking records by querying it and filtering it with criteria and options.

func (*Client) FindStockSchedulerCompute

func (c *Client) FindStockSchedulerCompute(criteria *Criteria) (*StockSchedulerCompute, error)

FindStockSchedulerCompute finds stock.scheduler.compute record by querying it with criteria.

func (*Client) FindStockSchedulerComputeId

func (c *Client) FindStockSchedulerComputeId(criteria *Criteria, options *Options) (int64, error)

FindStockSchedulerComputeId finds record id by querying it with criteria.

func (*Client) FindStockSchedulerComputeIds

func (c *Client) FindStockSchedulerComputeIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockSchedulerComputeIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockSchedulerComputes

func (c *Client) FindStockSchedulerComputes(criteria *Criteria, options *Options) (*StockSchedulerComputes, error)

FindStockSchedulerComputes finds stock.scheduler.compute records by querying it and filtering it with criteria and options.

func (*Client) FindStockScrap

func (c *Client) FindStockScrap(criteria *Criteria) (*StockScrap, error)

FindStockScrap finds stock.scrap record by querying it with criteria.

func (*Client) FindStockScrapId

func (c *Client) FindStockScrapId(criteria *Criteria, options *Options) (int64, error)

FindStockScrapId finds record id by querying it with criteria.

func (*Client) FindStockScrapIds

func (c *Client) FindStockScrapIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockScrapIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockScraps

func (c *Client) FindStockScraps(criteria *Criteria, options *Options) (*StockScraps, error)

FindStockScraps finds stock.scrap records by querying it and filtering it with criteria and options.

func (*Client) FindStockTraceabilityReport

func (c *Client) FindStockTraceabilityReport(criteria *Criteria) (*StockTraceabilityReport, error)

FindStockTraceabilityReport finds stock.traceability.report record by querying it with criteria.

func (*Client) FindStockTraceabilityReportId

func (c *Client) FindStockTraceabilityReportId(criteria *Criteria, options *Options) (int64, error)

FindStockTraceabilityReportId finds record id by querying it with criteria.

func (*Client) FindStockTraceabilityReportIds

func (c *Client) FindStockTraceabilityReportIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockTraceabilityReportIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockTraceabilityReports

func (c *Client) FindStockTraceabilityReports(criteria *Criteria, options *Options) (*StockTraceabilityReports, error)

FindStockTraceabilityReports finds stock.traceability.report records by querying it and filtering it with criteria and options.

func (*Client) FindStockWarehouse

func (c *Client) FindStockWarehouse(criteria *Criteria) (*StockWarehouse, error)

FindStockWarehouse finds stock.warehouse record by querying it with criteria.

func (*Client) FindStockWarehouseId

func (c *Client) FindStockWarehouseId(criteria *Criteria, options *Options) (int64, error)

FindStockWarehouseId finds record id by querying it with criteria.

func (*Client) FindStockWarehouseIds

func (c *Client) FindStockWarehouseIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockWarehouseIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockWarehouseOrderpoint

func (c *Client) FindStockWarehouseOrderpoint(criteria *Criteria) (*StockWarehouseOrderpoint, error)

FindStockWarehouseOrderpoint finds stock.warehouse.orderpoint record by querying it with criteria.

func (*Client) FindStockWarehouseOrderpointId

func (c *Client) FindStockWarehouseOrderpointId(criteria *Criteria, options *Options) (int64, error)

FindStockWarehouseOrderpointId finds record id by querying it with criteria.

func (*Client) FindStockWarehouseOrderpointIds

func (c *Client) FindStockWarehouseOrderpointIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockWarehouseOrderpointIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockWarehouseOrderpoints

func (c *Client) FindStockWarehouseOrderpoints(criteria *Criteria, options *Options) (*StockWarehouseOrderpoints, error)

FindStockWarehouseOrderpoints finds stock.warehouse.orderpoint records by querying it and filtering it with criteria and options.

func (*Client) FindStockWarehouses

func (c *Client) FindStockWarehouses(criteria *Criteria, options *Options) (*StockWarehouses, error)

FindStockWarehouses finds stock.warehouse records by querying it and filtering it with criteria and options.

func (*Client) FindStockWarnInsufficientQty

func (c *Client) FindStockWarnInsufficientQty(criteria *Criteria) (*StockWarnInsufficientQty, error)

FindStockWarnInsufficientQty finds stock.warn.insufficient.qty record by querying it with criteria.

func (*Client) FindStockWarnInsufficientQtyId

func (c *Client) FindStockWarnInsufficientQtyId(criteria *Criteria, options *Options) (int64, error)

FindStockWarnInsufficientQtyId finds record id by querying it with criteria.

func (*Client) FindStockWarnInsufficientQtyIds

func (c *Client) FindStockWarnInsufficientQtyIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockWarnInsufficientQtyIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockWarnInsufficientQtyScrap

func (c *Client) FindStockWarnInsufficientQtyScrap(criteria *Criteria) (*StockWarnInsufficientQtyScrap, error)

FindStockWarnInsufficientQtyScrap finds stock.warn.insufficient.qty.scrap record by querying it with criteria.

func (*Client) FindStockWarnInsufficientQtyScrapId

func (c *Client) FindStockWarnInsufficientQtyScrapId(criteria *Criteria, options *Options) (int64, error)

FindStockWarnInsufficientQtyScrapId finds record id by querying it with criteria.

func (*Client) FindStockWarnInsufficientQtyScrapIds

func (c *Client) FindStockWarnInsufficientQtyScrapIds(criteria *Criteria, options *Options) ([]int64, error)

FindStockWarnInsufficientQtyScrapIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindStockWarnInsufficientQtyScraps

func (c *Client) FindStockWarnInsufficientQtyScraps(criteria *Criteria, options *Options) (*StockWarnInsufficientQtyScraps, error)

FindStockWarnInsufficientQtyScraps finds stock.warn.insufficient.qty.scrap records by querying it and filtering it with criteria and options.

func (*Client) FindStockWarnInsufficientQtys

func (c *Client) FindStockWarnInsufficientQtys(criteria *Criteria, options *Options) (*StockWarnInsufficientQtys, error)

FindStockWarnInsufficientQtys finds stock.warn.insufficient.qty records by querying it and filtering it with criteria and options.

func (*Client) FindTaxAdjustmentsWizard

func (c *Client) FindTaxAdjustmentsWizard(criteria *Criteria) (*TaxAdjustmentsWizard, error)

FindTaxAdjustmentsWizard finds tax.adjustments.wizard record by querying it with criteria.

func (*Client) FindTaxAdjustmentsWizardId

func (c *Client) FindTaxAdjustmentsWizardId(criteria *Criteria, options *Options) (int64, error)

FindTaxAdjustmentsWizardId finds record id by querying it with criteria.

func (*Client) FindTaxAdjustmentsWizardIds

func (c *Client) FindTaxAdjustmentsWizardIds(criteria *Criteria, options *Options) ([]int64, error)

FindTaxAdjustmentsWizardIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindTaxAdjustmentsWizards

func (c *Client) FindTaxAdjustmentsWizards(criteria *Criteria, options *Options) (*TaxAdjustmentsWizards, error)

FindTaxAdjustmentsWizards finds tax.adjustments.wizard records by querying it and filtering it with criteria and options.

func (*Client) FindUtmCampaign

func (c *Client) FindUtmCampaign(criteria *Criteria) (*UtmCampaign, error)

FindUtmCampaign finds utm.campaign record by querying it with criteria.

func (*Client) FindUtmCampaignId

func (c *Client) FindUtmCampaignId(criteria *Criteria, options *Options) (int64, error)

FindUtmCampaignId finds record id by querying it with criteria.

func (*Client) FindUtmCampaignIds

func (c *Client) FindUtmCampaignIds(criteria *Criteria, options *Options) ([]int64, error)

FindUtmCampaignIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindUtmCampaigns

func (c *Client) FindUtmCampaigns(criteria *Criteria, options *Options) (*UtmCampaigns, error)

FindUtmCampaigns finds utm.campaign records by querying it and filtering it with criteria and options.

func (*Client) FindUtmMedium

func (c *Client) FindUtmMedium(criteria *Criteria) (*UtmMedium, error)

FindUtmMedium finds utm.medium record by querying it with criteria.

func (*Client) FindUtmMediumId

func (c *Client) FindUtmMediumId(criteria *Criteria, options *Options) (int64, error)

FindUtmMediumId finds record id by querying it with criteria.

func (*Client) FindUtmMediumIds

func (c *Client) FindUtmMediumIds(criteria *Criteria, options *Options) ([]int64, error)

FindUtmMediumIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindUtmMediums

func (c *Client) FindUtmMediums(criteria *Criteria, options *Options) (*UtmMediums, error)

FindUtmMediums finds utm.medium records by querying it and filtering it with criteria and options.

func (*Client) FindUtmMixin

func (c *Client) FindUtmMixin(criteria *Criteria) (*UtmMixin, error)

FindUtmMixin finds utm.mixin record by querying it with criteria.

func (*Client) FindUtmMixinId

func (c *Client) FindUtmMixinId(criteria *Criteria, options *Options) (int64, error)

FindUtmMixinId finds record id by querying it with criteria.

func (*Client) FindUtmMixinIds

func (c *Client) FindUtmMixinIds(criteria *Criteria, options *Options) ([]int64, error)

FindUtmMixinIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindUtmMixins

func (c *Client) FindUtmMixins(criteria *Criteria, options *Options) (*UtmMixins, error)

FindUtmMixins finds utm.mixin records by querying it and filtering it with criteria and options.

func (*Client) FindUtmSource

func (c *Client) FindUtmSource(criteria *Criteria) (*UtmSource, error)

FindUtmSource finds utm.source record by querying it with criteria.

func (*Client) FindUtmSourceId

func (c *Client) FindUtmSourceId(criteria *Criteria, options *Options) (int64, error)

FindUtmSourceId finds record id by querying it with criteria.

func (*Client) FindUtmSourceIds

func (c *Client) FindUtmSourceIds(criteria *Criteria, options *Options) ([]int64, error)

FindUtmSourceIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindUtmSources

func (c *Client) FindUtmSources(criteria *Criteria, options *Options) (*UtmSources, error)

FindUtmSources finds utm.source records by querying it and filtering it with criteria and options.

func (*Client) FindValidateAccountMove

func (c *Client) FindValidateAccountMove(criteria *Criteria) (*ValidateAccountMove, error)

FindValidateAccountMove finds validate.account.move record by querying it with criteria.

func (*Client) FindValidateAccountMoveId

func (c *Client) FindValidateAccountMoveId(criteria *Criteria, options *Options) (int64, error)

FindValidateAccountMoveId finds record id by querying it with criteria.

func (*Client) FindValidateAccountMoveIds

func (c *Client) FindValidateAccountMoveIds(criteria *Criteria, options *Options) ([]int64, error)

FindValidateAccountMoveIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindValidateAccountMoves

func (c *Client) FindValidateAccountMoves(criteria *Criteria, options *Options) (*ValidateAccountMoves, error)

FindValidateAccountMoves finds validate.account.move records by querying it and filtering it with criteria and options.

func (*Client) FindWebEditorConverterTestSub

func (c *Client) FindWebEditorConverterTestSub(criteria *Criteria) (*WebEditorConverterTestSub, error)

FindWebEditorConverterTestSub finds web_editor.converter.test.sub record by querying it with criteria.

func (*Client) FindWebEditorConverterTestSubId

func (c *Client) FindWebEditorConverterTestSubId(criteria *Criteria, options *Options) (int64, error)

FindWebEditorConverterTestSubId finds record id by querying it with criteria.

func (*Client) FindWebEditorConverterTestSubIds

func (c *Client) FindWebEditorConverterTestSubIds(criteria *Criteria, options *Options) ([]int64, error)

FindWebEditorConverterTestSubIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindWebEditorConverterTestSubs

func (c *Client) FindWebEditorConverterTestSubs(criteria *Criteria, options *Options) (*WebEditorConverterTestSubs, error)

FindWebEditorConverterTestSubs finds web_editor.converter.test.sub records by querying it and filtering it with criteria and options.

func (*Client) FindWebPlanner

func (c *Client) FindWebPlanner(criteria *Criteria) (*WebPlanner, error)

FindWebPlanner finds web.planner record by querying it with criteria.

func (*Client) FindWebPlannerId

func (c *Client) FindWebPlannerId(criteria *Criteria, options *Options) (int64, error)

FindWebPlannerId finds record id by querying it with criteria.

func (*Client) FindWebPlannerIds

func (c *Client) FindWebPlannerIds(criteria *Criteria, options *Options) ([]int64, error)

FindWebPlannerIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindWebPlanners

func (c *Client) FindWebPlanners(criteria *Criteria, options *Options) (*WebPlanners, error)

FindWebPlanners finds web.planner records by querying it and filtering it with criteria and options.

func (*Client) FindWebTourTour

func (c *Client) FindWebTourTour(criteria *Criteria) (*WebTourTour, error)

FindWebTourTour finds web_tour.tour record by querying it with criteria.

func (*Client) FindWebTourTourId

func (c *Client) FindWebTourTourId(criteria *Criteria, options *Options) (int64, error)

FindWebTourTourId finds record id by querying it with criteria.

func (*Client) FindWebTourTourIds

func (c *Client) FindWebTourTourIds(criteria *Criteria, options *Options) ([]int64, error)

FindWebTourTourIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindWebTourTours

func (c *Client) FindWebTourTours(criteria *Criteria, options *Options) (*WebTourTours, error)

FindWebTourTours finds web_tour.tour records by querying it and filtering it with criteria and options.

func (*Client) FindWizardIrModelMenuCreate

func (c *Client) FindWizardIrModelMenuCreate(criteria *Criteria) (*WizardIrModelMenuCreate, error)

FindWizardIrModelMenuCreate finds wizard.ir.model.menu.create record by querying it with criteria.

func (*Client) FindWizardIrModelMenuCreateId

func (c *Client) FindWizardIrModelMenuCreateId(criteria *Criteria, options *Options) (int64, error)

FindWizardIrModelMenuCreateId finds record id by querying it with criteria.

func (*Client) FindWizardIrModelMenuCreateIds

func (c *Client) FindWizardIrModelMenuCreateIds(criteria *Criteria, options *Options) ([]int64, error)

FindWizardIrModelMenuCreateIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindWizardIrModelMenuCreates

func (c *Client) FindWizardIrModelMenuCreates(criteria *Criteria, options *Options) (*WizardIrModelMenuCreates, error)

FindWizardIrModelMenuCreates finds wizard.ir.model.menu.create records by querying it and filtering it with criteria and options.

func (*Client) FindWizardMultiChartsAccounts

func (c *Client) FindWizardMultiChartsAccounts(criteria *Criteria) (*WizardMultiChartsAccounts, error)

FindWizardMultiChartsAccounts finds wizard.multi.charts.accounts record by querying it with criteria.

func (*Client) FindWizardMultiChartsAccountsId

func (c *Client) FindWizardMultiChartsAccountsId(criteria *Criteria, options *Options) (int64, error)

FindWizardMultiChartsAccountsId finds record id by querying it with criteria.

func (*Client) FindWizardMultiChartsAccountsIds

func (c *Client) FindWizardMultiChartsAccountsIds(criteria *Criteria, options *Options) ([]int64, error)

FindWizardMultiChartsAccountsIds finds records ids by querying it and filtering it with criteria and options.

func (*Client) FindWizardMultiChartsAccountss

func (c *Client) FindWizardMultiChartsAccountss(criteria *Criteria, options *Options) (*WizardMultiChartsAccountss, error)

FindWizardMultiChartsAccountss finds wizard.multi.charts.accounts records by querying it and filtering it with criteria and options.

func (*Client) GetAccountAbstractPayment

func (c *Client) GetAccountAbstractPayment(id int64) (*AccountAbstractPayment, error)

GetAccountAbstractPayment gets account.abstract.payment existing record.

func (*Client) GetAccountAbstractPayments

func (c *Client) GetAccountAbstractPayments(ids []int64) (*AccountAbstractPayments, error)

GetAccountAbstractPayments gets account.abstract.payment existing records.

func (*Client) GetAccountAccount

func (c *Client) GetAccountAccount(id int64) (*AccountAccount, error)

GetAccountAccount gets account.account existing record.

func (*Client) GetAccountAccountTag

func (c *Client) GetAccountAccountTag(id int64) (*AccountAccountTag, error)

GetAccountAccountTag gets account.account.tag existing record.

func (*Client) GetAccountAccountTags

func (c *Client) GetAccountAccountTags(ids []int64) (*AccountAccountTags, error)

GetAccountAccountTags gets account.account.tag existing records.

func (*Client) GetAccountAccountTemplate

func (c *Client) GetAccountAccountTemplate(id int64) (*AccountAccountTemplate, error)

GetAccountAccountTemplate gets account.account.template existing record.

func (*Client) GetAccountAccountTemplates

func (c *Client) GetAccountAccountTemplates(ids []int64) (*AccountAccountTemplates, error)

GetAccountAccountTemplates gets account.account.template existing records.

func (*Client) GetAccountAccountType

func (c *Client) GetAccountAccountType(id int64) (*AccountAccountType, error)

GetAccountAccountType gets account.account.type existing record.

func (*Client) GetAccountAccountTypes

func (c *Client) GetAccountAccountTypes(ids []int64) (*AccountAccountTypes, error)

GetAccountAccountTypes gets account.account.type existing records.

func (*Client) GetAccountAccounts

func (c *Client) GetAccountAccounts(ids []int64) (*AccountAccounts, error)

GetAccountAccounts gets account.account existing records.

func (*Client) GetAccountAgedTrialBalance

func (c *Client) GetAccountAgedTrialBalance(id int64) (*AccountAgedTrialBalance, error)

GetAccountAgedTrialBalance gets account.aged.trial.balance existing record.

func (*Client) GetAccountAgedTrialBalances

func (c *Client) GetAccountAgedTrialBalances(ids []int64) (*AccountAgedTrialBalances, error)

GetAccountAgedTrialBalances gets account.aged.trial.balance existing records.

func (*Client) GetAccountAnalyticAccount

func (c *Client) GetAccountAnalyticAccount(id int64) (*AccountAnalyticAccount, error)

GetAccountAnalyticAccount gets account.analytic.account existing record.

func (*Client) GetAccountAnalyticAccounts

func (c *Client) GetAccountAnalyticAccounts(ids []int64) (*AccountAnalyticAccounts, error)

GetAccountAnalyticAccounts gets account.analytic.account existing records.

func (*Client) GetAccountAnalyticLine

func (c *Client) GetAccountAnalyticLine(id int64) (*AccountAnalyticLine, error)

GetAccountAnalyticLine gets account.analytic.line existing record.

func (*Client) GetAccountAnalyticLines

func (c *Client) GetAccountAnalyticLines(ids []int64) (*AccountAnalyticLines, error)

GetAccountAnalyticLines gets account.analytic.line existing records.

func (*Client) GetAccountAnalyticTag

func (c *Client) GetAccountAnalyticTag(id int64) (*AccountAnalyticTag, error)

GetAccountAnalyticTag gets account.analytic.tag existing record.

func (*Client) GetAccountAnalyticTags

func (c *Client) GetAccountAnalyticTags(ids []int64) (*AccountAnalyticTags, error)

GetAccountAnalyticTags gets account.analytic.tag existing records.

func (*Client) GetAccountBalanceReport

func (c *Client) GetAccountBalanceReport(id int64) (*AccountBalanceReport, error)

GetAccountBalanceReport gets account.balance.report existing record.

func (*Client) GetAccountBalanceReports

func (c *Client) GetAccountBalanceReports(ids []int64) (*AccountBalanceReports, error)

GetAccountBalanceReports gets account.balance.report existing records.

func (*Client) GetAccountBankAccountsWizard

func (c *Client) GetAccountBankAccountsWizard(id int64) (*AccountBankAccountsWizard, error)

GetAccountBankAccountsWizard gets account.bank.accounts.wizard existing record.

func (*Client) GetAccountBankAccountsWizards

func (c *Client) GetAccountBankAccountsWizards(ids []int64) (*AccountBankAccountsWizards, error)

GetAccountBankAccountsWizards gets account.bank.accounts.wizard existing records.

func (*Client) GetAccountBankStatement

func (c *Client) GetAccountBankStatement(id int64) (*AccountBankStatement, error)

GetAccountBankStatement gets account.bank.statement existing record.

func (*Client) GetAccountBankStatementCashbox

func (c *Client) GetAccountBankStatementCashbox(id int64) (*AccountBankStatementCashbox, error)

GetAccountBankStatementCashbox gets account.bank.statement.cashbox existing record.

func (*Client) GetAccountBankStatementCashboxs

func (c *Client) GetAccountBankStatementCashboxs(ids []int64) (*AccountBankStatementCashboxs, error)

GetAccountBankStatementCashboxs gets account.bank.statement.cashbox existing records.

func (*Client) GetAccountBankStatementClosebalance

func (c *Client) GetAccountBankStatementClosebalance(id int64) (*AccountBankStatementClosebalance, error)

GetAccountBankStatementClosebalance gets account.bank.statement.closebalance existing record.

func (*Client) GetAccountBankStatementClosebalances

func (c *Client) GetAccountBankStatementClosebalances(ids []int64) (*AccountBankStatementClosebalances, error)

GetAccountBankStatementClosebalances gets account.bank.statement.closebalance existing records.

func (*Client) GetAccountBankStatementImport

func (c *Client) GetAccountBankStatementImport(id int64) (*AccountBankStatementImport, error)

GetAccountBankStatementImport gets account.bank.statement.import existing record.

func (*Client) GetAccountBankStatementImportJournalCreation

func (c *Client) GetAccountBankStatementImportJournalCreation(id int64) (*AccountBankStatementImportJournalCreation, error)

GetAccountBankStatementImportJournalCreation gets account.bank.statement.import.journal.creation existing record.

func (*Client) GetAccountBankStatementImportJournalCreations

func (c *Client) GetAccountBankStatementImportJournalCreations(ids []int64) (*AccountBankStatementImportJournalCreations, error)

GetAccountBankStatementImportJournalCreations gets account.bank.statement.import.journal.creation existing records.

func (*Client) GetAccountBankStatementImports

func (c *Client) GetAccountBankStatementImports(ids []int64) (*AccountBankStatementImports, error)

GetAccountBankStatementImports gets account.bank.statement.import existing records.

func (*Client) GetAccountBankStatementLine

func (c *Client) GetAccountBankStatementLine(id int64) (*AccountBankStatementLine, error)

GetAccountBankStatementLine gets account.bank.statement.line existing record.

func (*Client) GetAccountBankStatementLines

func (c *Client) GetAccountBankStatementLines(ids []int64) (*AccountBankStatementLines, error)

GetAccountBankStatementLines gets account.bank.statement.line existing records.

func (*Client) GetAccountBankStatements

func (c *Client) GetAccountBankStatements(ids []int64) (*AccountBankStatements, error)

GetAccountBankStatements gets account.bank.statement existing records.

func (*Client) GetAccountCashRounding

func (c *Client) GetAccountCashRounding(id int64) (*AccountCashRounding, error)

GetAccountCashRounding gets account.cash.rounding existing record.

func (*Client) GetAccountCashRoundings

func (c *Client) GetAccountCashRoundings(ids []int64) (*AccountCashRoundings, error)

GetAccountCashRoundings gets account.cash.rounding existing records.

func (*Client) GetAccountCashboxLine

func (c *Client) GetAccountCashboxLine(id int64) (*AccountCashboxLine, error)

GetAccountCashboxLine gets account.cashbox.line existing record.

func (*Client) GetAccountCashboxLines

func (c *Client) GetAccountCashboxLines(ids []int64) (*AccountCashboxLines, error)

GetAccountCashboxLines gets account.cashbox.line existing records.

func (*Client) GetAccountChartTemplate

func (c *Client) GetAccountChartTemplate(id int64) (*AccountChartTemplate, error)

GetAccountChartTemplate gets account.chart.template existing record.

func (*Client) GetAccountChartTemplates

func (c *Client) GetAccountChartTemplates(ids []int64) (*AccountChartTemplates, error)

GetAccountChartTemplates gets account.chart.template existing records.

func (*Client) GetAccountCommonAccountReport

func (c *Client) GetAccountCommonAccountReport(id int64) (*AccountCommonAccountReport, error)

GetAccountCommonAccountReport gets account.common.account.report existing record.

func (*Client) GetAccountCommonAccountReports

func (c *Client) GetAccountCommonAccountReports(ids []int64) (*AccountCommonAccountReports, error)

GetAccountCommonAccountReports gets account.common.account.report existing records.

func (*Client) GetAccountCommonJournalReport

func (c *Client) GetAccountCommonJournalReport(id int64) (*AccountCommonJournalReport, error)

GetAccountCommonJournalReport gets account.common.journal.report existing record.

func (*Client) GetAccountCommonJournalReports

func (c *Client) GetAccountCommonJournalReports(ids []int64) (*AccountCommonJournalReports, error)

GetAccountCommonJournalReports gets account.common.journal.report existing records.

func (*Client) GetAccountCommonPartnerReport

func (c *Client) GetAccountCommonPartnerReport(id int64) (*AccountCommonPartnerReport, error)

GetAccountCommonPartnerReport gets account.common.partner.report existing record.

func (*Client) GetAccountCommonPartnerReports

func (c *Client) GetAccountCommonPartnerReports(ids []int64) (*AccountCommonPartnerReports, error)

GetAccountCommonPartnerReports gets account.common.partner.report existing records.

func (*Client) GetAccountCommonReport

func (c *Client) GetAccountCommonReport(id int64) (*AccountCommonReport, error)

GetAccountCommonReport gets account.common.report existing record.

func (*Client) GetAccountCommonReports

func (c *Client) GetAccountCommonReports(ids []int64) (*AccountCommonReports, error)

GetAccountCommonReports gets account.common.report existing records.

func (*Client) GetAccountFinancialReport

func (c *Client) GetAccountFinancialReport(id int64) (*AccountFinancialReport, error)

GetAccountFinancialReport gets account.financial.report existing record.

func (*Client) GetAccountFinancialReports

func (c *Client) GetAccountFinancialReports(ids []int64) (*AccountFinancialReports, error)

GetAccountFinancialReports gets account.financial.report existing records.

func (*Client) GetAccountFinancialYearOp

func (c *Client) GetAccountFinancialYearOp(id int64) (*AccountFinancialYearOp, error)

GetAccountFinancialYearOp gets account.financial.year.op existing record.

func (*Client) GetAccountFinancialYearOps

func (c *Client) GetAccountFinancialYearOps(ids []int64) (*AccountFinancialYearOps, error)

GetAccountFinancialYearOps gets account.financial.year.op existing records.

func (*Client) GetAccountFiscalPosition

func (c *Client) GetAccountFiscalPosition(id int64) (*AccountFiscalPosition, error)

GetAccountFiscalPosition gets account.fiscal.position existing record.

func (*Client) GetAccountFiscalPositionAccount

func (c *Client) GetAccountFiscalPositionAccount(id int64) (*AccountFiscalPositionAccount, error)

GetAccountFiscalPositionAccount gets account.fiscal.position.account existing record.

func (*Client) GetAccountFiscalPositionAccountTemplate

func (c *Client) GetAccountFiscalPositionAccountTemplate(id int64) (*AccountFiscalPositionAccountTemplate, error)

GetAccountFiscalPositionAccountTemplate gets account.fiscal.position.account.template existing record.

func (*Client) GetAccountFiscalPositionAccountTemplates

func (c *Client) GetAccountFiscalPositionAccountTemplates(ids []int64) (*AccountFiscalPositionAccountTemplates, error)

GetAccountFiscalPositionAccountTemplates gets account.fiscal.position.account.template existing records.

func (*Client) GetAccountFiscalPositionAccounts

func (c *Client) GetAccountFiscalPositionAccounts(ids []int64) (*AccountFiscalPositionAccounts, error)

GetAccountFiscalPositionAccounts gets account.fiscal.position.account existing records.

func (*Client) GetAccountFiscalPositionTax

func (c *Client) GetAccountFiscalPositionTax(id int64) (*AccountFiscalPositionTax, error)

GetAccountFiscalPositionTax gets account.fiscal.position.tax existing record.

func (*Client) GetAccountFiscalPositionTaxTemplate

func (c *Client) GetAccountFiscalPositionTaxTemplate(id int64) (*AccountFiscalPositionTaxTemplate, error)

GetAccountFiscalPositionTaxTemplate gets account.fiscal.position.tax.template existing record.

func (*Client) GetAccountFiscalPositionTaxTemplates

func (c *Client) GetAccountFiscalPositionTaxTemplates(ids []int64) (*AccountFiscalPositionTaxTemplates, error)

GetAccountFiscalPositionTaxTemplates gets account.fiscal.position.tax.template existing records.

func (*Client) GetAccountFiscalPositionTaxs

func (c *Client) GetAccountFiscalPositionTaxs(ids []int64) (*AccountFiscalPositionTaxs, error)

GetAccountFiscalPositionTaxs gets account.fiscal.position.tax existing records.

func (*Client) GetAccountFiscalPositionTemplate

func (c *Client) GetAccountFiscalPositionTemplate(id int64) (*AccountFiscalPositionTemplate, error)

GetAccountFiscalPositionTemplate gets account.fiscal.position.template existing record.

func (*Client) GetAccountFiscalPositionTemplates

func (c *Client) GetAccountFiscalPositionTemplates(ids []int64) (*AccountFiscalPositionTemplates, error)

GetAccountFiscalPositionTemplates gets account.fiscal.position.template existing records.

func (*Client) GetAccountFiscalPositions

func (c *Client) GetAccountFiscalPositions(ids []int64) (*AccountFiscalPositions, error)

GetAccountFiscalPositions gets account.fiscal.position existing records.

func (*Client) GetAccountFrFec

func (c *Client) GetAccountFrFec(id int64) (*AccountFrFec, error)

GetAccountFrFec gets account.fr.fec existing record.

func (*Client) GetAccountFrFecs

func (c *Client) GetAccountFrFecs(ids []int64) (*AccountFrFecs, error)

GetAccountFrFecs gets account.fr.fec existing records.

func (*Client) GetAccountFullReconcile

func (c *Client) GetAccountFullReconcile(id int64) (*AccountFullReconcile, error)

GetAccountFullReconcile gets account.full.reconcile existing record.

func (*Client) GetAccountFullReconciles

func (c *Client) GetAccountFullReconciles(ids []int64) (*AccountFullReconciles, error)

GetAccountFullReconciles gets account.full.reconcile existing records.

func (*Client) GetAccountGroup

func (c *Client) GetAccountGroup(id int64) (*AccountGroup, error)

GetAccountGroup gets account.group existing record.

func (*Client) GetAccountGroups

func (c *Client) GetAccountGroups(ids []int64) (*AccountGroups, error)

GetAccountGroups gets account.group existing records.

func (*Client) GetAccountInvoice

func (c *Client) GetAccountInvoice(id int64) (*AccountInvoice, error)

GetAccountInvoice gets account.invoice existing record.

func (*Client) GetAccountInvoiceConfirm

func (c *Client) GetAccountInvoiceConfirm(id int64) (*AccountInvoiceConfirm, error)

GetAccountInvoiceConfirm gets account.invoice.confirm existing record.

func (*Client) GetAccountInvoiceConfirms

func (c *Client) GetAccountInvoiceConfirms(ids []int64) (*AccountInvoiceConfirms, error)

GetAccountInvoiceConfirms gets account.invoice.confirm existing records.

func (*Client) GetAccountInvoiceLine

func (c *Client) GetAccountInvoiceLine(id int64) (*AccountInvoiceLine, error)

GetAccountInvoiceLine gets account.invoice.line existing record.

func (*Client) GetAccountInvoiceLines

func (c *Client) GetAccountInvoiceLines(ids []int64) (*AccountInvoiceLines, error)

GetAccountInvoiceLines gets account.invoice.line existing records.

func (*Client) GetAccountInvoiceRefund

func (c *Client) GetAccountInvoiceRefund(id int64) (*AccountInvoiceRefund, error)

GetAccountInvoiceRefund gets account.invoice.refund existing record.

func (*Client) GetAccountInvoiceRefunds

func (c *Client) GetAccountInvoiceRefunds(ids []int64) (*AccountInvoiceRefunds, error)

GetAccountInvoiceRefunds gets account.invoice.refund existing records.

func (*Client) GetAccountInvoiceReport

func (c *Client) GetAccountInvoiceReport(id int64) (*AccountInvoiceReport, error)

GetAccountInvoiceReport gets account.invoice.report existing record.

func (*Client) GetAccountInvoiceReports

func (c *Client) GetAccountInvoiceReports(ids []int64) (*AccountInvoiceReports, error)

GetAccountInvoiceReports gets account.invoice.report existing records.

func (*Client) GetAccountInvoiceTax

func (c *Client) GetAccountInvoiceTax(id int64) (*AccountInvoiceTax, error)

GetAccountInvoiceTax gets account.invoice.tax existing record.

func (*Client) GetAccountInvoiceTaxs

func (c *Client) GetAccountInvoiceTaxs(ids []int64) (*AccountInvoiceTaxs, error)

GetAccountInvoiceTaxs gets account.invoice.tax existing records.

func (*Client) GetAccountInvoices

func (c *Client) GetAccountInvoices(ids []int64) (*AccountInvoices, error)

GetAccountInvoices gets account.invoice existing records.

func (*Client) GetAccountJournal

func (c *Client) GetAccountJournal(id int64) (*AccountJournal, error)

GetAccountJournal gets account.journal existing record.

func (*Client) GetAccountJournals

func (c *Client) GetAccountJournals(ids []int64) (*AccountJournals, error)

GetAccountJournals gets account.journal existing records.

func (*Client) GetAccountMove

func (c *Client) GetAccountMove(id int64) (*AccountMove, error)

GetAccountMove gets account.move existing record.

func (*Client) GetAccountMoveLine

func (c *Client) GetAccountMoveLine(id int64) (*AccountMoveLine, error)

GetAccountMoveLine gets account.move.line existing record.

func (*Client) GetAccountMoveLineReconcile

func (c *Client) GetAccountMoveLineReconcile(id int64) (*AccountMoveLineReconcile, error)

GetAccountMoveLineReconcile gets account.move.line.reconcile existing record.

func (*Client) GetAccountMoveLineReconcileWriteoff

func (c *Client) GetAccountMoveLineReconcileWriteoff(id int64) (*AccountMoveLineReconcileWriteoff, error)

GetAccountMoveLineReconcileWriteoff gets account.move.line.reconcile.writeoff existing record.

func (*Client) GetAccountMoveLineReconcileWriteoffs

func (c *Client) GetAccountMoveLineReconcileWriteoffs(ids []int64) (*AccountMoveLineReconcileWriteoffs, error)

GetAccountMoveLineReconcileWriteoffs gets account.move.line.reconcile.writeoff existing records.

func (*Client) GetAccountMoveLineReconciles

func (c *Client) GetAccountMoveLineReconciles(ids []int64) (*AccountMoveLineReconciles, error)

GetAccountMoveLineReconciles gets account.move.line.reconcile existing records.

func (*Client) GetAccountMoveLines

func (c *Client) GetAccountMoveLines(ids []int64) (*AccountMoveLines, error)

GetAccountMoveLines gets account.move.line existing records.

func (*Client) GetAccountMoveReversal

func (c *Client) GetAccountMoveReversal(id int64) (*AccountMoveReversal, error)

GetAccountMoveReversal gets account.move.reversal existing record.

func (*Client) GetAccountMoveReversals

func (c *Client) GetAccountMoveReversals(ids []int64) (*AccountMoveReversals, error)

GetAccountMoveReversals gets account.move.reversal existing records.

func (*Client) GetAccountMoves

func (c *Client) GetAccountMoves(ids []int64) (*AccountMoves, error)

GetAccountMoves gets account.move existing records.

func (*Client) GetAccountOpening

func (c *Client) GetAccountOpening(id int64) (*AccountOpening, error)

GetAccountOpening gets account.opening existing record.

func (*Client) GetAccountOpenings

func (c *Client) GetAccountOpenings(ids []int64) (*AccountOpenings, error)

GetAccountOpenings gets account.opening existing records.

func (*Client) GetAccountPartialReconcile

func (c *Client) GetAccountPartialReconcile(id int64) (*AccountPartialReconcile, error)

GetAccountPartialReconcile gets account.partial.reconcile existing record.

func (*Client) GetAccountPartialReconciles

func (c *Client) GetAccountPartialReconciles(ids []int64) (*AccountPartialReconciles, error)

GetAccountPartialReconciles gets account.partial.reconcile existing records.

func (*Client) GetAccountPayment

func (c *Client) GetAccountPayment(id int64) (*AccountPayment, error)

GetAccountPayment gets account.payment existing record.

func (*Client) GetAccountPaymentMethod

func (c *Client) GetAccountPaymentMethod(id int64) (*AccountPaymentMethod, error)

GetAccountPaymentMethod gets account.payment.method existing record.

func (*Client) GetAccountPaymentMethods

func (c *Client) GetAccountPaymentMethods(ids []int64) (*AccountPaymentMethods, error)

GetAccountPaymentMethods gets account.payment.method existing records.

func (*Client) GetAccountPaymentTerm

func (c *Client) GetAccountPaymentTerm(id int64) (*AccountPaymentTerm, error)

GetAccountPaymentTerm gets account.payment.term existing record.

func (*Client) GetAccountPaymentTermLine

func (c *Client) GetAccountPaymentTermLine(id int64) (*AccountPaymentTermLine, error)

GetAccountPaymentTermLine gets account.payment.term.line existing record.

func (*Client) GetAccountPaymentTermLines

func (c *Client) GetAccountPaymentTermLines(ids []int64) (*AccountPaymentTermLines, error)

GetAccountPaymentTermLines gets account.payment.term.line existing records.

func (*Client) GetAccountPaymentTerms

func (c *Client) GetAccountPaymentTerms(ids []int64) (*AccountPaymentTerms, error)

GetAccountPaymentTerms gets account.payment.term existing records.

func (*Client) GetAccountPayments

func (c *Client) GetAccountPayments(ids []int64) (*AccountPayments, error)

GetAccountPayments gets account.payment existing records.

func (*Client) GetAccountPrintJournal

func (c *Client) GetAccountPrintJournal(id int64) (*AccountPrintJournal, error)

GetAccountPrintJournal gets account.print.journal existing record.

func (*Client) GetAccountPrintJournals

func (c *Client) GetAccountPrintJournals(ids []int64) (*AccountPrintJournals, error)

GetAccountPrintJournals gets account.print.journal existing records.

func (*Client) GetAccountReconcileModel

func (c *Client) GetAccountReconcileModel(id int64) (*AccountReconcileModel, error)

GetAccountReconcileModel gets account.reconcile.model existing record.

func (*Client) GetAccountReconcileModelTemplate

func (c *Client) GetAccountReconcileModelTemplate(id int64) (*AccountReconcileModelTemplate, error)

GetAccountReconcileModelTemplate gets account.reconcile.model.template existing record.

func (*Client) GetAccountReconcileModelTemplates

func (c *Client) GetAccountReconcileModelTemplates(ids []int64) (*AccountReconcileModelTemplates, error)

GetAccountReconcileModelTemplates gets account.reconcile.model.template existing records.

func (*Client) GetAccountReconcileModels

func (c *Client) GetAccountReconcileModels(ids []int64) (*AccountReconcileModels, error)

GetAccountReconcileModels gets account.reconcile.model existing records.

func (*Client) GetAccountRegisterPayments

func (c *Client) GetAccountRegisterPayments(id int64) (*AccountRegisterPayments, error)

GetAccountRegisterPayments gets account.register.payments existing record.

func (*Client) GetAccountRegisterPaymentss

func (c *Client) GetAccountRegisterPaymentss(ids []int64) (*AccountRegisterPaymentss, error)

GetAccountRegisterPaymentss gets account.register.payments existing records.

func (*Client) GetAccountReportGeneralLedger

func (c *Client) GetAccountReportGeneralLedger(id int64) (*AccountReportGeneralLedger, error)

GetAccountReportGeneralLedger gets account.report.general.ledger existing record.

func (*Client) GetAccountReportGeneralLedgers

func (c *Client) GetAccountReportGeneralLedgers(ids []int64) (*AccountReportGeneralLedgers, error)

GetAccountReportGeneralLedgers gets account.report.general.ledger existing records.

func (*Client) GetAccountReportPartnerLedger

func (c *Client) GetAccountReportPartnerLedger(id int64) (*AccountReportPartnerLedger, error)

GetAccountReportPartnerLedger gets account.report.partner.ledger existing record.

func (*Client) GetAccountReportPartnerLedgers

func (c *Client) GetAccountReportPartnerLedgers(ids []int64) (*AccountReportPartnerLedgers, error)

GetAccountReportPartnerLedgers gets account.report.partner.ledger existing records.

func (*Client) GetAccountTax

func (c *Client) GetAccountTax(id int64) (*AccountTax, error)

GetAccountTax gets account.tax existing record.

func (*Client) GetAccountTaxGroup

func (c *Client) GetAccountTaxGroup(id int64) (*AccountTaxGroup, error)

GetAccountTaxGroup gets account.tax.group existing record.

func (*Client) GetAccountTaxGroups

func (c *Client) GetAccountTaxGroups(ids []int64) (*AccountTaxGroups, error)

GetAccountTaxGroups gets account.tax.group existing records.

func (*Client) GetAccountTaxReport

func (c *Client) GetAccountTaxReport(id int64) (*AccountTaxReport, error)

GetAccountTaxReport gets account.tax.report existing record.

func (*Client) GetAccountTaxReports

func (c *Client) GetAccountTaxReports(ids []int64) (*AccountTaxReports, error)

GetAccountTaxReports gets account.tax.report existing records.

func (*Client) GetAccountTaxTemplate

func (c *Client) GetAccountTaxTemplate(id int64) (*AccountTaxTemplate, error)

GetAccountTaxTemplate gets account.tax.template existing record.

func (*Client) GetAccountTaxTemplates

func (c *Client) GetAccountTaxTemplates(ids []int64) (*AccountTaxTemplates, error)

GetAccountTaxTemplates gets account.tax.template existing records.

func (*Client) GetAccountTaxs

func (c *Client) GetAccountTaxs(ids []int64) (*AccountTaxs, error)

GetAccountTaxs gets account.tax existing records.

func (*Client) GetAccountUnreconcile

func (c *Client) GetAccountUnreconcile(id int64) (*AccountUnreconcile, error)

GetAccountUnreconcile gets account.unreconcile existing record.

func (*Client) GetAccountUnreconciles

func (c *Client) GetAccountUnreconciles(ids []int64) (*AccountUnreconciles, error)

GetAccountUnreconciles gets account.unreconcile existing records.

func (*Client) GetAccountingReport

func (c *Client) GetAccountingReport(id int64) (*AccountingReport, error)

GetAccountingReport gets accounting.report existing record.

func (*Client) GetAccountingReports

func (c *Client) GetAccountingReports(ids []int64) (*AccountingReports, error)

GetAccountingReports gets accounting.report existing records.

func (*Client) GetAutosalesConfig

func (c *Client) GetAutosalesConfig(id int64) (*AutosalesConfig, error)

GetAutosalesConfig gets autosales.config existing record.

func (*Client) GetAutosalesConfigLine

func (c *Client) GetAutosalesConfigLine(id int64) (*AutosalesConfigLine, error)

GetAutosalesConfigLine gets autosales.config.line existing record.

func (*Client) GetAutosalesConfigLines

func (c *Client) GetAutosalesConfigLines(ids []int64) (*AutosalesConfigLines, error)

GetAutosalesConfigLines gets autosales.config.line existing records.

func (*Client) GetAutosalesConfigs

func (c *Client) GetAutosalesConfigs(ids []int64) (*AutosalesConfigs, error)

GetAutosalesConfigs gets autosales.config existing records.

func (*Client) GetBarcodeNomenclature

func (c *Client) GetBarcodeNomenclature(id int64) (*BarcodeNomenclature, error)

GetBarcodeNomenclature gets barcode.nomenclature existing record.

func (*Client) GetBarcodeNomenclatures

func (c *Client) GetBarcodeNomenclatures(ids []int64) (*BarcodeNomenclatures, error)

GetBarcodeNomenclatures gets barcode.nomenclature existing records.

func (*Client) GetBarcodeRule

func (c *Client) GetBarcodeRule(id int64) (*BarcodeRule, error)

GetBarcodeRule gets barcode.rule existing record.

func (*Client) GetBarcodeRules

func (c *Client) GetBarcodeRules(ids []int64) (*BarcodeRules, error)

GetBarcodeRules gets barcode.rule existing records.

func (*Client) GetBarcodesBarcodeEventsMixin

func (c *Client) GetBarcodesBarcodeEventsMixin(id int64) (*BarcodesBarcodeEventsMixin, error)

GetBarcodesBarcodeEventsMixin gets barcodes.barcode_events_mixin existing record.

func (*Client) GetBarcodesBarcodeEventsMixins

func (c *Client) GetBarcodesBarcodeEventsMixins(ids []int64) (*BarcodesBarcodeEventsMixins, error)

GetBarcodesBarcodeEventsMixins gets barcodes.barcode_events_mixin existing records.

func (*Client) GetBase

func (c *Client) GetBase(id int64) (*Base, error)

GetBase gets base existing record.

func (*Client) GetBaseImportImport

func (c *Client) GetBaseImportImport(id int64) (*BaseImportImport, error)

GetBaseImportImport gets base_import.import existing record.

func (*Client) GetBaseImportImports

func (c *Client) GetBaseImportImports(ids []int64) (*BaseImportImports, error)

GetBaseImportImports gets base_import.import existing records.

func (*Client) GetBaseImportTestsModelsChar

func (c *Client) GetBaseImportTestsModelsChar(id int64) (*BaseImportTestsModelsChar, error)

GetBaseImportTestsModelsChar gets base_import.tests.models.char existing record.

func (*Client) GetBaseImportTestsModelsCharNoreadonly

func (c *Client) GetBaseImportTestsModelsCharNoreadonly(id int64) (*BaseImportTestsModelsCharNoreadonly, error)

GetBaseImportTestsModelsCharNoreadonly gets base_import.tests.models.char.noreadonly existing record.

func (*Client) GetBaseImportTestsModelsCharNoreadonlys

func (c *Client) GetBaseImportTestsModelsCharNoreadonlys(ids []int64) (*BaseImportTestsModelsCharNoreadonlys, error)

GetBaseImportTestsModelsCharNoreadonlys gets base_import.tests.models.char.noreadonly existing records.

func (*Client) GetBaseImportTestsModelsCharReadonly

func (c *Client) GetBaseImportTestsModelsCharReadonly(id int64) (*BaseImportTestsModelsCharReadonly, error)

GetBaseImportTestsModelsCharReadonly gets base_import.tests.models.char.readonly existing record.

func (*Client) GetBaseImportTestsModelsCharReadonlys

func (c *Client) GetBaseImportTestsModelsCharReadonlys(ids []int64) (*BaseImportTestsModelsCharReadonlys, error)

GetBaseImportTestsModelsCharReadonlys gets base_import.tests.models.char.readonly existing records.

func (*Client) GetBaseImportTestsModelsCharRequired

func (c *Client) GetBaseImportTestsModelsCharRequired(id int64) (*BaseImportTestsModelsCharRequired, error)

GetBaseImportTestsModelsCharRequired gets base_import.tests.models.char.required existing record.

func (*Client) GetBaseImportTestsModelsCharRequireds

func (c *Client) GetBaseImportTestsModelsCharRequireds(ids []int64) (*BaseImportTestsModelsCharRequireds, error)

GetBaseImportTestsModelsCharRequireds gets base_import.tests.models.char.required existing records.

func (*Client) GetBaseImportTestsModelsCharStates

func (c *Client) GetBaseImportTestsModelsCharStates(id int64) (*BaseImportTestsModelsCharStates, error)

GetBaseImportTestsModelsCharStates gets base_import.tests.models.char.states existing record.

func (*Client) GetBaseImportTestsModelsCharStatess

func (c *Client) GetBaseImportTestsModelsCharStatess(ids []int64) (*BaseImportTestsModelsCharStatess, error)

GetBaseImportTestsModelsCharStatess gets base_import.tests.models.char.states existing records.

func (*Client) GetBaseImportTestsModelsCharStillreadonly

func (c *Client) GetBaseImportTestsModelsCharStillreadonly(id int64) (*BaseImportTestsModelsCharStillreadonly, error)

GetBaseImportTestsModelsCharStillreadonly gets base_import.tests.models.char.stillreadonly existing record.

func (*Client) GetBaseImportTestsModelsCharStillreadonlys

func (c *Client) GetBaseImportTestsModelsCharStillreadonlys(ids []int64) (*BaseImportTestsModelsCharStillreadonlys, error)

GetBaseImportTestsModelsCharStillreadonlys gets base_import.tests.models.char.stillreadonly existing records.

func (*Client) GetBaseImportTestsModelsChars

func (c *Client) GetBaseImportTestsModelsChars(ids []int64) (*BaseImportTestsModelsChars, error)

GetBaseImportTestsModelsChars gets base_import.tests.models.char existing records.

func (*Client) GetBaseImportTestsModelsM2O

func (c *Client) GetBaseImportTestsModelsM2O(id int64) (*BaseImportTestsModelsM2O, error)

GetBaseImportTestsModelsM2O gets base_import.tests.models.m2o existing record.

func (*Client) GetBaseImportTestsModelsM2ORelated

func (c *Client) GetBaseImportTestsModelsM2ORelated(id int64) (*BaseImportTestsModelsM2ORelated, error)

GetBaseImportTestsModelsM2ORelated gets base_import.tests.models.m2o.related existing record.

func (*Client) GetBaseImportTestsModelsM2ORelateds

func (c *Client) GetBaseImportTestsModelsM2ORelateds(ids []int64) (*BaseImportTestsModelsM2ORelateds, error)

GetBaseImportTestsModelsM2ORelateds gets base_import.tests.models.m2o.related existing records.

func (*Client) GetBaseImportTestsModelsM2ORequired

func (c *Client) GetBaseImportTestsModelsM2ORequired(id int64) (*BaseImportTestsModelsM2ORequired, error)

GetBaseImportTestsModelsM2ORequired gets base_import.tests.models.m2o.required existing record.

func (*Client) GetBaseImportTestsModelsM2ORequiredRelated

func (c *Client) GetBaseImportTestsModelsM2ORequiredRelated(id int64) (*BaseImportTestsModelsM2ORequiredRelated, error)

GetBaseImportTestsModelsM2ORequiredRelated gets base_import.tests.models.m2o.required.related existing record.

func (*Client) GetBaseImportTestsModelsM2ORequiredRelateds

func (c *Client) GetBaseImportTestsModelsM2ORequiredRelateds(ids []int64) (*BaseImportTestsModelsM2ORequiredRelateds, error)

GetBaseImportTestsModelsM2ORequiredRelateds gets base_import.tests.models.m2o.required.related existing records.

func (*Client) GetBaseImportTestsModelsM2ORequireds

func (c *Client) GetBaseImportTestsModelsM2ORequireds(ids []int64) (*BaseImportTestsModelsM2ORequireds, error)

GetBaseImportTestsModelsM2ORequireds gets base_import.tests.models.m2o.required existing records.

func (*Client) GetBaseImportTestsModelsM2Os

func (c *Client) GetBaseImportTestsModelsM2Os(ids []int64) (*BaseImportTestsModelsM2Os, error)

GetBaseImportTestsModelsM2Os gets base_import.tests.models.m2o existing records.

func (*Client) GetBaseImportTestsModelsO2M

func (c *Client) GetBaseImportTestsModelsO2M(id int64) (*BaseImportTestsModelsO2M, error)

GetBaseImportTestsModelsO2M gets base_import.tests.models.o2m existing record.

func (*Client) GetBaseImportTestsModelsO2MChild

func (c *Client) GetBaseImportTestsModelsO2MChild(id int64) (*BaseImportTestsModelsO2MChild, error)

GetBaseImportTestsModelsO2MChild gets base_import.tests.models.o2m.child existing record.

func (*Client) GetBaseImportTestsModelsO2MChilds

func (c *Client) GetBaseImportTestsModelsO2MChilds(ids []int64) (*BaseImportTestsModelsO2MChilds, error)

GetBaseImportTestsModelsO2MChilds gets base_import.tests.models.o2m.child existing records.

func (*Client) GetBaseImportTestsModelsO2Ms

func (c *Client) GetBaseImportTestsModelsO2Ms(ids []int64) (*BaseImportTestsModelsO2Ms, error)

GetBaseImportTestsModelsO2Ms gets base_import.tests.models.o2m existing records.

func (*Client) GetBaseImportTestsModelsPreview

func (c *Client) GetBaseImportTestsModelsPreview(id int64) (*BaseImportTestsModelsPreview, error)

GetBaseImportTestsModelsPreview gets base_import.tests.models.preview existing record.

func (*Client) GetBaseImportTestsModelsPreviews

func (c *Client) GetBaseImportTestsModelsPreviews(ids []int64) (*BaseImportTestsModelsPreviews, error)

GetBaseImportTestsModelsPreviews gets base_import.tests.models.preview existing records.

func (*Client) GetBaseLanguageExport

func (c *Client) GetBaseLanguageExport(id int64) (*BaseLanguageExport, error)

GetBaseLanguageExport gets base.language.export existing record.

func (*Client) GetBaseLanguageExports

func (c *Client) GetBaseLanguageExports(ids []int64) (*BaseLanguageExports, error)

GetBaseLanguageExports gets base.language.export existing records.

func (*Client) GetBaseLanguageImport

func (c *Client) GetBaseLanguageImport(id int64) (*BaseLanguageImport, error)

GetBaseLanguageImport gets base.language.import existing record.

func (*Client) GetBaseLanguageImports

func (c *Client) GetBaseLanguageImports(ids []int64) (*BaseLanguageImports, error)

GetBaseLanguageImports gets base.language.import existing records.

func (*Client) GetBaseLanguageInstall

func (c *Client) GetBaseLanguageInstall(id int64) (*BaseLanguageInstall, error)

GetBaseLanguageInstall gets base.language.install existing record.

func (*Client) GetBaseLanguageInstalls

func (c *Client) GetBaseLanguageInstalls(ids []int64) (*BaseLanguageInstalls, error)

GetBaseLanguageInstalls gets base.language.install existing records.

func (*Client) GetBaseModuleUninstall

func (c *Client) GetBaseModuleUninstall(id int64) (*BaseModuleUninstall, error)

GetBaseModuleUninstall gets base.module.uninstall existing record.

func (*Client) GetBaseModuleUninstalls

func (c *Client) GetBaseModuleUninstalls(ids []int64) (*BaseModuleUninstalls, error)

GetBaseModuleUninstalls gets base.module.uninstall existing records.

func (*Client) GetBaseModuleUpdate

func (c *Client) GetBaseModuleUpdate(id int64) (*BaseModuleUpdate, error)

GetBaseModuleUpdate gets base.module.update existing record.

func (*Client) GetBaseModuleUpdates

func (c *Client) GetBaseModuleUpdates(ids []int64) (*BaseModuleUpdates, error)

GetBaseModuleUpdates gets base.module.update existing records.

func (*Client) GetBaseModuleUpgrade

func (c *Client) GetBaseModuleUpgrade(id int64) (*BaseModuleUpgrade, error)

GetBaseModuleUpgrade gets base.module.upgrade existing record.

func (*Client) GetBaseModuleUpgrades

func (c *Client) GetBaseModuleUpgrades(ids []int64) (*BaseModuleUpgrades, error)

GetBaseModuleUpgrades gets base.module.upgrade existing records.

func (*Client) GetBasePartnerMergeAutomaticWizard

func (c *Client) GetBasePartnerMergeAutomaticWizard(id int64) (*BasePartnerMergeAutomaticWizard, error)

GetBasePartnerMergeAutomaticWizard gets base.partner.merge.automatic.wizard existing record.

func (*Client) GetBasePartnerMergeAutomaticWizards

func (c *Client) GetBasePartnerMergeAutomaticWizards(ids []int64) (*BasePartnerMergeAutomaticWizards, error)

GetBasePartnerMergeAutomaticWizards gets base.partner.merge.automatic.wizard existing records.

func (*Client) GetBasePartnerMergeLine

func (c *Client) GetBasePartnerMergeLine(id int64) (*BasePartnerMergeLine, error)

GetBasePartnerMergeLine gets base.partner.merge.line existing record.

func (*Client) GetBasePartnerMergeLines

func (c *Client) GetBasePartnerMergeLines(ids []int64) (*BasePartnerMergeLines, error)

GetBasePartnerMergeLines gets base.partner.merge.line existing records.

func (*Client) GetBaseUpdateTranslations

func (c *Client) GetBaseUpdateTranslations(id int64) (*BaseUpdateTranslations, error)

GetBaseUpdateTranslations gets base.update.translations existing record.

func (*Client) GetBaseUpdateTranslationss

func (c *Client) GetBaseUpdateTranslationss(ids []int64) (*BaseUpdateTranslationss, error)

GetBaseUpdateTranslationss gets base.update.translations existing records.

func (*Client) GetBases

func (c *Client) GetBases(ids []int64) (*Bases, error)

GetBases gets base existing records.

func (*Client) GetBoardBoard

func (c *Client) GetBoardBoard(id int64) (*BoardBoard, error)

GetBoardBoard gets board.board existing record.

func (*Client) GetBoardBoards

func (c *Client) GetBoardBoards(ids []int64) (*BoardBoards, error)

GetBoardBoards gets board.board existing records.

func (*Client) GetBusBus

func (c *Client) GetBusBus(id int64) (*BusBus, error)

GetBusBus gets bus.bus existing record.

func (*Client) GetBusBuss

func (c *Client) GetBusBuss(ids []int64) (*BusBuss, error)

GetBusBuss gets bus.bus existing records.

func (*Client) GetBusPresence

func (c *Client) GetBusPresence(id int64) (*BusPresence, error)

GetBusPresence gets bus.presence existing record.

func (*Client) GetBusPresences

func (c *Client) GetBusPresences(ids []int64) (*BusPresences, error)

GetBusPresences gets bus.presence existing records.

func (*Client) GetCalendarAlarm

func (c *Client) GetCalendarAlarm(id int64) (*CalendarAlarm, error)

GetCalendarAlarm gets calendar.alarm existing record.

func (*Client) GetCalendarAlarmManager

func (c *Client) GetCalendarAlarmManager(id int64) (*CalendarAlarmManager, error)

GetCalendarAlarmManager gets calendar.alarm_manager existing record.

func (*Client) GetCalendarAlarmManagers

func (c *Client) GetCalendarAlarmManagers(ids []int64) (*CalendarAlarmManagers, error)

GetCalendarAlarmManagers gets calendar.alarm_manager existing records.

func (*Client) GetCalendarAlarms

func (c *Client) GetCalendarAlarms(ids []int64) (*CalendarAlarms, error)

GetCalendarAlarms gets calendar.alarm existing records.

func (*Client) GetCalendarAttendee

func (c *Client) GetCalendarAttendee(id int64) (*CalendarAttendee, error)

GetCalendarAttendee gets calendar.attendee existing record.

func (*Client) GetCalendarAttendees

func (c *Client) GetCalendarAttendees(ids []int64) (*CalendarAttendees, error)

GetCalendarAttendees gets calendar.attendee existing records.

func (*Client) GetCalendarContacts

func (c *Client) GetCalendarContacts(id int64) (*CalendarContacts, error)

GetCalendarContacts gets calendar.contacts existing record.

func (*Client) GetCalendarContactss

func (c *Client) GetCalendarContactss(ids []int64) (*CalendarContactss, error)

GetCalendarContactss gets calendar.contacts existing records.

func (*Client) GetCalendarEvent

func (c *Client) GetCalendarEvent(id int64) (*CalendarEvent, error)

GetCalendarEvent gets calendar.event existing record.

func (*Client) GetCalendarEventType

func (c *Client) GetCalendarEventType(id int64) (*CalendarEventType, error)

GetCalendarEventType gets calendar.event.type existing record.

func (*Client) GetCalendarEventTypes

func (c *Client) GetCalendarEventTypes(ids []int64) (*CalendarEventTypes, error)

GetCalendarEventTypes gets calendar.event.type existing records.

func (*Client) GetCalendarEvents

func (c *Client) GetCalendarEvents(ids []int64) (*CalendarEvents, error)

GetCalendarEvents gets calendar.event existing records.

func (*Client) GetCashBoxIn

func (c *Client) GetCashBoxIn(id int64) (*CashBoxIn, error)

GetCashBoxIn gets cash.box.in existing record.

func (*Client) GetCashBoxIns

func (c *Client) GetCashBoxIns(ids []int64) (*CashBoxIns, error)

GetCashBoxIns gets cash.box.in existing records.

func (*Client) GetCashBoxOut

func (c *Client) GetCashBoxOut(id int64) (*CashBoxOut, error)

GetCashBoxOut gets cash.box.out existing record.

func (*Client) GetCashBoxOuts

func (c *Client) GetCashBoxOuts(ids []int64) (*CashBoxOuts, error)

GetCashBoxOuts gets cash.box.out existing records.

func (*Client) GetChangePasswordUser

func (c *Client) GetChangePasswordUser(id int64) (*ChangePasswordUser, error)

GetChangePasswordUser gets change.password.user existing record.

func (*Client) GetChangePasswordUsers

func (c *Client) GetChangePasswordUsers(ids []int64) (*ChangePasswordUsers, error)

GetChangePasswordUsers gets change.password.user existing records.

func (*Client) GetChangePasswordWizard

func (c *Client) GetChangePasswordWizard(id int64) (*ChangePasswordWizard, error)

GetChangePasswordWizard gets change.password.wizard existing record.

func (*Client) GetChangePasswordWizards

func (c *Client) GetChangePasswordWizards(ids []int64) (*ChangePasswordWizards, error)

GetChangePasswordWizards gets change.password.wizard existing records.

func (*Client) GetCrmActivityReport

func (c *Client) GetCrmActivityReport(id int64) (*CrmActivityReport, error)

GetCrmActivityReport gets crm.activity.report existing record.

func (*Client) GetCrmActivityReports

func (c *Client) GetCrmActivityReports(ids []int64) (*CrmActivityReports, error)

GetCrmActivityReports gets crm.activity.report existing records.

func (*Client) GetCrmLead

func (c *Client) GetCrmLead(id int64) (*CrmLead, error)

GetCrmLead gets crm.lead existing record.

func (*Client) GetCrmLead2OpportunityPartner

func (c *Client) GetCrmLead2OpportunityPartner(id int64) (*CrmLead2OpportunityPartner, error)

GetCrmLead2OpportunityPartner gets crm.lead2opportunity.partner existing record.

func (*Client) GetCrmLead2OpportunityPartnerMass

func (c *Client) GetCrmLead2OpportunityPartnerMass(id int64) (*CrmLead2OpportunityPartnerMass, error)

GetCrmLead2OpportunityPartnerMass gets crm.lead2opportunity.partner.mass existing record.

func (*Client) GetCrmLead2OpportunityPartnerMasss

func (c *Client) GetCrmLead2OpportunityPartnerMasss(ids []int64) (*CrmLead2OpportunityPartnerMasss, error)

GetCrmLead2OpportunityPartnerMasss gets crm.lead2opportunity.partner.mass existing records.

func (*Client) GetCrmLead2OpportunityPartners

func (c *Client) GetCrmLead2OpportunityPartners(ids []int64) (*CrmLead2OpportunityPartners, error)

GetCrmLead2OpportunityPartners gets crm.lead2opportunity.partner existing records.

func (*Client) GetCrmLeadLost

func (c *Client) GetCrmLeadLost(id int64) (*CrmLeadLost, error)

GetCrmLeadLost gets crm.lead.lost existing record.

func (*Client) GetCrmLeadLosts

func (c *Client) GetCrmLeadLosts(ids []int64) (*CrmLeadLosts, error)

GetCrmLeadLosts gets crm.lead.lost existing records.

func (*Client) GetCrmLeadTag

func (c *Client) GetCrmLeadTag(id int64) (*CrmLeadTag, error)

GetCrmLeadTag gets crm.lead.tag existing record.

func (*Client) GetCrmLeadTags

func (c *Client) GetCrmLeadTags(ids []int64) (*CrmLeadTags, error)

GetCrmLeadTags gets crm.lead.tag existing records.

func (*Client) GetCrmLeads

func (c *Client) GetCrmLeads(ids []int64) (*CrmLeads, error)

GetCrmLeads gets crm.lead existing records.

func (*Client) GetCrmLostReason

func (c *Client) GetCrmLostReason(id int64) (*CrmLostReason, error)

GetCrmLostReason gets crm.lost.reason existing record.

func (*Client) GetCrmLostReasons

func (c *Client) GetCrmLostReasons(ids []int64) (*CrmLostReasons, error)

GetCrmLostReasons gets crm.lost.reason existing records.

func (*Client) GetCrmMergeOpportunity

func (c *Client) GetCrmMergeOpportunity(id int64) (*CrmMergeOpportunity, error)

GetCrmMergeOpportunity gets crm.merge.opportunity existing record.

func (*Client) GetCrmMergeOpportunitys

func (c *Client) GetCrmMergeOpportunitys(ids []int64) (*CrmMergeOpportunitys, error)

GetCrmMergeOpportunitys gets crm.merge.opportunity existing records.

func (*Client) GetCrmOpportunityReport

func (c *Client) GetCrmOpportunityReport(id int64) (*CrmOpportunityReport, error)

GetCrmOpportunityReport gets crm.opportunity.report existing record.

func (*Client) GetCrmOpportunityReports

func (c *Client) GetCrmOpportunityReports(ids []int64) (*CrmOpportunityReports, error)

GetCrmOpportunityReports gets crm.opportunity.report existing records.

func (*Client) GetCrmPartnerBinding

func (c *Client) GetCrmPartnerBinding(id int64) (*CrmPartnerBinding, error)

GetCrmPartnerBinding gets crm.partner.binding existing record.

func (*Client) GetCrmPartnerBindings

func (c *Client) GetCrmPartnerBindings(ids []int64) (*CrmPartnerBindings, error)

GetCrmPartnerBindings gets crm.partner.binding existing records.

func (*Client) GetCrmStage

func (c *Client) GetCrmStage(id int64) (*CrmStage, error)

GetCrmStage gets crm.stage existing record.

func (*Client) GetCrmStages

func (c *Client) GetCrmStages(ids []int64) (*CrmStages, error)

GetCrmStages gets crm.stage existing records.

func (*Client) GetCrmTeam

func (c *Client) GetCrmTeam(id int64) (*CrmTeam, error)

GetCrmTeam gets crm.team existing record.

func (*Client) GetCrmTeams

func (c *Client) GetCrmTeams(ids []int64) (*CrmTeams, error)

GetCrmTeams gets crm.team existing records.

func (*Client) GetDecimalPrecision

func (c *Client) GetDecimalPrecision(id int64) (*DecimalPrecision, error)

GetDecimalPrecision gets decimal.precision existing record.

func (*Client) GetDecimalPrecisions

func (c *Client) GetDecimalPrecisions(ids []int64) (*DecimalPrecisions, error)

GetDecimalPrecisions gets decimal.precision existing records.

func (*Client) GetEmailTemplatePreview

func (c *Client) GetEmailTemplatePreview(id int64) (*EmailTemplatePreview, error)

GetEmailTemplatePreview gets email_template.preview existing record.

func (*Client) GetEmailTemplatePreviews

func (c *Client) GetEmailTemplatePreviews(ids []int64) (*EmailTemplatePreviews, error)

GetEmailTemplatePreviews gets email_template.preview existing records.

func (*Client) GetFetchmailServer

func (c *Client) GetFetchmailServer(id int64) (*FetchmailServer, error)

GetFetchmailServer gets fetchmail.server existing record.

func (*Client) GetFetchmailServers

func (c *Client) GetFetchmailServers(ids []int64) (*FetchmailServers, error)

GetFetchmailServers gets fetchmail.server existing records.

func (*Client) GetFormatAddressMixin

func (c *Client) GetFormatAddressMixin(id int64) (*FormatAddressMixin, error)

GetFormatAddressMixin gets format.address.mixin existing record.

func (*Client) GetFormatAddressMixins

func (c *Client) GetFormatAddressMixins(ids []int64) (*FormatAddressMixins, error)

GetFormatAddressMixins gets format.address.mixin existing records.

func (*Client) GetHrDepartment

func (c *Client) GetHrDepartment(id int64) (*HrDepartment, error)

GetHrDepartment gets hr.department existing record.

func (*Client) GetHrDepartments

func (c *Client) GetHrDepartments(ids []int64) (*HrDepartments, error)

GetHrDepartments gets hr.department existing records.

func (*Client) GetHrEmployee

func (c *Client) GetHrEmployee(id int64) (*HrEmployee, error)

GetHrEmployee gets hr.employee existing record.

func (*Client) GetHrEmployeeCategory

func (c *Client) GetHrEmployeeCategory(id int64) (*HrEmployeeCategory, error)

GetHrEmployeeCategory gets hr.employee.category existing record.

func (*Client) GetHrEmployeeCategorys

func (c *Client) GetHrEmployeeCategorys(ids []int64) (*HrEmployeeCategorys, error)

GetHrEmployeeCategorys gets hr.employee.category existing records.

func (*Client) GetHrEmployees

func (c *Client) GetHrEmployees(ids []int64) (*HrEmployees, error)

GetHrEmployees gets hr.employee existing records.

func (*Client) GetHrHolidays

func (c *Client) GetHrHolidays(id int64) (*HrHolidays, error)

GetHrHolidays gets hr.holidays existing record.

func (*Client) GetHrHolidaysRemainingLeavesUser

func (c *Client) GetHrHolidaysRemainingLeavesUser(id int64) (*HrHolidaysRemainingLeavesUser, error)

GetHrHolidaysRemainingLeavesUser gets hr.holidays.remaining.leaves.user existing record.

func (*Client) GetHrHolidaysRemainingLeavesUsers

func (c *Client) GetHrHolidaysRemainingLeavesUsers(ids []int64) (*HrHolidaysRemainingLeavesUsers, error)

GetHrHolidaysRemainingLeavesUsers gets hr.holidays.remaining.leaves.user existing records.

func (*Client) GetHrHolidaysStatus

func (c *Client) GetHrHolidaysStatus(id int64) (*HrHolidaysStatus, error)

GetHrHolidaysStatus gets hr.holidays.status existing record.

func (*Client) GetHrHolidaysStatuss

func (c *Client) GetHrHolidaysStatuss(ids []int64) (*HrHolidaysStatuss, error)

GetHrHolidaysStatuss gets hr.holidays.status existing records.

func (*Client) GetHrHolidaysSummaryDept

func (c *Client) GetHrHolidaysSummaryDept(id int64) (*HrHolidaysSummaryDept, error)

GetHrHolidaysSummaryDept gets hr.holidays.summary.dept existing record.

func (*Client) GetHrHolidaysSummaryDepts

func (c *Client) GetHrHolidaysSummaryDepts(ids []int64) (*HrHolidaysSummaryDepts, error)

GetHrHolidaysSummaryDepts gets hr.holidays.summary.dept existing records.

func (*Client) GetHrHolidaysSummaryEmployee

func (c *Client) GetHrHolidaysSummaryEmployee(id int64) (*HrHolidaysSummaryEmployee, error)

GetHrHolidaysSummaryEmployee gets hr.holidays.summary.employee existing record.

func (*Client) GetHrHolidaysSummaryEmployees

func (c *Client) GetHrHolidaysSummaryEmployees(ids []int64) (*HrHolidaysSummaryEmployees, error)

GetHrHolidaysSummaryEmployees gets hr.holidays.summary.employee existing records.

func (*Client) GetHrHolidayss

func (c *Client) GetHrHolidayss(ids []int64) (*HrHolidayss, error)

GetHrHolidayss gets hr.holidays existing records.

func (*Client) GetHrJob

func (c *Client) GetHrJob(id int64) (*HrJob, error)

GetHrJob gets hr.job existing record.

func (*Client) GetHrJobs

func (c *Client) GetHrJobs(ids []int64) (*HrJobs, error)

GetHrJobs gets hr.job existing records.

func (*Client) GetIapAccount

func (c *Client) GetIapAccount(id int64) (*IapAccount, error)

GetIapAccount gets iap.account existing record.

func (*Client) GetIapAccounts

func (c *Client) GetIapAccounts(ids []int64) (*IapAccounts, error)

GetIapAccounts gets iap.account existing records.

func (*Client) GetImLivechatChannel

func (c *Client) GetImLivechatChannel(id int64) (*ImLivechatChannel, error)

GetImLivechatChannel gets im_livechat.channel existing record.

func (*Client) GetImLivechatChannelRule

func (c *Client) GetImLivechatChannelRule(id int64) (*ImLivechatChannelRule, error)

GetImLivechatChannelRule gets im_livechat.channel.rule existing record.

func (*Client) GetImLivechatChannelRules

func (c *Client) GetImLivechatChannelRules(ids []int64) (*ImLivechatChannelRules, error)

GetImLivechatChannelRules gets im_livechat.channel.rule existing records.

func (*Client) GetImLivechatChannels

func (c *Client) GetImLivechatChannels(ids []int64) (*ImLivechatChannels, error)

GetImLivechatChannels gets im_livechat.channel existing records.

func (*Client) GetImLivechatReportChannel

func (c *Client) GetImLivechatReportChannel(id int64) (*ImLivechatReportChannel, error)

GetImLivechatReportChannel gets im_livechat.report.channel existing record.

func (*Client) GetImLivechatReportChannels

func (c *Client) GetImLivechatReportChannels(ids []int64) (*ImLivechatReportChannels, error)

GetImLivechatReportChannels gets im_livechat.report.channel existing records.

func (*Client) GetImLivechatReportOperator

func (c *Client) GetImLivechatReportOperator(id int64) (*ImLivechatReportOperator, error)

GetImLivechatReportOperator gets im_livechat.report.operator existing record.

func (*Client) GetImLivechatReportOperators

func (c *Client) GetImLivechatReportOperators(ids []int64) (*ImLivechatReportOperators, error)

GetImLivechatReportOperators gets im_livechat.report.operator existing records.

func (*Client) GetIrActionsActUrl

func (c *Client) GetIrActionsActUrl(id int64) (*IrActionsActUrl, error)

GetIrActionsActUrl gets ir.actions.act_url existing record.

func (*Client) GetIrActionsActUrls

func (c *Client) GetIrActionsActUrls(ids []int64) (*IrActionsActUrls, error)

GetIrActionsActUrls gets ir.actions.act_url existing records.

func (*Client) GetIrActionsActWindow

func (c *Client) GetIrActionsActWindow(id int64) (*IrActionsActWindow, error)

GetIrActionsActWindow gets ir.actions.act_window existing record.

func (*Client) GetIrActionsActWindowClose

func (c *Client) GetIrActionsActWindowClose(id int64) (*IrActionsActWindowClose, error)

GetIrActionsActWindowClose gets ir.actions.act_window_close existing record.

func (*Client) GetIrActionsActWindowCloses

func (c *Client) GetIrActionsActWindowCloses(ids []int64) (*IrActionsActWindowCloses, error)

GetIrActionsActWindowCloses gets ir.actions.act_window_close existing records.

func (*Client) GetIrActionsActWindowView

func (c *Client) GetIrActionsActWindowView(id int64) (*IrActionsActWindowView, error)

GetIrActionsActWindowView gets ir.actions.act_window.view existing record.

func (*Client) GetIrActionsActWindowViews

func (c *Client) GetIrActionsActWindowViews(ids []int64) (*IrActionsActWindowViews, error)

GetIrActionsActWindowViews gets ir.actions.act_window.view existing records.

func (*Client) GetIrActionsActWindows

func (c *Client) GetIrActionsActWindows(ids []int64) (*IrActionsActWindows, error)

GetIrActionsActWindows gets ir.actions.act_window existing records.

func (*Client) GetIrActionsActions

func (c *Client) GetIrActionsActions(id int64) (*IrActionsActions, error)

GetIrActionsActions gets ir.actions.actions existing record.

func (*Client) GetIrActionsActionss

func (c *Client) GetIrActionsActionss(ids []int64) (*IrActionsActionss, error)

GetIrActionsActionss gets ir.actions.actions existing records.

func (*Client) GetIrActionsClient

func (c *Client) GetIrActionsClient(id int64) (*IrActionsClient, error)

GetIrActionsClient gets ir.actions.client existing record.

func (*Client) GetIrActionsClients

func (c *Client) GetIrActionsClients(ids []int64) (*IrActionsClients, error)

GetIrActionsClients gets ir.actions.client existing records.

func (*Client) GetIrActionsReport

func (c *Client) GetIrActionsReport(id int64) (*IrActionsReport, error)

GetIrActionsReport gets ir.actions.report existing record.

func (*Client) GetIrActionsReports

func (c *Client) GetIrActionsReports(ids []int64) (*IrActionsReports, error)

GetIrActionsReports gets ir.actions.report existing records.

func (*Client) GetIrActionsServer

func (c *Client) GetIrActionsServer(id int64) (*IrActionsServer, error)

GetIrActionsServer gets ir.actions.server existing record.

func (*Client) GetIrActionsServers

func (c *Client) GetIrActionsServers(ids []int64) (*IrActionsServers, error)

GetIrActionsServers gets ir.actions.server existing records.

func (*Client) GetIrActionsTodo

func (c *Client) GetIrActionsTodo(id int64) (*IrActionsTodo, error)

GetIrActionsTodo gets ir.actions.todo existing record.

func (*Client) GetIrActionsTodos

func (c *Client) GetIrActionsTodos(ids []int64) (*IrActionsTodos, error)

GetIrActionsTodos gets ir.actions.todo existing records.

func (*Client) GetIrAttachment

func (c *Client) GetIrAttachment(id int64) (*IrAttachment, error)

GetIrAttachment gets ir.attachment existing record.

func (*Client) GetIrAttachments

func (c *Client) GetIrAttachments(ids []int64) (*IrAttachments, error)

GetIrAttachments gets ir.attachment existing records.

func (*Client) GetIrAutovacuum

func (c *Client) GetIrAutovacuum(id int64) (*IrAutovacuum, error)

GetIrAutovacuum gets ir.autovacuum existing record.

func (*Client) GetIrAutovacuums

func (c *Client) GetIrAutovacuums(ids []int64) (*IrAutovacuums, error)

GetIrAutovacuums gets ir.autovacuum existing records.

func (*Client) GetIrConfigParameter

func (c *Client) GetIrConfigParameter(id int64) (*IrConfigParameter, error)

GetIrConfigParameter gets ir.config_parameter existing record.

func (*Client) GetIrConfigParameters

func (c *Client) GetIrConfigParameters(ids []int64) (*IrConfigParameters, error)

GetIrConfigParameters gets ir.config_parameter existing records.

func (*Client) GetIrCron

func (c *Client) GetIrCron(id int64) (*IrCron, error)

GetIrCron gets ir.cron existing record.

func (*Client) GetIrCrons

func (c *Client) GetIrCrons(ids []int64) (*IrCrons, error)

GetIrCrons gets ir.cron existing records.

func (*Client) GetIrDefault

func (c *Client) GetIrDefault(id int64) (*IrDefault, error)

GetIrDefault gets ir.default existing record.

func (*Client) GetIrDefaults

func (c *Client) GetIrDefaults(ids []int64) (*IrDefaults, error)

GetIrDefaults gets ir.default existing records.

func (*Client) GetIrExports

func (c *Client) GetIrExports(id int64) (*IrExports, error)

GetIrExports gets ir.exports existing record.

func (*Client) GetIrExportsLine

func (c *Client) GetIrExportsLine(id int64) (*IrExportsLine, error)

GetIrExportsLine gets ir.exports.line existing record.

func (*Client) GetIrExportsLines

func (c *Client) GetIrExportsLines(ids []int64) (*IrExportsLines, error)

GetIrExportsLines gets ir.exports.line existing records.

func (*Client) GetIrExportss

func (c *Client) GetIrExportss(ids []int64) (*IrExportss, error)

GetIrExportss gets ir.exports existing records.

func (*Client) GetIrFieldsConverter

func (c *Client) GetIrFieldsConverter(id int64) (*IrFieldsConverter, error)

GetIrFieldsConverter gets ir.fields.converter existing record.

func (*Client) GetIrFieldsConverters

func (c *Client) GetIrFieldsConverters(ids []int64) (*IrFieldsConverters, error)

GetIrFieldsConverters gets ir.fields.converter existing records.

func (*Client) GetIrFilters

func (c *Client) GetIrFilters(id int64) (*IrFilters, error)

GetIrFilters gets ir.filters existing record.

func (*Client) GetIrFilterss

func (c *Client) GetIrFilterss(ids []int64) (*IrFilterss, error)

GetIrFilterss gets ir.filters existing records.

func (*Client) GetIrHttp

func (c *Client) GetIrHttp(id int64) (*IrHttp, error)

GetIrHttp gets ir.http existing record.

func (*Client) GetIrHttps

func (c *Client) GetIrHttps(ids []int64) (*IrHttps, error)

GetIrHttps gets ir.http existing records.

func (*Client) GetIrLogging

func (c *Client) GetIrLogging(id int64) (*IrLogging, error)

GetIrLogging gets ir.logging existing record.

func (*Client) GetIrLoggings

func (c *Client) GetIrLoggings(ids []int64) (*IrLoggings, error)

GetIrLoggings gets ir.logging existing records.

func (*Client) GetIrMailServer

func (c *Client) GetIrMailServer(id int64) (*IrMailServer, error)

GetIrMailServer gets ir.mail_server existing record.

func (*Client) GetIrMailServers

func (c *Client) GetIrMailServers(ids []int64) (*IrMailServers, error)

GetIrMailServers gets ir.mail_server existing records.

func (*Client) GetIrModel

func (c *Client) GetIrModel(id int64) (*IrModel, error)

GetIrModel gets ir.model existing record.

func (*Client) GetIrModelAccess

func (c *Client) GetIrModelAccess(id int64) (*IrModelAccess, error)

GetIrModelAccess gets ir.model.access existing record.

func (*Client) GetIrModelAccesss

func (c *Client) GetIrModelAccesss(ids []int64) (*IrModelAccesss, error)

GetIrModelAccesss gets ir.model.access existing records.

func (*Client) GetIrModelConstraint

func (c *Client) GetIrModelConstraint(id int64) (*IrModelConstraint, error)

GetIrModelConstraint gets ir.model.constraint existing record.

func (*Client) GetIrModelConstraints

func (c *Client) GetIrModelConstraints(ids []int64) (*IrModelConstraints, error)

GetIrModelConstraints gets ir.model.constraint existing records.

func (*Client) GetIrModelData

func (c *Client) GetIrModelData(id int64) (*IrModelData, error)

GetIrModelData gets ir.model.data existing record.

func (*Client) GetIrModelDatas

func (c *Client) GetIrModelDatas(ids []int64) (*IrModelDatas, error)

GetIrModelDatas gets ir.model.data existing records.

func (*Client) GetIrModelFields

func (c *Client) GetIrModelFields(id int64) (*IrModelFields, error)

GetIrModelFields gets ir.model.fields existing record.

func (*Client) GetIrModelFieldss

func (c *Client) GetIrModelFieldss(ids []int64) (*IrModelFieldss, error)

GetIrModelFieldss gets ir.model.fields existing records.

func (*Client) GetIrModelRelation

func (c *Client) GetIrModelRelation(id int64) (*IrModelRelation, error)

GetIrModelRelation gets ir.model.relation existing record.

func (*Client) GetIrModelRelations

func (c *Client) GetIrModelRelations(ids []int64) (*IrModelRelations, error)

GetIrModelRelations gets ir.model.relation existing records.

func (*Client) GetIrModels

func (c *Client) GetIrModels(ids []int64) (*IrModels, error)

GetIrModels gets ir.model existing records.

func (*Client) GetIrModuleCategory

func (c *Client) GetIrModuleCategory(id int64) (*IrModuleCategory, error)

GetIrModuleCategory gets ir.module.category existing record.

func (*Client) GetIrModuleCategorys

func (c *Client) GetIrModuleCategorys(ids []int64) (*IrModuleCategorys, error)

GetIrModuleCategorys gets ir.module.category existing records.

func (*Client) GetIrModuleModule

func (c *Client) GetIrModuleModule(id int64) (*IrModuleModule, error)

GetIrModuleModule gets ir.module.module existing record.

func (*Client) GetIrModuleModuleDependency

func (c *Client) GetIrModuleModuleDependency(id int64) (*IrModuleModuleDependency, error)

GetIrModuleModuleDependency gets ir.module.module.dependency existing record.

func (*Client) GetIrModuleModuleDependencys

func (c *Client) GetIrModuleModuleDependencys(ids []int64) (*IrModuleModuleDependencys, error)

GetIrModuleModuleDependencys gets ir.module.module.dependency existing records.

func (*Client) GetIrModuleModuleExclusion

func (c *Client) GetIrModuleModuleExclusion(id int64) (*IrModuleModuleExclusion, error)

GetIrModuleModuleExclusion gets ir.module.module.exclusion existing record.

func (*Client) GetIrModuleModuleExclusions

func (c *Client) GetIrModuleModuleExclusions(ids []int64) (*IrModuleModuleExclusions, error)

GetIrModuleModuleExclusions gets ir.module.module.exclusion existing records.

func (*Client) GetIrModuleModules

func (c *Client) GetIrModuleModules(ids []int64) (*IrModuleModules, error)

GetIrModuleModules gets ir.module.module existing records.

func (*Client) GetIrProperty

func (c *Client) GetIrProperty(id int64) (*IrProperty, error)

GetIrProperty gets ir.property existing record.

func (*Client) GetIrPropertys

func (c *Client) GetIrPropertys(ids []int64) (*IrPropertys, error)

GetIrPropertys gets ir.property existing records.

func (*Client) GetIrQweb

func (c *Client) GetIrQweb(id int64) (*IrQweb, error)

GetIrQweb gets ir.qweb existing record.

func (*Client) GetIrQwebField

func (c *Client) GetIrQwebField(id int64) (*IrQwebField, error)

GetIrQwebField gets ir.qweb.field existing record.

func (*Client) GetIrQwebFieldBarcode

func (c *Client) GetIrQwebFieldBarcode(id int64) (*IrQwebFieldBarcode, error)

GetIrQwebFieldBarcode gets ir.qweb.field.barcode existing record.

func (*Client) GetIrQwebFieldBarcodes

func (c *Client) GetIrQwebFieldBarcodes(ids []int64) (*IrQwebFieldBarcodes, error)

GetIrQwebFieldBarcodes gets ir.qweb.field.barcode existing records.

func (*Client) GetIrQwebFieldContact

func (c *Client) GetIrQwebFieldContact(id int64) (*IrQwebFieldContact, error)

GetIrQwebFieldContact gets ir.qweb.field.contact existing record.

func (*Client) GetIrQwebFieldContacts

func (c *Client) GetIrQwebFieldContacts(ids []int64) (*IrQwebFieldContacts, error)

GetIrQwebFieldContacts gets ir.qweb.field.contact existing records.

func (*Client) GetIrQwebFieldDate

func (c *Client) GetIrQwebFieldDate(id int64) (*IrQwebFieldDate, error)

GetIrQwebFieldDate gets ir.qweb.field.date existing record.

func (*Client) GetIrQwebFieldDates

func (c *Client) GetIrQwebFieldDates(ids []int64) (*IrQwebFieldDates, error)

GetIrQwebFieldDates gets ir.qweb.field.date existing records.

func (*Client) GetIrQwebFieldDatetime

func (c *Client) GetIrQwebFieldDatetime(id int64) (*IrQwebFieldDatetime, error)

GetIrQwebFieldDatetime gets ir.qweb.field.datetime existing record.

func (*Client) GetIrQwebFieldDatetimes

func (c *Client) GetIrQwebFieldDatetimes(ids []int64) (*IrQwebFieldDatetimes, error)

GetIrQwebFieldDatetimes gets ir.qweb.field.datetime existing records.

func (*Client) GetIrQwebFieldDuration

func (c *Client) GetIrQwebFieldDuration(id int64) (*IrQwebFieldDuration, error)

GetIrQwebFieldDuration gets ir.qweb.field.duration existing record.

func (*Client) GetIrQwebFieldDurations

func (c *Client) GetIrQwebFieldDurations(ids []int64) (*IrQwebFieldDurations, error)

GetIrQwebFieldDurations gets ir.qweb.field.duration existing records.

func (*Client) GetIrQwebFieldFloat

func (c *Client) GetIrQwebFieldFloat(id int64) (*IrQwebFieldFloat, error)

GetIrQwebFieldFloat gets ir.qweb.field.float existing record.

func (*Client) GetIrQwebFieldFloatTime

func (c *Client) GetIrQwebFieldFloatTime(id int64) (*IrQwebFieldFloatTime, error)

GetIrQwebFieldFloatTime gets ir.qweb.field.float_time existing record.

func (*Client) GetIrQwebFieldFloatTimes

func (c *Client) GetIrQwebFieldFloatTimes(ids []int64) (*IrQwebFieldFloatTimes, error)

GetIrQwebFieldFloatTimes gets ir.qweb.field.float_time existing records.

func (*Client) GetIrQwebFieldFloats

func (c *Client) GetIrQwebFieldFloats(ids []int64) (*IrQwebFieldFloats, error)

GetIrQwebFieldFloats gets ir.qweb.field.float existing records.

func (*Client) GetIrQwebFieldHtml

func (c *Client) GetIrQwebFieldHtml(id int64) (*IrQwebFieldHtml, error)

GetIrQwebFieldHtml gets ir.qweb.field.html existing record.

func (*Client) GetIrQwebFieldHtmls

func (c *Client) GetIrQwebFieldHtmls(ids []int64) (*IrQwebFieldHtmls, error)

GetIrQwebFieldHtmls gets ir.qweb.field.html existing records.

func (*Client) GetIrQwebFieldImage

func (c *Client) GetIrQwebFieldImage(id int64) (*IrQwebFieldImage, error)

GetIrQwebFieldImage gets ir.qweb.field.image existing record.

func (*Client) GetIrQwebFieldImages

func (c *Client) GetIrQwebFieldImages(ids []int64) (*IrQwebFieldImages, error)

GetIrQwebFieldImages gets ir.qweb.field.image existing records.

func (*Client) GetIrQwebFieldInteger

func (c *Client) GetIrQwebFieldInteger(id int64) (*IrQwebFieldInteger, error)

GetIrQwebFieldInteger gets ir.qweb.field.integer existing record.

func (*Client) GetIrQwebFieldIntegers

func (c *Client) GetIrQwebFieldIntegers(ids []int64) (*IrQwebFieldIntegers, error)

GetIrQwebFieldIntegers gets ir.qweb.field.integer existing records.

func (*Client) GetIrQwebFieldMany2One

func (c *Client) GetIrQwebFieldMany2One(id int64) (*IrQwebFieldMany2One, error)

GetIrQwebFieldMany2One gets ir.qweb.field.many2one existing record.

func (*Client) GetIrQwebFieldMany2Ones

func (c *Client) GetIrQwebFieldMany2Ones(ids []int64) (*IrQwebFieldMany2Ones, error)

GetIrQwebFieldMany2Ones gets ir.qweb.field.many2one existing records.

func (*Client) GetIrQwebFieldMonetary

func (c *Client) GetIrQwebFieldMonetary(id int64) (*IrQwebFieldMonetary, error)

GetIrQwebFieldMonetary gets ir.qweb.field.monetary existing record.

func (*Client) GetIrQwebFieldMonetarys

func (c *Client) GetIrQwebFieldMonetarys(ids []int64) (*IrQwebFieldMonetarys, error)

GetIrQwebFieldMonetarys gets ir.qweb.field.monetary existing records.

func (*Client) GetIrQwebFieldQweb

func (c *Client) GetIrQwebFieldQweb(id int64) (*IrQwebFieldQweb, error)

GetIrQwebFieldQweb gets ir.qweb.field.qweb existing record.

func (*Client) GetIrQwebFieldQwebs

func (c *Client) GetIrQwebFieldQwebs(ids []int64) (*IrQwebFieldQwebs, error)

GetIrQwebFieldQwebs gets ir.qweb.field.qweb existing records.

func (*Client) GetIrQwebFieldRelative

func (c *Client) GetIrQwebFieldRelative(id int64) (*IrQwebFieldRelative, error)

GetIrQwebFieldRelative gets ir.qweb.field.relative existing record.

func (*Client) GetIrQwebFieldRelatives

func (c *Client) GetIrQwebFieldRelatives(ids []int64) (*IrQwebFieldRelatives, error)

GetIrQwebFieldRelatives gets ir.qweb.field.relative existing records.

func (*Client) GetIrQwebFieldSelection

func (c *Client) GetIrQwebFieldSelection(id int64) (*IrQwebFieldSelection, error)

GetIrQwebFieldSelection gets ir.qweb.field.selection existing record.

func (*Client) GetIrQwebFieldSelections

func (c *Client) GetIrQwebFieldSelections(ids []int64) (*IrQwebFieldSelections, error)

GetIrQwebFieldSelections gets ir.qweb.field.selection existing records.

func (*Client) GetIrQwebFieldText

func (c *Client) GetIrQwebFieldText(id int64) (*IrQwebFieldText, error)

GetIrQwebFieldText gets ir.qweb.field.text existing record.

func (*Client) GetIrQwebFieldTexts

func (c *Client) GetIrQwebFieldTexts(ids []int64) (*IrQwebFieldTexts, error)

GetIrQwebFieldTexts gets ir.qweb.field.text existing records.

func (*Client) GetIrQwebFields

func (c *Client) GetIrQwebFields(ids []int64) (*IrQwebFields, error)

GetIrQwebFields gets ir.qweb.field existing records.

func (*Client) GetIrQwebs

func (c *Client) GetIrQwebs(ids []int64) (*IrQwebs, error)

GetIrQwebs gets ir.qweb existing records.

func (*Client) GetIrRule

func (c *Client) GetIrRule(id int64) (*IrRule, error)

GetIrRule gets ir.rule existing record.

func (*Client) GetIrRules

func (c *Client) GetIrRules(ids []int64) (*IrRules, error)

GetIrRules gets ir.rule existing records.

func (*Client) GetIrSequence

func (c *Client) GetIrSequence(id int64) (*IrSequence, error)

GetIrSequence gets ir.sequence existing record.

func (*Client) GetIrSequenceDateRange

func (c *Client) GetIrSequenceDateRange(id int64) (*IrSequenceDateRange, error)

GetIrSequenceDateRange gets ir.sequence.date_range existing record.

func (*Client) GetIrSequenceDateRanges

func (c *Client) GetIrSequenceDateRanges(ids []int64) (*IrSequenceDateRanges, error)

GetIrSequenceDateRanges gets ir.sequence.date_range existing records.

func (*Client) GetIrSequences

func (c *Client) GetIrSequences(ids []int64) (*IrSequences, error)

GetIrSequences gets ir.sequence existing records.

func (*Client) GetIrServerObjectLines

func (c *Client) GetIrServerObjectLines(id int64) (*IrServerObjectLines, error)

GetIrServerObjectLines gets ir.server.object.lines existing record.

func (*Client) GetIrServerObjectLiness

func (c *Client) GetIrServerObjectLiness(ids []int64) (*IrServerObjectLiness, error)

GetIrServerObjectLiness gets ir.server.object.lines existing records.

func (*Client) GetIrTranslation

func (c *Client) GetIrTranslation(id int64) (*IrTranslation, error)

GetIrTranslation gets ir.translation existing record.

func (*Client) GetIrTranslations

func (c *Client) GetIrTranslations(ids []int64) (*IrTranslations, error)

GetIrTranslations gets ir.translation existing records.

func (*Client) GetIrUiMenu

func (c *Client) GetIrUiMenu(id int64) (*IrUiMenu, error)

GetIrUiMenu gets ir.ui.menu existing record.

func (*Client) GetIrUiMenus

func (c *Client) GetIrUiMenus(ids []int64) (*IrUiMenus, error)

GetIrUiMenus gets ir.ui.menu existing records.

func (*Client) GetIrUiView

func (c *Client) GetIrUiView(id int64) (*IrUiView, error)

GetIrUiView gets ir.ui.view existing record.

func (*Client) GetIrUiViewCustom

func (c *Client) GetIrUiViewCustom(id int64) (*IrUiViewCustom, error)

GetIrUiViewCustom gets ir.ui.view.custom existing record.

func (*Client) GetIrUiViewCustoms

func (c *Client) GetIrUiViewCustoms(ids []int64) (*IrUiViewCustoms, error)

GetIrUiViewCustoms gets ir.ui.view.custom existing records.

func (*Client) GetIrUiViews

func (c *Client) GetIrUiViews(ids []int64) (*IrUiViews, error)

GetIrUiViews gets ir.ui.view existing records.

func (*Client) GetLinkTracker

func (c *Client) GetLinkTracker(id int64) (*LinkTracker, error)

GetLinkTracker gets link.tracker existing record.

func (*Client) GetLinkTrackerClick

func (c *Client) GetLinkTrackerClick(id int64) (*LinkTrackerClick, error)

GetLinkTrackerClick gets link.tracker.click existing record.

func (*Client) GetLinkTrackerClicks

func (c *Client) GetLinkTrackerClicks(ids []int64) (*LinkTrackerClicks, error)

GetLinkTrackerClicks gets link.tracker.click existing records.

func (*Client) GetLinkTrackerCode

func (c *Client) GetLinkTrackerCode(id int64) (*LinkTrackerCode, error)

GetLinkTrackerCode gets link.tracker.code existing record.

func (*Client) GetLinkTrackerCodes

func (c *Client) GetLinkTrackerCodes(ids []int64) (*LinkTrackerCodes, error)

GetLinkTrackerCodes gets link.tracker.code existing records.

func (*Client) GetLinkTrackers

func (c *Client) GetLinkTrackers(ids []int64) (*LinkTrackers, error)

GetLinkTrackers gets link.tracker existing records.

func (*Client) GetMailActivity

func (c *Client) GetMailActivity(id int64) (*MailActivity, error)

GetMailActivity gets mail.activity existing record.

func (*Client) GetMailActivityMixin

func (c *Client) GetMailActivityMixin(id int64) (*MailActivityMixin, error)

GetMailActivityMixin gets mail.activity.mixin existing record.

func (*Client) GetMailActivityMixins

func (c *Client) GetMailActivityMixins(ids []int64) (*MailActivityMixins, error)

GetMailActivityMixins gets mail.activity.mixin existing records.

func (*Client) GetMailActivityType

func (c *Client) GetMailActivityType(id int64) (*MailActivityType, error)

GetMailActivityType gets mail.activity.type existing record.

func (*Client) GetMailActivityTypes

func (c *Client) GetMailActivityTypes(ids []int64) (*MailActivityTypes, error)

GetMailActivityTypes gets mail.activity.type existing records.

func (*Client) GetMailActivitys

func (c *Client) GetMailActivitys(ids []int64) (*MailActivitys, error)

GetMailActivitys gets mail.activity existing records.

func (*Client) GetMailAlias

func (c *Client) GetMailAlias(id int64) (*MailAlias, error)

GetMailAlias gets mail.alias existing record.

func (*Client) GetMailAliasMixin

func (c *Client) GetMailAliasMixin(id int64) (*MailAliasMixin, error)

GetMailAliasMixin gets mail.alias.mixin existing record.

func (*Client) GetMailAliasMixins

func (c *Client) GetMailAliasMixins(ids []int64) (*MailAliasMixins, error)

GetMailAliasMixins gets mail.alias.mixin existing records.

func (*Client) GetMailAliass

func (c *Client) GetMailAliass(ids []int64) (*MailAliass, error)

GetMailAliass gets mail.alias existing records.

func (*Client) GetMailChannel

func (c *Client) GetMailChannel(id int64) (*MailChannel, error)

GetMailChannel gets mail.channel existing record.

func (*Client) GetMailChannelPartner

func (c *Client) GetMailChannelPartner(id int64) (*MailChannelPartner, error)

GetMailChannelPartner gets mail.channel.partner existing record.

func (*Client) GetMailChannelPartners

func (c *Client) GetMailChannelPartners(ids []int64) (*MailChannelPartners, error)

GetMailChannelPartners gets mail.channel.partner existing records.

func (*Client) GetMailChannels

func (c *Client) GetMailChannels(ids []int64) (*MailChannels, error)

GetMailChannels gets mail.channel existing records.

func (*Client) GetMailComposeMessage

func (c *Client) GetMailComposeMessage(id int64) (*MailComposeMessage, error)

GetMailComposeMessage gets mail.compose.message existing record.

func (*Client) GetMailComposeMessages

func (c *Client) GetMailComposeMessages(ids []int64) (*MailComposeMessages, error)

GetMailComposeMessages gets mail.compose.message existing records.

func (*Client) GetMailFollowers

func (c *Client) GetMailFollowers(id int64) (*MailFollowers, error)

GetMailFollowers gets mail.followers existing record.

func (*Client) GetMailFollowerss

func (c *Client) GetMailFollowerss(ids []int64) (*MailFollowerss, error)

GetMailFollowerss gets mail.followers existing records.

func (*Client) GetMailMail

func (c *Client) GetMailMail(id int64) (*MailMail, error)

GetMailMail gets mail.mail existing record.

func (*Client) GetMailMailStatistics

func (c *Client) GetMailMailStatistics(id int64) (*MailMailStatistics, error)

GetMailMailStatistics gets mail.mail.statistics existing record.

func (*Client) GetMailMailStatisticss

func (c *Client) GetMailMailStatisticss(ids []int64) (*MailMailStatisticss, error)

GetMailMailStatisticss gets mail.mail.statistics existing records.

func (*Client) GetMailMails

func (c *Client) GetMailMails(ids []int64) (*MailMails, error)

GetMailMails gets mail.mail existing records.

func (*Client) GetMailMassMailing

func (c *Client) GetMailMassMailing(id int64) (*MailMassMailing, error)

GetMailMassMailing gets mail.mass_mailing existing record.

func (*Client) GetMailMassMailingCampaign

func (c *Client) GetMailMassMailingCampaign(id int64) (*MailMassMailingCampaign, error)

GetMailMassMailingCampaign gets mail.mass_mailing.campaign existing record.

func (*Client) GetMailMassMailingCampaigns

func (c *Client) GetMailMassMailingCampaigns(ids []int64) (*MailMassMailingCampaigns, error)

GetMailMassMailingCampaigns gets mail.mass_mailing.campaign existing records.

func (*Client) GetMailMassMailingContact

func (c *Client) GetMailMassMailingContact(id int64) (*MailMassMailingContact, error)

GetMailMassMailingContact gets mail.mass_mailing.contact existing record.

func (*Client) GetMailMassMailingContacts

func (c *Client) GetMailMassMailingContacts(ids []int64) (*MailMassMailingContacts, error)

GetMailMassMailingContacts gets mail.mass_mailing.contact existing records.

func (*Client) GetMailMassMailingList

func (c *Client) GetMailMassMailingList(id int64) (*MailMassMailingList, error)

GetMailMassMailingList gets mail.mass_mailing.list existing record.

func (*Client) GetMailMassMailingLists

func (c *Client) GetMailMassMailingLists(ids []int64) (*MailMassMailingLists, error)

GetMailMassMailingLists gets mail.mass_mailing.list existing records.

func (*Client) GetMailMassMailingStage

func (c *Client) GetMailMassMailingStage(id int64) (*MailMassMailingStage, error)

GetMailMassMailingStage gets mail.mass_mailing.stage existing record.

func (*Client) GetMailMassMailingStages

func (c *Client) GetMailMassMailingStages(ids []int64) (*MailMassMailingStages, error)

GetMailMassMailingStages gets mail.mass_mailing.stage existing records.

func (*Client) GetMailMassMailingTag

func (c *Client) GetMailMassMailingTag(id int64) (*MailMassMailingTag, error)

GetMailMassMailingTag gets mail.mass_mailing.tag existing record.

func (*Client) GetMailMassMailingTags

func (c *Client) GetMailMassMailingTags(ids []int64) (*MailMassMailingTags, error)

GetMailMassMailingTags gets mail.mass_mailing.tag existing records.

func (*Client) GetMailMassMailings

func (c *Client) GetMailMassMailings(ids []int64) (*MailMassMailings, error)

GetMailMassMailings gets mail.mass_mailing existing records.

func (*Client) GetMailMessage

func (c *Client) GetMailMessage(id int64) (*MailMessage, error)

GetMailMessage gets mail.message existing record.

func (*Client) GetMailMessageSubtype

func (c *Client) GetMailMessageSubtype(id int64) (*MailMessageSubtype, error)

GetMailMessageSubtype gets mail.message.subtype existing record.

func (*Client) GetMailMessageSubtypes

func (c *Client) GetMailMessageSubtypes(ids []int64) (*MailMessageSubtypes, error)

GetMailMessageSubtypes gets mail.message.subtype existing records.

func (*Client) GetMailMessages

func (c *Client) GetMailMessages(ids []int64) (*MailMessages, error)

GetMailMessages gets mail.message existing records.

func (*Client) GetMailNotification

func (c *Client) GetMailNotification(id int64) (*MailNotification, error)

GetMailNotification gets mail.notification existing record.

func (*Client) GetMailNotifications

func (c *Client) GetMailNotifications(ids []int64) (*MailNotifications, error)

GetMailNotifications gets mail.notification existing records.

func (*Client) GetMailShortcode

func (c *Client) GetMailShortcode(id int64) (*MailShortcode, error)

GetMailShortcode gets mail.shortcode existing record.

func (*Client) GetMailShortcodes

func (c *Client) GetMailShortcodes(ids []int64) (*MailShortcodes, error)

GetMailShortcodes gets mail.shortcode existing records.

func (*Client) GetMailStatisticsReport

func (c *Client) GetMailStatisticsReport(id int64) (*MailStatisticsReport, error)

GetMailStatisticsReport gets mail.statistics.report existing record.

func (*Client) GetMailStatisticsReports

func (c *Client) GetMailStatisticsReports(ids []int64) (*MailStatisticsReports, error)

GetMailStatisticsReports gets mail.statistics.report existing records.

func (*Client) GetMailTemplate

func (c *Client) GetMailTemplate(id int64) (*MailTemplate, error)

GetMailTemplate gets mail.template existing record.

func (*Client) GetMailTemplates

func (c *Client) GetMailTemplates(ids []int64) (*MailTemplates, error)

GetMailTemplates gets mail.template existing records.

func (*Client) GetMailTestSimple

func (c *Client) GetMailTestSimple(id int64) (*MailTestSimple, error)

GetMailTestSimple gets mail.test.simple existing record.

func (*Client) GetMailTestSimples

func (c *Client) GetMailTestSimples(ids []int64) (*MailTestSimples, error)

GetMailTestSimples gets mail.test.simple existing records.

func (*Client) GetMailThread

func (c *Client) GetMailThread(id int64) (*MailThread, error)

GetMailThread gets mail.thread existing record.

func (*Client) GetMailThreads

func (c *Client) GetMailThreads(ids []int64) (*MailThreads, error)

GetMailThreads gets mail.thread existing records.

func (*Client) GetMailTrackingValue

func (c *Client) GetMailTrackingValue(id int64) (*MailTrackingValue, error)

GetMailTrackingValue gets mail.tracking.value existing record.

func (*Client) GetMailTrackingValues

func (c *Client) GetMailTrackingValues(ids []int64) (*MailTrackingValues, error)

GetMailTrackingValues gets mail.tracking.value existing records.

func (*Client) GetMailWizardInvite

func (c *Client) GetMailWizardInvite(id int64) (*MailWizardInvite, error)

GetMailWizardInvite gets mail.wizard.invite existing record.

func (*Client) GetMailWizardInvites

func (c *Client) GetMailWizardInvites(ids []int64) (*MailWizardInvites, error)

GetMailWizardInvites gets mail.wizard.invite existing records.

func (*Client) GetPaymentAcquirer

func (c *Client) GetPaymentAcquirer(id int64) (*PaymentAcquirer, error)

GetPaymentAcquirer gets payment.acquirer existing record.

func (*Client) GetPaymentAcquirers

func (c *Client) GetPaymentAcquirers(ids []int64) (*PaymentAcquirers, error)

GetPaymentAcquirers gets payment.acquirer existing records.

func (*Client) GetPaymentIcon

func (c *Client) GetPaymentIcon(id int64) (*PaymentIcon, error)

GetPaymentIcon gets payment.icon existing record.

func (*Client) GetPaymentIcons

func (c *Client) GetPaymentIcons(ids []int64) (*PaymentIcons, error)

GetPaymentIcons gets payment.icon existing records.

func (*Client) GetPaymentToken

func (c *Client) GetPaymentToken(id int64) (*PaymentToken, error)

GetPaymentToken gets payment.token existing record.

func (*Client) GetPaymentTokens

func (c *Client) GetPaymentTokens(ids []int64) (*PaymentTokens, error)

GetPaymentTokens gets payment.token existing records.

func (*Client) GetPaymentTransaction

func (c *Client) GetPaymentTransaction(id int64) (*PaymentTransaction, error)

GetPaymentTransaction gets payment.transaction existing record.

func (*Client) GetPaymentTransactions

func (c *Client) GetPaymentTransactions(ids []int64) (*PaymentTransactions, error)

GetPaymentTransactions gets payment.transaction existing records.

func (*Client) GetPortalMixin

func (c *Client) GetPortalMixin(id int64) (*PortalMixin, error)

GetPortalMixin gets portal.mixin existing record.

func (*Client) GetPortalMixins

func (c *Client) GetPortalMixins(ids []int64) (*PortalMixins, error)

GetPortalMixins gets portal.mixin existing records.

func (*Client) GetPortalWizard

func (c *Client) GetPortalWizard(id int64) (*PortalWizard, error)

GetPortalWizard gets portal.wizard existing record.

func (*Client) GetPortalWizardUser

func (c *Client) GetPortalWizardUser(id int64) (*PortalWizardUser, error)

GetPortalWizardUser gets portal.wizard.user existing record.

func (*Client) GetPortalWizardUsers

func (c *Client) GetPortalWizardUsers(ids []int64) (*PortalWizardUsers, error)

GetPortalWizardUsers gets portal.wizard.user existing records.

func (*Client) GetPortalWizards

func (c *Client) GetPortalWizards(ids []int64) (*PortalWizards, error)

GetPortalWizards gets portal.wizard existing records.

func (*Client) GetProcurementGroup

func (c *Client) GetProcurementGroup(id int64) (*ProcurementGroup, error)

GetProcurementGroup gets procurement.group existing record.

func (*Client) GetProcurementGroups

func (c *Client) GetProcurementGroups(ids []int64) (*ProcurementGroups, error)

GetProcurementGroups gets procurement.group existing records.

func (*Client) GetProcurementRule

func (c *Client) GetProcurementRule(id int64) (*ProcurementRule, error)

GetProcurementRule gets procurement.rule existing record.

func (*Client) GetProcurementRules

func (c *Client) GetProcurementRules(ids []int64) (*ProcurementRules, error)

GetProcurementRules gets procurement.rule existing records.

func (*Client) GetProductAttribute

func (c *Client) GetProductAttribute(id int64) (*ProductAttribute, error)

GetProductAttribute gets product.attribute existing record.

func (*Client) GetProductAttributeLine

func (c *Client) GetProductAttributeLine(id int64) (*ProductAttributeLine, error)

GetProductAttributeLine gets product.attribute.line existing record.

func (*Client) GetProductAttributeLines

func (c *Client) GetProductAttributeLines(ids []int64) (*ProductAttributeLines, error)

GetProductAttributeLines gets product.attribute.line existing records.

func (*Client) GetProductAttributePrice

func (c *Client) GetProductAttributePrice(id int64) (*ProductAttributePrice, error)

GetProductAttributePrice gets product.attribute.price existing record.

func (*Client) GetProductAttributePrices

func (c *Client) GetProductAttributePrices(ids []int64) (*ProductAttributePrices, error)

GetProductAttributePrices gets product.attribute.price existing records.

func (*Client) GetProductAttributeValue

func (c *Client) GetProductAttributeValue(id int64) (*ProductAttributeValue, error)

GetProductAttributeValue gets product.attribute.value existing record.

func (*Client) GetProductAttributeValues

func (c *Client) GetProductAttributeValues(ids []int64) (*ProductAttributeValues, error)

GetProductAttributeValues gets product.attribute.value existing records.

func (*Client) GetProductAttributes

func (c *Client) GetProductAttributes(ids []int64) (*ProductAttributes, error)

GetProductAttributes gets product.attribute existing records.

func (*Client) GetProductCategory

func (c *Client) GetProductCategory(id int64) (*ProductCategory, error)

GetProductCategory gets product.category existing record.

func (*Client) GetProductCategorys

func (c *Client) GetProductCategorys(ids []int64) (*ProductCategorys, error)

GetProductCategorys gets product.category existing records.

func (*Client) GetProductPackaging

func (c *Client) GetProductPackaging(id int64) (*ProductPackaging, error)

GetProductPackaging gets product.packaging existing record.

func (*Client) GetProductPackagings

func (c *Client) GetProductPackagings(ids []int64) (*ProductPackagings, error)

GetProductPackagings gets product.packaging existing records.

func (*Client) GetProductPriceHistory

func (c *Client) GetProductPriceHistory(id int64) (*ProductPriceHistory, error)

GetProductPriceHistory gets product.price.history existing record.

func (*Client) GetProductPriceHistorys

func (c *Client) GetProductPriceHistorys(ids []int64) (*ProductPriceHistorys, error)

GetProductPriceHistorys gets product.price.history existing records.

func (*Client) GetProductPriceList

func (c *Client) GetProductPriceList(id int64) (*ProductPriceList, error)

GetProductPriceList gets product.price_list existing record.

func (*Client) GetProductPriceLists

func (c *Client) GetProductPriceLists(ids []int64) (*ProductPriceLists, error)

GetProductPriceLists gets product.price_list existing records.

func (*Client) GetProductPricelist

func (c *Client) GetProductPricelist(id int64) (*ProductPricelist, error)

GetProductPricelist gets product.pricelist existing record.

func (*Client) GetProductPricelistItem

func (c *Client) GetProductPricelistItem(id int64) (*ProductPricelistItem, error)

GetProductPricelistItem gets product.pricelist.item existing record.

func (*Client) GetProductPricelistItems

func (c *Client) GetProductPricelistItems(ids []int64) (*ProductPricelistItems, error)

GetProductPricelistItems gets product.pricelist.item existing records.

func (*Client) GetProductPricelists

func (c *Client) GetProductPricelists(ids []int64) (*ProductPricelists, error)

GetProductPricelists gets product.pricelist existing records.

func (*Client) GetProductProduct

func (c *Client) GetProductProduct(id int64) (*ProductProduct, error)

GetProductProduct gets product.product existing record.

func (*Client) GetProductProducts

func (c *Client) GetProductProducts(ids []int64) (*ProductProducts, error)

GetProductProducts gets product.product existing records.

func (*Client) GetProductPutaway

func (c *Client) GetProductPutaway(id int64) (*ProductPutaway, error)

GetProductPutaway gets product.putaway existing record.

func (*Client) GetProductPutaways

func (c *Client) GetProductPutaways(ids []int64) (*ProductPutaways, error)

GetProductPutaways gets product.putaway existing records.

func (*Client) GetProductRemoval

func (c *Client) GetProductRemoval(id int64) (*ProductRemoval, error)

GetProductRemoval gets product.removal existing record.

func (*Client) GetProductRemovals

func (c *Client) GetProductRemovals(ids []int64) (*ProductRemovals, error)

GetProductRemovals gets product.removal existing records.

func (*Client) GetProductSupplierinfo

func (c *Client) GetProductSupplierinfo(id int64) (*ProductSupplierinfo, error)

GetProductSupplierinfo gets product.supplierinfo existing record.

func (*Client) GetProductSupplierinfos

func (c *Client) GetProductSupplierinfos(ids []int64) (*ProductSupplierinfos, error)

GetProductSupplierinfos gets product.supplierinfo existing records.

func (*Client) GetProductTemplate

func (c *Client) GetProductTemplate(id int64) (*ProductTemplate, error)

GetProductTemplate gets product.template existing record.

func (*Client) GetProductTemplates

func (c *Client) GetProductTemplates(ids []int64) (*ProductTemplates, error)

GetProductTemplates gets product.template existing records.

func (*Client) GetProductUom

func (c *Client) GetProductUom(id int64) (*ProductUom, error)

GetProductUom gets product.uom existing record.

func (*Client) GetProductUomCateg

func (c *Client) GetProductUomCateg(id int64) (*ProductUomCateg, error)

GetProductUomCateg gets product.uom.categ existing record.

func (*Client) GetProductUomCategs

func (c *Client) GetProductUomCategs(ids []int64) (*ProductUomCategs, error)

GetProductUomCategs gets product.uom.categ existing records.

func (*Client) GetProductUoms

func (c *Client) GetProductUoms(ids []int64) (*ProductUoms, error)

GetProductUoms gets product.uom existing records.

func (*Client) GetProjectProject

func (c *Client) GetProjectProject(id int64) (*ProjectProject, error)

GetProjectProject gets project.project existing record.

func (*Client) GetProjectProjects

func (c *Client) GetProjectProjects(ids []int64) (*ProjectProjects, error)

GetProjectProjects gets project.project existing records.

func (*Client) GetProjectTags

func (c *Client) GetProjectTags(id int64) (*ProjectTags, error)

GetProjectTags gets project.tags existing record.

func (*Client) GetProjectTagss

func (c *Client) GetProjectTagss(ids []int64) (*ProjectTagss, error)

GetProjectTagss gets project.tags existing records.

func (*Client) GetProjectTask

func (c *Client) GetProjectTask(id int64) (*ProjectTask, error)

GetProjectTask gets project.task existing record.

func (*Client) GetProjectTaskMergeWizard

func (c *Client) GetProjectTaskMergeWizard(id int64) (*ProjectTaskMergeWizard, error)

GetProjectTaskMergeWizard gets project.task.merge.wizard existing record.

func (*Client) GetProjectTaskMergeWizards

func (c *Client) GetProjectTaskMergeWizards(ids []int64) (*ProjectTaskMergeWizards, error)

GetProjectTaskMergeWizards gets project.task.merge.wizard existing records.

func (*Client) GetProjectTaskType

func (c *Client) GetProjectTaskType(id int64) (*ProjectTaskType, error)

GetProjectTaskType gets project.task.type existing record.

func (*Client) GetProjectTaskTypes

func (c *Client) GetProjectTaskTypes(ids []int64) (*ProjectTaskTypes, error)

GetProjectTaskTypes gets project.task.type existing records.

func (*Client) GetProjectTasks

func (c *Client) GetProjectTasks(ids []int64) (*ProjectTasks, error)

GetProjectTasks gets project.task existing records.

func (*Client) GetPublisherWarrantyContract

func (c *Client) GetPublisherWarrantyContract(id int64) (*PublisherWarrantyContract, error)

GetPublisherWarrantyContract gets publisher_warranty.contract existing record.

func (*Client) GetPublisherWarrantyContracts

func (c *Client) GetPublisherWarrantyContracts(ids []int64) (*PublisherWarrantyContracts, error)

GetPublisherWarrantyContracts gets publisher_warranty.contract existing records.

func (*Client) GetPurchaseOrder

func (c *Client) GetPurchaseOrder(id int64) (*PurchaseOrder, error)

GetPurchaseOrder gets purchase.order existing record.

func (*Client) GetPurchaseOrderLine

func (c *Client) GetPurchaseOrderLine(id int64) (*PurchaseOrderLine, error)

GetPurchaseOrderLine gets purchase.order.line existing record.

func (*Client) GetPurchaseOrderLines

func (c *Client) GetPurchaseOrderLines(ids []int64) (*PurchaseOrderLines, error)

GetPurchaseOrderLines gets purchase.order.line existing records.

func (*Client) GetPurchaseOrders

func (c *Client) GetPurchaseOrders(ids []int64) (*PurchaseOrders, error)

GetPurchaseOrders gets purchase.order existing records.

func (*Client) GetPurchaseReport

func (c *Client) GetPurchaseReport(id int64) (*PurchaseReport, error)

GetPurchaseReport gets purchase.report existing record.

func (*Client) GetPurchaseReports

func (c *Client) GetPurchaseReports(ids []int64) (*PurchaseReports, error)

GetPurchaseReports gets purchase.report existing records.

func (*Client) GetRatingMixin

func (c *Client) GetRatingMixin(id int64) (*RatingMixin, error)

GetRatingMixin gets rating.mixin existing record.

func (*Client) GetRatingMixins

func (c *Client) GetRatingMixins(ids []int64) (*RatingMixins, error)

GetRatingMixins gets rating.mixin existing records.

func (*Client) GetRatingRating

func (c *Client) GetRatingRating(id int64) (*RatingRating, error)

GetRatingRating gets rating.rating existing record.

func (*Client) GetRatingRatings

func (c *Client) GetRatingRatings(ids []int64) (*RatingRatings, error)

GetRatingRatings gets rating.rating existing records.

func (*Client) GetReportAccountReportAgedpartnerbalance

func (c *Client) GetReportAccountReportAgedpartnerbalance(id int64) (*ReportAccountReportAgedpartnerbalance, error)

GetReportAccountReportAgedpartnerbalance gets report.account.report_agedpartnerbalance existing record.

func (*Client) GetReportAccountReportAgedpartnerbalances

func (c *Client) GetReportAccountReportAgedpartnerbalances(ids []int64) (*ReportAccountReportAgedpartnerbalances, error)

GetReportAccountReportAgedpartnerbalances gets report.account.report_agedpartnerbalance existing records.

func (*Client) GetReportAccountReportFinancial

func (c *Client) GetReportAccountReportFinancial(id int64) (*ReportAccountReportFinancial, error)

GetReportAccountReportFinancial gets report.account.report_financial existing record.

func (*Client) GetReportAccountReportFinancials

func (c *Client) GetReportAccountReportFinancials(ids []int64) (*ReportAccountReportFinancials, error)

GetReportAccountReportFinancials gets report.account.report_financial existing records.

func (*Client) GetReportAccountReportGeneralledger

func (c *Client) GetReportAccountReportGeneralledger(id int64) (*ReportAccountReportGeneralledger, error)

GetReportAccountReportGeneralledger gets report.account.report_generalledger existing record.

func (*Client) GetReportAccountReportGeneralledgers

func (c *Client) GetReportAccountReportGeneralledgers(ids []int64) (*ReportAccountReportGeneralledgers, error)

GetReportAccountReportGeneralledgers gets report.account.report_generalledger existing records.

func (*Client) GetReportAccountReportJournal

func (c *Client) GetReportAccountReportJournal(id int64) (*ReportAccountReportJournal, error)

GetReportAccountReportJournal gets report.account.report_journal existing record.

func (*Client) GetReportAccountReportJournals

func (c *Client) GetReportAccountReportJournals(ids []int64) (*ReportAccountReportJournals, error)

GetReportAccountReportJournals gets report.account.report_journal existing records.

func (*Client) GetReportAccountReportOverdue

func (c *Client) GetReportAccountReportOverdue(id int64) (*ReportAccountReportOverdue, error)

GetReportAccountReportOverdue gets report.account.report_overdue existing record.

func (*Client) GetReportAccountReportOverdues

func (c *Client) GetReportAccountReportOverdues(ids []int64) (*ReportAccountReportOverdues, error)

GetReportAccountReportOverdues gets report.account.report_overdue existing records.

func (*Client) GetReportAccountReportPartnerledger

func (c *Client) GetReportAccountReportPartnerledger(id int64) (*ReportAccountReportPartnerledger, error)

GetReportAccountReportPartnerledger gets report.account.report_partnerledger existing record.

func (*Client) GetReportAccountReportPartnerledgers

func (c *Client) GetReportAccountReportPartnerledgers(ids []int64) (*ReportAccountReportPartnerledgers, error)

GetReportAccountReportPartnerledgers gets report.account.report_partnerledger existing records.

func (*Client) GetReportAccountReportTax

func (c *Client) GetReportAccountReportTax(id int64) (*ReportAccountReportTax, error)

GetReportAccountReportTax gets report.account.report_tax existing record.

func (*Client) GetReportAccountReportTaxs

func (c *Client) GetReportAccountReportTaxs(ids []int64) (*ReportAccountReportTaxs, error)

GetReportAccountReportTaxs gets report.account.report_tax existing records.

func (*Client) GetReportAccountReportTrialbalance

func (c *Client) GetReportAccountReportTrialbalance(id int64) (*ReportAccountReportTrialbalance, error)

GetReportAccountReportTrialbalance gets report.account.report_trialbalance existing record.

func (*Client) GetReportAccountReportTrialbalances

func (c *Client) GetReportAccountReportTrialbalances(ids []int64) (*ReportAccountReportTrialbalances, error)

GetReportAccountReportTrialbalances gets report.account.report_trialbalance existing records.

func (*Client) GetReportAllChannelsSales

func (c *Client) GetReportAllChannelsSales(id int64) (*ReportAllChannelsSales, error)

GetReportAllChannelsSales gets report.all.channels.sales existing record.

func (*Client) GetReportAllChannelsSaless

func (c *Client) GetReportAllChannelsSaless(ids []int64) (*ReportAllChannelsSaless, error)

GetReportAllChannelsSaless gets report.all.channels.sales existing records.

func (*Client) GetReportBaseReportIrmodulereference

func (c *Client) GetReportBaseReportIrmodulereference(id int64) (*ReportBaseReportIrmodulereference, error)

GetReportBaseReportIrmodulereference gets report.base.report_irmodulereference existing record.

func (*Client) GetReportBaseReportIrmodulereferences

func (c *Client) GetReportBaseReportIrmodulereferences(ids []int64) (*ReportBaseReportIrmodulereferences, error)

GetReportBaseReportIrmodulereferences gets report.base.report_irmodulereference existing records.

func (*Client) GetReportHrHolidaysReportHolidayssummary

func (c *Client) GetReportHrHolidaysReportHolidayssummary(id int64) (*ReportHrHolidaysReportHolidayssummary, error)

GetReportHrHolidaysReportHolidayssummary gets report.hr_holidays.report_holidayssummary existing record.

func (*Client) GetReportHrHolidaysReportHolidayssummarys

func (c *Client) GetReportHrHolidaysReportHolidayssummarys(ids []int64) (*ReportHrHolidaysReportHolidayssummarys, error)

GetReportHrHolidaysReportHolidayssummarys gets report.hr_holidays.report_holidayssummary existing records.

func (*Client) GetReportPaperformat

func (c *Client) GetReportPaperformat(id int64) (*ReportPaperformat, error)

GetReportPaperformat gets report.paperformat existing record.

func (*Client) GetReportPaperformats

func (c *Client) GetReportPaperformats(ids []int64) (*ReportPaperformats, error)

GetReportPaperformats gets report.paperformat existing records.

func (*Client) GetReportProductReportPricelist

func (c *Client) GetReportProductReportPricelist(id int64) (*ReportProductReportPricelist, error)

GetReportProductReportPricelist gets report.product.report_pricelist existing record.

func (*Client) GetReportProductReportPricelists

func (c *Client) GetReportProductReportPricelists(ids []int64) (*ReportProductReportPricelists, error)

GetReportProductReportPricelists gets report.product.report_pricelist existing records.

func (*Client) GetReportProjectTaskUser

func (c *Client) GetReportProjectTaskUser(id int64) (*ReportProjectTaskUser, error)

GetReportProjectTaskUser gets report.project.task.user existing record.

func (*Client) GetReportProjectTaskUsers

func (c *Client) GetReportProjectTaskUsers(ids []int64) (*ReportProjectTaskUsers, error)

GetReportProjectTaskUsers gets report.project.task.user existing records.

func (*Client) GetReportSaleReportSaleproforma

func (c *Client) GetReportSaleReportSaleproforma(id int64) (*ReportSaleReportSaleproforma, error)

GetReportSaleReportSaleproforma gets report.sale.report_saleproforma existing record.

func (*Client) GetReportSaleReportSaleproformas

func (c *Client) GetReportSaleReportSaleproformas(ids []int64) (*ReportSaleReportSaleproformas, error)

GetReportSaleReportSaleproformas gets report.sale.report_saleproforma existing records.

func (*Client) GetReportStockForecast

func (c *Client) GetReportStockForecast(id int64) (*ReportStockForecast, error)

GetReportStockForecast gets report.stock.forecast existing record.

func (*Client) GetReportStockForecasts

func (c *Client) GetReportStockForecasts(ids []int64) (*ReportStockForecasts, error)

GetReportStockForecasts gets report.stock.forecast existing records.

func (*Client) GetResBank

func (c *Client) GetResBank(id int64) (*ResBank, error)

GetResBank gets res.bank existing record.

func (*Client) GetResBanks

func (c *Client) GetResBanks(ids []int64) (*ResBanks, error)

GetResBanks gets res.bank existing records.

func (*Client) GetResCompany

func (c *Client) GetResCompany(id int64) (*ResCompany, error)

GetResCompany gets res.company existing record.

func (*Client) GetResCompanys

func (c *Client) GetResCompanys(ids []int64) (*ResCompanys, error)

GetResCompanys gets res.company existing records.

func (*Client) GetResConfig

func (c *Client) GetResConfig(id int64) (*ResConfig, error)

GetResConfig gets res.config existing record.

func (*Client) GetResConfigInstaller

func (c *Client) GetResConfigInstaller(id int64) (*ResConfigInstaller, error)

GetResConfigInstaller gets res.config.installer existing record.

func (*Client) GetResConfigInstallers

func (c *Client) GetResConfigInstallers(ids []int64) (*ResConfigInstallers, error)

GetResConfigInstallers gets res.config.installer existing records.

func (*Client) GetResConfigSettings

func (c *Client) GetResConfigSettings(id int64) (*ResConfigSettings, error)

GetResConfigSettings gets res.config.settings existing record.

func (*Client) GetResConfigSettingss

func (c *Client) GetResConfigSettingss(ids []int64) (*ResConfigSettingss, error)

GetResConfigSettingss gets res.config.settings existing records.

func (*Client) GetResConfigs

func (c *Client) GetResConfigs(ids []int64) (*ResConfigs, error)

GetResConfigs gets res.config existing records.

func (*Client) GetResCountry

func (c *Client) GetResCountry(id int64) (*ResCountry, error)

GetResCountry gets res.country existing record.

func (*Client) GetResCountryGroup

func (c *Client) GetResCountryGroup(id int64) (*ResCountryGroup, error)

GetResCountryGroup gets res.country.group existing record.

func (*Client) GetResCountryGroups

func (c *Client) GetResCountryGroups(ids []int64) (*ResCountryGroups, error)

GetResCountryGroups gets res.country.group existing records.

func (*Client) GetResCountryState

func (c *Client) GetResCountryState(id int64) (*ResCountryState, error)

GetResCountryState gets res.country.state existing record.

func (*Client) GetResCountryStates

func (c *Client) GetResCountryStates(ids []int64) (*ResCountryStates, error)

GetResCountryStates gets res.country.state existing records.

func (*Client) GetResCountrys

func (c *Client) GetResCountrys(ids []int64) (*ResCountrys, error)

GetResCountrys gets res.country existing records.

func (*Client) GetResCurrency

func (c *Client) GetResCurrency(id int64) (*ResCurrency, error)

GetResCurrency gets res.currency existing record.

func (*Client) GetResCurrencyRate

func (c *Client) GetResCurrencyRate(id int64) (*ResCurrencyRate, error)

GetResCurrencyRate gets res.currency.rate existing record.

func (*Client) GetResCurrencyRates

func (c *Client) GetResCurrencyRates(ids []int64) (*ResCurrencyRates, error)

GetResCurrencyRates gets res.currency.rate existing records.

func (*Client) GetResCurrencys

func (c *Client) GetResCurrencys(ids []int64) (*ResCurrencys, error)

GetResCurrencys gets res.currency existing records.

func (*Client) GetResGroups

func (c *Client) GetResGroups(id int64) (*ResGroups, error)

GetResGroups gets res.groups existing record.

func (*Client) GetResGroupss

func (c *Client) GetResGroupss(ids []int64) (*ResGroupss, error)

GetResGroupss gets res.groups existing records.

func (*Client) GetResLang

func (c *Client) GetResLang(id int64) (*ResLang, error)

GetResLang gets res.lang existing record.

func (*Client) GetResLangs

func (c *Client) GetResLangs(ids []int64) (*ResLangs, error)

GetResLangs gets res.lang existing records.

func (*Client) GetResPartner

func (c *Client) GetResPartner(id int64) (*ResPartner, error)

GetResPartner gets res.partner existing record.

func (*Client) GetResPartnerBank

func (c *Client) GetResPartnerBank(id int64) (*ResPartnerBank, error)

GetResPartnerBank gets res.partner.bank existing record.

func (*Client) GetResPartnerBanks

func (c *Client) GetResPartnerBanks(ids []int64) (*ResPartnerBanks, error)

GetResPartnerBanks gets res.partner.bank existing records.

func (*Client) GetResPartnerCategory

func (c *Client) GetResPartnerCategory(id int64) (*ResPartnerCategory, error)

GetResPartnerCategory gets res.partner.category existing record.

func (*Client) GetResPartnerCategorys

func (c *Client) GetResPartnerCategorys(ids []int64) (*ResPartnerCategorys, error)

GetResPartnerCategorys gets res.partner.category existing records.

func (*Client) GetResPartnerIndustry

func (c *Client) GetResPartnerIndustry(id int64) (*ResPartnerIndustry, error)

GetResPartnerIndustry gets res.partner.industry existing record.

func (*Client) GetResPartnerIndustrys

func (c *Client) GetResPartnerIndustrys(ids []int64) (*ResPartnerIndustrys, error)

GetResPartnerIndustrys gets res.partner.industry existing records.

func (*Client) GetResPartnerTitle

func (c *Client) GetResPartnerTitle(id int64) (*ResPartnerTitle, error)

GetResPartnerTitle gets res.partner.title existing record.

func (*Client) GetResPartnerTitles

func (c *Client) GetResPartnerTitles(ids []int64) (*ResPartnerTitles, error)

GetResPartnerTitles gets res.partner.title existing records.

func (*Client) GetResPartners

func (c *Client) GetResPartners(ids []int64) (*ResPartners, error)

GetResPartners gets res.partner existing records.

func (c *Client) GetResRequestLink(id int64) (*ResRequestLink, error)

GetResRequestLink gets res.request.link existing record.

func (c *Client) GetResRequestLinks(ids []int64) (*ResRequestLinks, error)

GetResRequestLinks gets res.request.link existing records.

func (*Client) GetResUsers

func (c *Client) GetResUsers(id int64) (*ResUsers, error)

GetResUsers gets res.users existing record.

func (*Client) GetResUsersLog

func (c *Client) GetResUsersLog(id int64) (*ResUsersLog, error)

GetResUsersLog gets res.users.log existing record.

func (*Client) GetResUsersLogs

func (c *Client) GetResUsersLogs(ids []int64) (*ResUsersLogs, error)

GetResUsersLogs gets res.users.log existing records.

func (*Client) GetResUserss

func (c *Client) GetResUserss(ids []int64) (*ResUserss, error)

GetResUserss gets res.users existing records.

func (*Client) GetResourceCalendar

func (c *Client) GetResourceCalendar(id int64) (*ResourceCalendar, error)

GetResourceCalendar gets resource.calendar existing record.

func (*Client) GetResourceCalendarAttendance

func (c *Client) GetResourceCalendarAttendance(id int64) (*ResourceCalendarAttendance, error)

GetResourceCalendarAttendance gets resource.calendar.attendance existing record.

func (*Client) GetResourceCalendarAttendances

func (c *Client) GetResourceCalendarAttendances(ids []int64) (*ResourceCalendarAttendances, error)

GetResourceCalendarAttendances gets resource.calendar.attendance existing records.

func (*Client) GetResourceCalendarLeaves

func (c *Client) GetResourceCalendarLeaves(id int64) (*ResourceCalendarLeaves, error)

GetResourceCalendarLeaves gets resource.calendar.leaves existing record.

func (*Client) GetResourceCalendarLeavess

func (c *Client) GetResourceCalendarLeavess(ids []int64) (*ResourceCalendarLeavess, error)

GetResourceCalendarLeavess gets resource.calendar.leaves existing records.

func (*Client) GetResourceCalendars

func (c *Client) GetResourceCalendars(ids []int64) (*ResourceCalendars, error)

GetResourceCalendars gets resource.calendar existing records.

func (*Client) GetResourceMixin

func (c *Client) GetResourceMixin(id int64) (*ResourceMixin, error)

GetResourceMixin gets resource.mixin existing record.

func (*Client) GetResourceMixins

func (c *Client) GetResourceMixins(ids []int64) (*ResourceMixins, error)

GetResourceMixins gets resource.mixin existing records.

func (*Client) GetResourceResource

func (c *Client) GetResourceResource(id int64) (*ResourceResource, error)

GetResourceResource gets resource.resource existing record.

func (*Client) GetResourceResources

func (c *Client) GetResourceResources(ids []int64) (*ResourceResources, error)

GetResourceResources gets resource.resource existing records.

func (*Client) GetSaleAdvancePaymentInv

func (c *Client) GetSaleAdvancePaymentInv(id int64) (*SaleAdvancePaymentInv, error)

GetSaleAdvancePaymentInv gets sale.advance.payment.inv existing record.

func (*Client) GetSaleAdvancePaymentInvs

func (c *Client) GetSaleAdvancePaymentInvs(ids []int64) (*SaleAdvancePaymentInvs, error)

GetSaleAdvancePaymentInvs gets sale.advance.payment.inv existing records.

func (*Client) GetSaleLayoutCategory

func (c *Client) GetSaleLayoutCategory(id int64) (*SaleLayoutCategory, error)

GetSaleLayoutCategory gets sale.layout_category existing record.

func (*Client) GetSaleLayoutCategorys

func (c *Client) GetSaleLayoutCategorys(ids []int64) (*SaleLayoutCategorys, error)

GetSaleLayoutCategorys gets sale.layout_category existing records.

func (*Client) GetSaleOrder

func (c *Client) GetSaleOrder(id int64) (*SaleOrder, error)

GetSaleOrder gets sale.order existing record.

func (*Client) GetSaleOrderLine

func (c *Client) GetSaleOrderLine(id int64) (*SaleOrderLine, error)

GetSaleOrderLine gets sale.order.line existing record.

func (*Client) GetSaleOrderLines

func (c *Client) GetSaleOrderLines(ids []int64) (*SaleOrderLines, error)

GetSaleOrderLines gets sale.order.line existing records.

func (*Client) GetSaleOrders

func (c *Client) GetSaleOrders(ids []int64) (*SaleOrders, error)

GetSaleOrders gets sale.order existing records.

func (*Client) GetSaleReport

func (c *Client) GetSaleReport(id int64) (*SaleReport, error)

GetSaleReport gets sale.report existing record.

func (*Client) GetSaleReports

func (c *Client) GetSaleReports(ids []int64) (*SaleReports, error)

GetSaleReports gets sale.report existing records.

func (*Client) GetSlideAnswer

func (c *Client) GetSlideAnswer(id int64) (*SlideAnswer, error)

func (*Client) GetSlideAnswers

func (c *Client) GetSlideAnswers(ids []int64) (*SlideAnswers, error)

func (*Client) GetSlideChannel

func (c *Client) GetSlideChannel(id int64) (*SlideChannel, error)

func (*Client) GetSlideChannelInvite

func (c *Client) GetSlideChannelInvite(id int64) (*SlideChannelInvite, error)

func (*Client) GetSlideChannelInvites

func (c *Client) GetSlideChannelInvites(ids []int64) (*SlideChannelInvites, error)

func (*Client) GetSlideChannelPartner

func (c *Client) GetSlideChannelPartner(id int64) (*SlideChannelPartner, error)

func (*Client) GetSlideChannelPartners

func (c *Client) GetSlideChannelPartners(ids []int64) (*SlideChannelPartners, error)

func (*Client) GetSlideChannelTag

func (c *Client) GetSlideChannelTag(id int64) (*SlideChannelTag, error)

func (*Client) GetSlideChannelTagGroup

func (c *Client) GetSlideChannelTagGroup(id int64) (*SlideChannelTagGroup, error)

func (*Client) GetSlideChannelTagGroups

func (c *Client) GetSlideChannelTagGroups(ids []int64) (*SlideChannelTagGroups, error)

func (*Client) GetSlideChannelTags

func (c *Client) GetSlideChannelTags(ids []int64) (*SlideChannelTags, error)

func (*Client) GetSlideChannels

func (c *Client) GetSlideChannels(ids []int64) (*SlideChannels, error)

func (*Client) GetSlideEmbed

func (c *Client) GetSlideEmbed(id int64) (*SlideEmbed, error)

func (*Client) GetSlideEmbeds

func (c *Client) GetSlideEmbeds(ids []int64) (*SlideEmbeds, error)

func (*Client) GetSlideQuestion

func (c *Client) GetSlideQuestion(id int64) (*SlideQuestion, error)

func (*Client) GetSlideQuestions

func (c *Client) GetSlideQuestions(ids []int64) (*SlideQuestions, error)

func (*Client) GetSlideSlide

func (c *Client) GetSlideSlide(id int64) (*SlideSlide, error)

func (*Client) GetSlideSlidePartner

func (c *Client) GetSlideSlidePartner(id int64) (*SlideSlidePartner, error)

func (*Client) GetSlideSlidePartners

func (c *Client) GetSlideSlidePartners(ids []int64) (*SlideSlidePartners, error)

func (*Client) GetSlideSlideResource

func (c *Client) GetSlideSlideResource(id int64) (*SlideSlideResource, error)

func (*Client) GetSlideSlideResources

func (c *Client) GetSlideSlideResources(ids []int64) (*SlideSlideResources, error)

func (*Client) GetSlideSlides

func (c *Client) GetSlideSlides(ids []int64) (*SlideSlides, error)

func (*Client) GetSlideTag

func (c *Client) GetSlideTag(id int64) (*SlideTag, error)

func (*Client) GetSlideTags

func (c *Client) GetSlideTags(ids []int64) (*SlideTags, error)

func (*Client) GetSmsApi

func (c *Client) GetSmsApi(id int64) (*SmsApi, error)

GetSmsApi gets sms.api existing record.

func (*Client) GetSmsApis

func (c *Client) GetSmsApis(ids []int64) (*SmsApis, error)

GetSmsApis gets sms.api existing records.

func (*Client) GetSmsSendSms

func (c *Client) GetSmsSendSms(id int64) (*SmsSendSms, error)

GetSmsSendSms gets sms.send_sms existing record.

func (*Client) GetSmsSendSmss

func (c *Client) GetSmsSendSmss(ids []int64) (*SmsSendSmss, error)

GetSmsSendSmss gets sms.send_sms existing records.

func (*Client) GetStockBackorderConfirmation

func (c *Client) GetStockBackorderConfirmation(id int64) (*StockBackorderConfirmation, error)

GetStockBackorderConfirmation gets stock.backorder.confirmation existing record.

func (*Client) GetStockBackorderConfirmations

func (c *Client) GetStockBackorderConfirmations(ids []int64) (*StockBackorderConfirmations, error)

GetStockBackorderConfirmations gets stock.backorder.confirmation existing records.

func (*Client) GetStockChangeProductQty

func (c *Client) GetStockChangeProductQty(id int64) (*StockChangeProductQty, error)

GetStockChangeProductQty gets stock.change.product.qty existing record.

func (*Client) GetStockChangeProductQtys

func (c *Client) GetStockChangeProductQtys(ids []int64) (*StockChangeProductQtys, error)

GetStockChangeProductQtys gets stock.change.product.qty existing records.

func (*Client) GetStockChangeStandardPrice

func (c *Client) GetStockChangeStandardPrice(id int64) (*StockChangeStandardPrice, error)

GetStockChangeStandardPrice gets stock.change.standard.price existing record.

func (*Client) GetStockChangeStandardPrices

func (c *Client) GetStockChangeStandardPrices(ids []int64) (*StockChangeStandardPrices, error)

GetStockChangeStandardPrices gets stock.change.standard.price existing records.

func (*Client) GetStockFixedPutawayStrat

func (c *Client) GetStockFixedPutawayStrat(id int64) (*StockFixedPutawayStrat, error)

GetStockFixedPutawayStrat gets stock.fixed.putaway.strat existing record.

func (*Client) GetStockFixedPutawayStrats

func (c *Client) GetStockFixedPutawayStrats(ids []int64) (*StockFixedPutawayStrats, error)

GetStockFixedPutawayStrats gets stock.fixed.putaway.strat existing records.

func (*Client) GetStockImmediateTransfer

func (c *Client) GetStockImmediateTransfer(id int64) (*StockImmediateTransfer, error)

GetStockImmediateTransfer gets stock.immediate.transfer existing record.

func (*Client) GetStockImmediateTransfers

func (c *Client) GetStockImmediateTransfers(ids []int64) (*StockImmediateTransfers, error)

GetStockImmediateTransfers gets stock.immediate.transfer existing records.

func (*Client) GetStockIncoterms

func (c *Client) GetStockIncoterms(id int64) (*StockIncoterms, error)

GetStockIncoterms gets stock.incoterms existing record.

func (*Client) GetStockIncotermss

func (c *Client) GetStockIncotermss(ids []int64) (*StockIncotermss, error)

GetStockIncotermss gets stock.incoterms existing records.

func (*Client) GetStockInventory

func (c *Client) GetStockInventory(id int64) (*StockInventory, error)

GetStockInventory gets stock.inventory existing record.

func (*Client) GetStockInventoryLine

func (c *Client) GetStockInventoryLine(id int64) (*StockInventoryLine, error)

GetStockInventoryLine gets stock.inventory.line existing record.

func (*Client) GetStockInventoryLines

func (c *Client) GetStockInventoryLines(ids []int64) (*StockInventoryLines, error)

GetStockInventoryLines gets stock.inventory.line existing records.

func (*Client) GetStockInventorys

func (c *Client) GetStockInventorys(ids []int64) (*StockInventorys, error)

GetStockInventorys gets stock.inventory existing records.

func (*Client) GetStockLocation

func (c *Client) GetStockLocation(id int64) (*StockLocation, error)

GetStockLocation gets stock.location existing record.

func (*Client) GetStockLocationPath

func (c *Client) GetStockLocationPath(id int64) (*StockLocationPath, error)

GetStockLocationPath gets stock.location.path existing record.

func (*Client) GetStockLocationPaths

func (c *Client) GetStockLocationPaths(ids []int64) (*StockLocationPaths, error)

GetStockLocationPaths gets stock.location.path existing records.

func (*Client) GetStockLocationRoute

func (c *Client) GetStockLocationRoute(id int64) (*StockLocationRoute, error)

GetStockLocationRoute gets stock.location.route existing record.

func (*Client) GetStockLocationRoutes

func (c *Client) GetStockLocationRoutes(ids []int64) (*StockLocationRoutes, error)

GetStockLocationRoutes gets stock.location.route existing records.

func (*Client) GetStockLocations

func (c *Client) GetStockLocations(ids []int64) (*StockLocations, error)

GetStockLocations gets stock.location existing records.

func (*Client) GetStockMove

func (c *Client) GetStockMove(id int64) (*StockMove, error)

GetStockMove gets stock.move existing record.

func (*Client) GetStockMoveLine

func (c *Client) GetStockMoveLine(id int64) (*StockMoveLine, error)

GetStockMoveLine gets stock.move.line existing record.

func (*Client) GetStockMoveLines

func (c *Client) GetStockMoveLines(ids []int64) (*StockMoveLines, error)

GetStockMoveLines gets stock.move.line existing records.

func (*Client) GetStockMoves

func (c *Client) GetStockMoves(ids []int64) (*StockMoves, error)

GetStockMoves gets stock.move existing records.

func (*Client) GetStockOverprocessedTransfer

func (c *Client) GetStockOverprocessedTransfer(id int64) (*StockOverprocessedTransfer, error)

GetStockOverprocessedTransfer gets stock.overprocessed.transfer existing record.

func (*Client) GetStockOverprocessedTransfers

func (c *Client) GetStockOverprocessedTransfers(ids []int64) (*StockOverprocessedTransfers, error)

GetStockOverprocessedTransfers gets stock.overprocessed.transfer existing records.

func (*Client) GetStockPicking

func (c *Client) GetStockPicking(id int64) (*StockPicking, error)

GetStockPicking gets stock.picking existing record.

func (*Client) GetStockPickingType

func (c *Client) GetStockPickingType(id int64) (*StockPickingType, error)

GetStockPickingType gets stock.picking.type existing record.

func (*Client) GetStockPickingTypes

func (c *Client) GetStockPickingTypes(ids []int64) (*StockPickingTypes, error)

GetStockPickingTypes gets stock.picking.type existing records.

func (*Client) GetStockPickings

func (c *Client) GetStockPickings(ids []int64) (*StockPickings, error)

GetStockPickings gets stock.picking existing records.

func (*Client) GetStockProductionLot

func (c *Client) GetStockProductionLot(id int64) (*StockProductionLot, error)

GetStockProductionLot gets stock.production.lot existing record.

func (*Client) GetStockProductionLots

func (c *Client) GetStockProductionLots(ids []int64) (*StockProductionLots, error)

GetStockProductionLots gets stock.production.lot existing records.

func (*Client) GetStockQuant

func (c *Client) GetStockQuant(id int64) (*StockQuant, error)

GetStockQuant gets stock.quant existing record.

func (*Client) GetStockQuantPackage

func (c *Client) GetStockQuantPackage(id int64) (*StockQuantPackage, error)

GetStockQuantPackage gets stock.quant.package existing record.

func (*Client) GetStockQuantPackages

func (c *Client) GetStockQuantPackages(ids []int64) (*StockQuantPackages, error)

GetStockQuantPackages gets stock.quant.package existing records.

func (*Client) GetStockQuantityHistory

func (c *Client) GetStockQuantityHistory(id int64) (*StockQuantityHistory, error)

GetStockQuantityHistory gets stock.quantity.history existing record.

func (*Client) GetStockQuantityHistorys

func (c *Client) GetStockQuantityHistorys(ids []int64) (*StockQuantityHistorys, error)

GetStockQuantityHistorys gets stock.quantity.history existing records.

func (*Client) GetStockQuants

func (c *Client) GetStockQuants(ids []int64) (*StockQuants, error)

GetStockQuants gets stock.quant existing records.

func (*Client) GetStockReturnPicking

func (c *Client) GetStockReturnPicking(id int64) (*StockReturnPicking, error)

GetStockReturnPicking gets stock.return.picking existing record.

func (*Client) GetStockReturnPickingLine

func (c *Client) GetStockReturnPickingLine(id int64) (*StockReturnPickingLine, error)

GetStockReturnPickingLine gets stock.return.picking.line existing record.

func (*Client) GetStockReturnPickingLines

func (c *Client) GetStockReturnPickingLines(ids []int64) (*StockReturnPickingLines, error)

GetStockReturnPickingLines gets stock.return.picking.line existing records.

func (*Client) GetStockReturnPickings

func (c *Client) GetStockReturnPickings(ids []int64) (*StockReturnPickings, error)

GetStockReturnPickings gets stock.return.picking existing records.

func (*Client) GetStockSchedulerCompute

func (c *Client) GetStockSchedulerCompute(id int64) (*StockSchedulerCompute, error)

GetStockSchedulerCompute gets stock.scheduler.compute existing record.

func (*Client) GetStockSchedulerComputes

func (c *Client) GetStockSchedulerComputes(ids []int64) (*StockSchedulerComputes, error)

GetStockSchedulerComputes gets stock.scheduler.compute existing records.

func (*Client) GetStockScrap

func (c *Client) GetStockScrap(id int64) (*StockScrap, error)

GetStockScrap gets stock.scrap existing record.

func (*Client) GetStockScraps

func (c *Client) GetStockScraps(ids []int64) (*StockScraps, error)

GetStockScraps gets stock.scrap existing records.

func (*Client) GetStockTraceabilityReport

func (c *Client) GetStockTraceabilityReport(id int64) (*StockTraceabilityReport, error)

GetStockTraceabilityReport gets stock.traceability.report existing record.

func (*Client) GetStockTraceabilityReports

func (c *Client) GetStockTraceabilityReports(ids []int64) (*StockTraceabilityReports, error)

GetStockTraceabilityReports gets stock.traceability.report existing records.

func (*Client) GetStockWarehouse

func (c *Client) GetStockWarehouse(id int64) (*StockWarehouse, error)

GetStockWarehouse gets stock.warehouse existing record.

func (*Client) GetStockWarehouseOrderpoint

func (c *Client) GetStockWarehouseOrderpoint(id int64) (*StockWarehouseOrderpoint, error)

GetStockWarehouseOrderpoint gets stock.warehouse.orderpoint existing record.

func (*Client) GetStockWarehouseOrderpoints

func (c *Client) GetStockWarehouseOrderpoints(ids []int64) (*StockWarehouseOrderpoints, error)

GetStockWarehouseOrderpoints gets stock.warehouse.orderpoint existing records.

func (*Client) GetStockWarehouses

func (c *Client) GetStockWarehouses(ids []int64) (*StockWarehouses, error)

GetStockWarehouses gets stock.warehouse existing records.

func (*Client) GetStockWarnInsufficientQty

func (c *Client) GetStockWarnInsufficientQty(id int64) (*StockWarnInsufficientQty, error)

GetStockWarnInsufficientQty gets stock.warn.insufficient.qty existing record.

func (*Client) GetStockWarnInsufficientQtyScrap

func (c *Client) GetStockWarnInsufficientQtyScrap(id int64) (*StockWarnInsufficientQtyScrap, error)

GetStockWarnInsufficientQtyScrap gets stock.warn.insufficient.qty.scrap existing record.

func (*Client) GetStockWarnInsufficientQtyScraps

func (c *Client) GetStockWarnInsufficientQtyScraps(ids []int64) (*StockWarnInsufficientQtyScraps, error)

GetStockWarnInsufficientQtyScraps gets stock.warn.insufficient.qty.scrap existing records.

func (*Client) GetStockWarnInsufficientQtys

func (c *Client) GetStockWarnInsufficientQtys(ids []int64) (*StockWarnInsufficientQtys, error)

GetStockWarnInsufficientQtys gets stock.warn.insufficient.qty existing records.

func (*Client) GetTaxAdjustmentsWizard

func (c *Client) GetTaxAdjustmentsWizard(id int64) (*TaxAdjustmentsWizard, error)

GetTaxAdjustmentsWizard gets tax.adjustments.wizard existing record.

func (*Client) GetTaxAdjustmentsWizards

func (c *Client) GetTaxAdjustmentsWizards(ids []int64) (*TaxAdjustmentsWizards, error)

GetTaxAdjustmentsWizards gets tax.adjustments.wizard existing records.

func (*Client) GetUtmCampaign

func (c *Client) GetUtmCampaign(id int64) (*UtmCampaign, error)

GetUtmCampaign gets utm.campaign existing record.

func (*Client) GetUtmCampaigns

func (c *Client) GetUtmCampaigns(ids []int64) (*UtmCampaigns, error)

GetUtmCampaigns gets utm.campaign existing records.

func (*Client) GetUtmMedium

func (c *Client) GetUtmMedium(id int64) (*UtmMedium, error)

GetUtmMedium gets utm.medium existing record.

func (*Client) GetUtmMediums

func (c *Client) GetUtmMediums(ids []int64) (*UtmMediums, error)

GetUtmMediums gets utm.medium existing records.

func (*Client) GetUtmMixin

func (c *Client) GetUtmMixin(id int64) (*UtmMixin, error)

GetUtmMixin gets utm.mixin existing record.

func (*Client) GetUtmMixins

func (c *Client) GetUtmMixins(ids []int64) (*UtmMixins, error)

GetUtmMixins gets utm.mixin existing records.

func (*Client) GetUtmSource

func (c *Client) GetUtmSource(id int64) (*UtmSource, error)

GetUtmSource gets utm.source existing record.

func (*Client) GetUtmSources

func (c *Client) GetUtmSources(ids []int64) (*UtmSources, error)

GetUtmSources gets utm.source existing records.

func (*Client) GetValidateAccountMove

func (c *Client) GetValidateAccountMove(id int64) (*ValidateAccountMove, error)

GetValidateAccountMove gets validate.account.move existing record.

func (*Client) GetValidateAccountMoves

func (c *Client) GetValidateAccountMoves(ids []int64) (*ValidateAccountMoves, error)

GetValidateAccountMoves gets validate.account.move existing records.

func (*Client) GetWebEditorConverterTestSub

func (c *Client) GetWebEditorConverterTestSub(id int64) (*WebEditorConverterTestSub, error)

GetWebEditorConverterTestSub gets web_editor.converter.test.sub existing record.

func (*Client) GetWebEditorConverterTestSubs

func (c *Client) GetWebEditorConverterTestSubs(ids []int64) (*WebEditorConverterTestSubs, error)

GetWebEditorConverterTestSubs gets web_editor.converter.test.sub existing records.

func (*Client) GetWebPlanner

func (c *Client) GetWebPlanner(id int64) (*WebPlanner, error)

GetWebPlanner gets web.planner existing record.

func (*Client) GetWebPlanners

func (c *Client) GetWebPlanners(ids []int64) (*WebPlanners, error)

GetWebPlanners gets web.planner existing records.

func (*Client) GetWebTourTour

func (c *Client) GetWebTourTour(id int64) (*WebTourTour, error)

GetWebTourTour gets web_tour.tour existing record.

func (*Client) GetWebTourTours

func (c *Client) GetWebTourTours(ids []int64) (*WebTourTours, error)

GetWebTourTours gets web_tour.tour existing records.

func (*Client) GetWizardIrModelMenuCreate

func (c *Client) GetWizardIrModelMenuCreate(id int64) (*WizardIrModelMenuCreate, error)

GetWizardIrModelMenuCreate gets wizard.ir.model.menu.create existing record.

func (*Client) GetWizardIrModelMenuCreates

func (c *Client) GetWizardIrModelMenuCreates(ids []int64) (*WizardIrModelMenuCreates, error)

GetWizardIrModelMenuCreates gets wizard.ir.model.menu.create existing records.

func (*Client) GetWizardMultiChartsAccounts

func (c *Client) GetWizardMultiChartsAccounts(id int64) (*WizardMultiChartsAccounts, error)

GetWizardMultiChartsAccounts gets wizard.multi.charts.accounts existing record.

func (*Client) GetWizardMultiChartsAccountss

func (c *Client) GetWizardMultiChartsAccountss(ids []int64) (*WizardMultiChartsAccountss, error)

GetWizardMultiChartsAccountss gets wizard.multi.charts.accounts existing records.

func (*Client) Read

func (c *Client) Read(model string, ids []int64, options *Options, elem interface{}) error

Read model records matching with ids. https://www.odoo.com/documentation/13.0/webservices/odoo.html#read-records

func (*Client) Search

func (c *Client) Search(model string, criteria *Criteria, options *Options) ([]int64, error)

Search model record ids matching with *Criteria. https://www.odoo.com/documentation/13.0/webservices/odoo.html#list-records

func (*Client) SearchRead

func (c *Client) SearchRead(model string, criteria *Criteria, options *Options, elem interface{}) error

SearchRead search model records matching with *Criteria and read it. https://www.odoo.com/documentation/13.0/webservices/odoo.html#search-and-read

func (*Client) Update

func (c *Client) Update(model string, ids []int64, values interface{}) error

Update existing model row(s). https://www.odoo.com/documentation/13.0/webservices/odoo.html#update-records

func (*Client) UpdateAccountAbstractPayment

func (c *Client) UpdateAccountAbstractPayment(aap *AccountAbstractPayment) error

UpdateAccountAbstractPayment updates an existing account.abstract.payment record.

func (*Client) UpdateAccountAbstractPayments

func (c *Client) UpdateAccountAbstractPayments(ids []int64, aap *AccountAbstractPayment) error

UpdateAccountAbstractPayments updates existing account.abstract.payment records. All records (represented by ids) will be updated by aap values.

func (*Client) UpdateAccountAccount

func (c *Client) UpdateAccountAccount(aa *AccountAccount) error

UpdateAccountAccount updates an existing account.account record.

func (*Client) UpdateAccountAccountTag

func (c *Client) UpdateAccountAccountTag(aat *AccountAccountTag) error

UpdateAccountAccountTag updates an existing account.account.tag record.

func (*Client) UpdateAccountAccountTags

func (c *Client) UpdateAccountAccountTags(ids []int64, aat *AccountAccountTag) error

UpdateAccountAccountTags updates existing account.account.tag records. All records (represented by ids) will be updated by aat values.

func (*Client) UpdateAccountAccountTemplate

func (c *Client) UpdateAccountAccountTemplate(aat *AccountAccountTemplate) error

UpdateAccountAccountTemplate updates an existing account.account.template record.

func (*Client) UpdateAccountAccountTemplates

func (c *Client) UpdateAccountAccountTemplates(ids []int64, aat *AccountAccountTemplate) error

UpdateAccountAccountTemplates updates existing account.account.template records. All records (represented by ids) will be updated by aat values.

func (*Client) UpdateAccountAccountType

func (c *Client) UpdateAccountAccountType(aat *AccountAccountType) error

UpdateAccountAccountType updates an existing account.account.type record.

func (*Client) UpdateAccountAccountTypes

func (c *Client) UpdateAccountAccountTypes(ids []int64, aat *AccountAccountType) error

UpdateAccountAccountTypes updates existing account.account.type records. All records (represented by ids) will be updated by aat values.

func (*Client) UpdateAccountAccounts

func (c *Client) UpdateAccountAccounts(ids []int64, aa *AccountAccount) error

UpdateAccountAccounts updates existing account.account records. All records (represented by ids) will be updated by aa values.

func (*Client) UpdateAccountAgedTrialBalance

func (c *Client) UpdateAccountAgedTrialBalance(aatb *AccountAgedTrialBalance) error

UpdateAccountAgedTrialBalance updates an existing account.aged.trial.balance record.

func (*Client) UpdateAccountAgedTrialBalances

func (c *Client) UpdateAccountAgedTrialBalances(ids []int64, aatb *AccountAgedTrialBalance) error

UpdateAccountAgedTrialBalances updates existing account.aged.trial.balance records. All records (represented by ids) will be updated by aatb values.

func (*Client) UpdateAccountAnalyticAccount

func (c *Client) UpdateAccountAnalyticAccount(aaa *AccountAnalyticAccount) error

UpdateAccountAnalyticAccount updates an existing account.analytic.account record.

func (*Client) UpdateAccountAnalyticAccounts

func (c *Client) UpdateAccountAnalyticAccounts(ids []int64, aaa *AccountAnalyticAccount) error

UpdateAccountAnalyticAccounts updates existing account.analytic.account records. All records (represented by ids) will be updated by aaa values.

func (*Client) UpdateAccountAnalyticLine

func (c *Client) UpdateAccountAnalyticLine(aal *AccountAnalyticLine) error

UpdateAccountAnalyticLine updates an existing account.analytic.line record.

func (*Client) UpdateAccountAnalyticLines

func (c *Client) UpdateAccountAnalyticLines(ids []int64, aal *AccountAnalyticLine) error

UpdateAccountAnalyticLines updates existing account.analytic.line records. All records (represented by ids) will be updated by aal values.

func (*Client) UpdateAccountAnalyticTag

func (c *Client) UpdateAccountAnalyticTag(aat *AccountAnalyticTag) error

UpdateAccountAnalyticTag updates an existing account.analytic.tag record.

func (*Client) UpdateAccountAnalyticTags

func (c *Client) UpdateAccountAnalyticTags(ids []int64, aat *AccountAnalyticTag) error

UpdateAccountAnalyticTags updates existing account.analytic.tag records. All records (represented by ids) will be updated by aat values.

func (*Client) UpdateAccountBalanceReport

func (c *Client) UpdateAccountBalanceReport(abr *AccountBalanceReport) error

UpdateAccountBalanceReport updates an existing account.balance.report record.

func (*Client) UpdateAccountBalanceReports

func (c *Client) UpdateAccountBalanceReports(ids []int64, abr *AccountBalanceReport) error

UpdateAccountBalanceReports updates existing account.balance.report records. All records (represented by ids) will be updated by abr values.

func (*Client) UpdateAccountBankAccountsWizard

func (c *Client) UpdateAccountBankAccountsWizard(abaw *AccountBankAccountsWizard) error

UpdateAccountBankAccountsWizard updates an existing account.bank.accounts.wizard record.

func (*Client) UpdateAccountBankAccountsWizards

func (c *Client) UpdateAccountBankAccountsWizards(ids []int64, abaw *AccountBankAccountsWizard) error

UpdateAccountBankAccountsWizards updates existing account.bank.accounts.wizard records. All records (represented by ids) will be updated by abaw values.

func (*Client) UpdateAccountBankStatement

func (c *Client) UpdateAccountBankStatement(abs *AccountBankStatement) error

UpdateAccountBankStatement updates an existing account.bank.statement record.

func (*Client) UpdateAccountBankStatementCashbox

func (c *Client) UpdateAccountBankStatementCashbox(absc *AccountBankStatementCashbox) error

UpdateAccountBankStatementCashbox updates an existing account.bank.statement.cashbox record.

func (*Client) UpdateAccountBankStatementCashboxs

func (c *Client) UpdateAccountBankStatementCashboxs(ids []int64, absc *AccountBankStatementCashbox) error

UpdateAccountBankStatementCashboxs updates existing account.bank.statement.cashbox records. All records (represented by ids) will be updated by absc values.

func (*Client) UpdateAccountBankStatementClosebalance

func (c *Client) UpdateAccountBankStatementClosebalance(absc *AccountBankStatementClosebalance) error

UpdateAccountBankStatementClosebalance updates an existing account.bank.statement.closebalance record.

func (*Client) UpdateAccountBankStatementClosebalances

func (c *Client) UpdateAccountBankStatementClosebalances(ids []int64, absc *AccountBankStatementClosebalance) error

UpdateAccountBankStatementClosebalances updates existing account.bank.statement.closebalance records. All records (represented by ids) will be updated by absc values.

func (*Client) UpdateAccountBankStatementImport

func (c *Client) UpdateAccountBankStatementImport(absi *AccountBankStatementImport) error

UpdateAccountBankStatementImport updates an existing account.bank.statement.import record.

func (*Client) UpdateAccountBankStatementImportJournalCreation

func (c *Client) UpdateAccountBankStatementImportJournalCreation(absijc *AccountBankStatementImportJournalCreation) error

UpdateAccountBankStatementImportJournalCreation updates an existing account.bank.statement.import.journal.creation record.

func (*Client) UpdateAccountBankStatementImportJournalCreations

func (c *Client) UpdateAccountBankStatementImportJournalCreations(ids []int64, absijc *AccountBankStatementImportJournalCreation) error

UpdateAccountBankStatementImportJournalCreations updates existing account.bank.statement.import.journal.creation records. All records (represented by ids) will be updated by absijc values.

func (*Client) UpdateAccountBankStatementImports

func (c *Client) UpdateAccountBankStatementImports(ids []int64, absi *AccountBankStatementImport) error

UpdateAccountBankStatementImports updates existing account.bank.statement.import records. All records (represented by ids) will be updated by absi values.

func (*Client) UpdateAccountBankStatementLine

func (c *Client) UpdateAccountBankStatementLine(absl *AccountBankStatementLine) error

UpdateAccountBankStatementLine updates an existing account.bank.statement.line record.

func (*Client) UpdateAccountBankStatementLines

func (c *Client) UpdateAccountBankStatementLines(ids []int64, absl *AccountBankStatementLine) error

UpdateAccountBankStatementLines updates existing account.bank.statement.line records. All records (represented by ids) will be updated by absl values.

func (*Client) UpdateAccountBankStatements

func (c *Client) UpdateAccountBankStatements(ids []int64, abs *AccountBankStatement) error

UpdateAccountBankStatements updates existing account.bank.statement records. All records (represented by ids) will be updated by abs values.

func (*Client) UpdateAccountCashRounding

func (c *Client) UpdateAccountCashRounding(acr *AccountCashRounding) error

UpdateAccountCashRounding updates an existing account.cash.rounding record.

func (*Client) UpdateAccountCashRoundings

func (c *Client) UpdateAccountCashRoundings(ids []int64, acr *AccountCashRounding) error

UpdateAccountCashRoundings updates existing account.cash.rounding records. All records (represented by ids) will be updated by acr values.

func (*Client) UpdateAccountCashboxLine

func (c *Client) UpdateAccountCashboxLine(acl *AccountCashboxLine) error

UpdateAccountCashboxLine updates an existing account.cashbox.line record.

func (*Client) UpdateAccountCashboxLines

func (c *Client) UpdateAccountCashboxLines(ids []int64, acl *AccountCashboxLine) error

UpdateAccountCashboxLines updates existing account.cashbox.line records. All records (represented by ids) will be updated by acl values.

func (*Client) UpdateAccountChartTemplate

func (c *Client) UpdateAccountChartTemplate(act *AccountChartTemplate) error

UpdateAccountChartTemplate updates an existing account.chart.template record.

func (*Client) UpdateAccountChartTemplates

func (c *Client) UpdateAccountChartTemplates(ids []int64, act *AccountChartTemplate) error

UpdateAccountChartTemplates updates existing account.chart.template records. All records (represented by ids) will be updated by act values.

func (*Client) UpdateAccountCommonAccountReport

func (c *Client) UpdateAccountCommonAccountReport(acar *AccountCommonAccountReport) error

UpdateAccountCommonAccountReport updates an existing account.common.account.report record.

func (*Client) UpdateAccountCommonAccountReports

func (c *Client) UpdateAccountCommonAccountReports(ids []int64, acar *AccountCommonAccountReport) error

UpdateAccountCommonAccountReports updates existing account.common.account.report records. All records (represented by ids) will be updated by acar values.

func (*Client) UpdateAccountCommonJournalReport

func (c *Client) UpdateAccountCommonJournalReport(acjr *AccountCommonJournalReport) error

UpdateAccountCommonJournalReport updates an existing account.common.journal.report record.

func (*Client) UpdateAccountCommonJournalReports

func (c *Client) UpdateAccountCommonJournalReports(ids []int64, acjr *AccountCommonJournalReport) error

UpdateAccountCommonJournalReports updates existing account.common.journal.report records. All records (represented by ids) will be updated by acjr values.

func (*Client) UpdateAccountCommonPartnerReport

func (c *Client) UpdateAccountCommonPartnerReport(acpr *AccountCommonPartnerReport) error

UpdateAccountCommonPartnerReport updates an existing account.common.partner.report record.

func (*Client) UpdateAccountCommonPartnerReports

func (c *Client) UpdateAccountCommonPartnerReports(ids []int64, acpr *AccountCommonPartnerReport) error

UpdateAccountCommonPartnerReports updates existing account.common.partner.report records. All records (represented by ids) will be updated by acpr values.

func (*Client) UpdateAccountCommonReport

func (c *Client) UpdateAccountCommonReport(acr *AccountCommonReport) error

UpdateAccountCommonReport updates an existing account.common.report record.

func (*Client) UpdateAccountCommonReports

func (c *Client) UpdateAccountCommonReports(ids []int64, acr *AccountCommonReport) error

UpdateAccountCommonReports updates existing account.common.report records. All records (represented by ids) will be updated by acr values.

func (*Client) UpdateAccountFinancialReport

func (c *Client) UpdateAccountFinancialReport(afr *AccountFinancialReport) error

UpdateAccountFinancialReport updates an existing account.financial.report record.

func (*Client) UpdateAccountFinancialReports

func (c *Client) UpdateAccountFinancialReports(ids []int64, afr *AccountFinancialReport) error

UpdateAccountFinancialReports updates existing account.financial.report records. All records (represented by ids) will be updated by afr values.

func (*Client) UpdateAccountFinancialYearOp

func (c *Client) UpdateAccountFinancialYearOp(afyo *AccountFinancialYearOp) error

UpdateAccountFinancialYearOp updates an existing account.financial.year.op record.

func (*Client) UpdateAccountFinancialYearOps

func (c *Client) UpdateAccountFinancialYearOps(ids []int64, afyo *AccountFinancialYearOp) error

UpdateAccountFinancialYearOps updates existing account.financial.year.op records. All records (represented by ids) will be updated by afyo values.

func (*Client) UpdateAccountFiscalPosition

func (c *Client) UpdateAccountFiscalPosition(afp *AccountFiscalPosition) error

UpdateAccountFiscalPosition updates an existing account.fiscal.position record.

func (*Client) UpdateAccountFiscalPositionAccount

func (c *Client) UpdateAccountFiscalPositionAccount(afpa *AccountFiscalPositionAccount) error

UpdateAccountFiscalPositionAccount updates an existing account.fiscal.position.account record.

func (*Client) UpdateAccountFiscalPositionAccountTemplate

func (c *Client) UpdateAccountFiscalPositionAccountTemplate(afpat *AccountFiscalPositionAccountTemplate) error

UpdateAccountFiscalPositionAccountTemplate updates an existing account.fiscal.position.account.template record.

func (*Client) UpdateAccountFiscalPositionAccountTemplates

func (c *Client) UpdateAccountFiscalPositionAccountTemplates(ids []int64, afpat *AccountFiscalPositionAccountTemplate) error

UpdateAccountFiscalPositionAccountTemplates updates existing account.fiscal.position.account.template records. All records (represented by ids) will be updated by afpat values.

func (*Client) UpdateAccountFiscalPositionAccounts

func (c *Client) UpdateAccountFiscalPositionAccounts(ids []int64, afpa *AccountFiscalPositionAccount) error

UpdateAccountFiscalPositionAccounts updates existing account.fiscal.position.account records. All records (represented by ids) will be updated by afpa values.

func (*Client) UpdateAccountFiscalPositionTax

func (c *Client) UpdateAccountFiscalPositionTax(afpt *AccountFiscalPositionTax) error

UpdateAccountFiscalPositionTax updates an existing account.fiscal.position.tax record.

func (*Client) UpdateAccountFiscalPositionTaxTemplate

func (c *Client) UpdateAccountFiscalPositionTaxTemplate(afptt *AccountFiscalPositionTaxTemplate) error

UpdateAccountFiscalPositionTaxTemplate updates an existing account.fiscal.position.tax.template record.

func (*Client) UpdateAccountFiscalPositionTaxTemplates

func (c *Client) UpdateAccountFiscalPositionTaxTemplates(ids []int64, afptt *AccountFiscalPositionTaxTemplate) error

UpdateAccountFiscalPositionTaxTemplates updates existing account.fiscal.position.tax.template records. All records (represented by ids) will be updated by afptt values.

func (*Client) UpdateAccountFiscalPositionTaxs

func (c *Client) UpdateAccountFiscalPositionTaxs(ids []int64, afpt *AccountFiscalPositionTax) error

UpdateAccountFiscalPositionTaxs updates existing account.fiscal.position.tax records. All records (represented by ids) will be updated by afpt values.

func (*Client) UpdateAccountFiscalPositionTemplate

func (c *Client) UpdateAccountFiscalPositionTemplate(afpt *AccountFiscalPositionTemplate) error

UpdateAccountFiscalPositionTemplate updates an existing account.fiscal.position.template record.

func (*Client) UpdateAccountFiscalPositionTemplates

func (c *Client) UpdateAccountFiscalPositionTemplates(ids []int64, afpt *AccountFiscalPositionTemplate) error

UpdateAccountFiscalPositionTemplates updates existing account.fiscal.position.template records. All records (represented by ids) will be updated by afpt values.

func (*Client) UpdateAccountFiscalPositions

func (c *Client) UpdateAccountFiscalPositions(ids []int64, afp *AccountFiscalPosition) error

UpdateAccountFiscalPositions updates existing account.fiscal.position records. All records (represented by ids) will be updated by afp values.

func (*Client) UpdateAccountFrFec

func (c *Client) UpdateAccountFrFec(aff *AccountFrFec) error

UpdateAccountFrFec updates an existing account.fr.fec record.

func (*Client) UpdateAccountFrFecs

func (c *Client) UpdateAccountFrFecs(ids []int64, aff *AccountFrFec) error

UpdateAccountFrFecs updates existing account.fr.fec records. All records (represented by ids) will be updated by aff values.

func (*Client) UpdateAccountFullReconcile

func (c *Client) UpdateAccountFullReconcile(afr *AccountFullReconcile) error

UpdateAccountFullReconcile updates an existing account.full.reconcile record.

func (*Client) UpdateAccountFullReconciles

func (c *Client) UpdateAccountFullReconciles(ids []int64, afr *AccountFullReconcile) error

UpdateAccountFullReconciles updates existing account.full.reconcile records. All records (represented by ids) will be updated by afr values.

func (*Client) UpdateAccountGroup

func (c *Client) UpdateAccountGroup(ag *AccountGroup) error

UpdateAccountGroup updates an existing account.group record.

func (*Client) UpdateAccountGroups

func (c *Client) UpdateAccountGroups(ids []int64, ag *AccountGroup) error

UpdateAccountGroups updates existing account.group records. All records (represented by ids) will be updated by ag values.

func (*Client) UpdateAccountInvoice

func (c *Client) UpdateAccountInvoice(ai *AccountInvoice) error

UpdateAccountInvoice updates an existing account.invoice record.

func (*Client) UpdateAccountInvoiceConfirm

func (c *Client) UpdateAccountInvoiceConfirm(aic *AccountInvoiceConfirm) error

UpdateAccountInvoiceConfirm updates an existing account.invoice.confirm record.

func (*Client) UpdateAccountInvoiceConfirms

func (c *Client) UpdateAccountInvoiceConfirms(ids []int64, aic *AccountInvoiceConfirm) error

UpdateAccountInvoiceConfirms updates existing account.invoice.confirm records. All records (represented by ids) will be updated by aic values.

func (*Client) UpdateAccountInvoiceLine

func (c *Client) UpdateAccountInvoiceLine(ail *AccountInvoiceLine) error

UpdateAccountInvoiceLine updates an existing account.invoice.line record.

func (*Client) UpdateAccountInvoiceLines

func (c *Client) UpdateAccountInvoiceLines(ids []int64, ail *AccountInvoiceLine) error

UpdateAccountInvoiceLines updates existing account.invoice.line records. All records (represented by ids) will be updated by ail values.

func (*Client) UpdateAccountInvoiceRefund

func (c *Client) UpdateAccountInvoiceRefund(air *AccountInvoiceRefund) error

UpdateAccountInvoiceRefund updates an existing account.invoice.refund record.

func (*Client) UpdateAccountInvoiceRefunds

func (c *Client) UpdateAccountInvoiceRefunds(ids []int64, air *AccountInvoiceRefund) error

UpdateAccountInvoiceRefunds updates existing account.invoice.refund records. All records (represented by ids) will be updated by air values.

func (*Client) UpdateAccountInvoiceReport

func (c *Client) UpdateAccountInvoiceReport(air *AccountInvoiceReport) error

UpdateAccountInvoiceReport updates an existing account.invoice.report record.

func (*Client) UpdateAccountInvoiceReports

func (c *Client) UpdateAccountInvoiceReports(ids []int64, air *AccountInvoiceReport) error

UpdateAccountInvoiceReports updates existing account.invoice.report records. All records (represented by ids) will be updated by air values.

func (*Client) UpdateAccountInvoiceTax

func (c *Client) UpdateAccountInvoiceTax(ait *AccountInvoiceTax) error

UpdateAccountInvoiceTax updates an existing account.invoice.tax record.

func (*Client) UpdateAccountInvoiceTaxs

func (c *Client) UpdateAccountInvoiceTaxs(ids []int64, ait *AccountInvoiceTax) error

UpdateAccountInvoiceTaxs updates existing account.invoice.tax records. All records (represented by ids) will be updated by ait values.

func (*Client) UpdateAccountInvoices

func (c *Client) UpdateAccountInvoices(ids []int64, ai *AccountInvoice) error

UpdateAccountInvoices updates existing account.invoice records. All records (represented by ids) will be updated by ai values.

func (*Client) UpdateAccountJournal

func (c *Client) UpdateAccountJournal(aj *AccountJournal) error

UpdateAccountJournal updates an existing account.journal record.

func (*Client) UpdateAccountJournals

func (c *Client) UpdateAccountJournals(ids []int64, aj *AccountJournal) error

UpdateAccountJournals updates existing account.journal records. All records (represented by ids) will be updated by aj values.

func (*Client) UpdateAccountMove

func (c *Client) UpdateAccountMove(am *AccountMove) error

UpdateAccountMove updates an existing account.move record.

func (*Client) UpdateAccountMoveLine

func (c *Client) UpdateAccountMoveLine(aml *AccountMoveLine) error

UpdateAccountMoveLine updates an existing account.move.line record.

func (*Client) UpdateAccountMoveLineReconcile

func (c *Client) UpdateAccountMoveLineReconcile(amlr *AccountMoveLineReconcile) error

UpdateAccountMoveLineReconcile updates an existing account.move.line.reconcile record.

func (*Client) UpdateAccountMoveLineReconcileWriteoff

func (c *Client) UpdateAccountMoveLineReconcileWriteoff(amlrw *AccountMoveLineReconcileWriteoff) error

UpdateAccountMoveLineReconcileWriteoff updates an existing account.move.line.reconcile.writeoff record.

func (*Client) UpdateAccountMoveLineReconcileWriteoffs

func (c *Client) UpdateAccountMoveLineReconcileWriteoffs(ids []int64, amlrw *AccountMoveLineReconcileWriteoff) error

UpdateAccountMoveLineReconcileWriteoffs updates existing account.move.line.reconcile.writeoff records. All records (represented by ids) will be updated by amlrw values.

func (*Client) UpdateAccountMoveLineReconciles

func (c *Client) UpdateAccountMoveLineReconciles(ids []int64, amlr *AccountMoveLineReconcile) error

UpdateAccountMoveLineReconciles updates existing account.move.line.reconcile records. All records (represented by ids) will be updated by amlr values.

func (*Client) UpdateAccountMoveLines

func (c *Client) UpdateAccountMoveLines(ids []int64, aml *AccountMoveLine) error

UpdateAccountMoveLines updates existing account.move.line records. All records (represented by ids) will be updated by aml values.

func (*Client) UpdateAccountMoveReversal

func (c *Client) UpdateAccountMoveReversal(amr *AccountMoveReversal) error

UpdateAccountMoveReversal updates an existing account.move.reversal record.

func (*Client) UpdateAccountMoveReversals

func (c *Client) UpdateAccountMoveReversals(ids []int64, amr *AccountMoveReversal) error

UpdateAccountMoveReversals updates existing account.move.reversal records. All records (represented by ids) will be updated by amr values.

func (*Client) UpdateAccountMoves

func (c *Client) UpdateAccountMoves(ids []int64, am *AccountMove) error

UpdateAccountMoves updates existing account.move records. All records (represented by ids) will be updated by am values.

func (*Client) UpdateAccountOpening

func (c *Client) UpdateAccountOpening(ao *AccountOpening) error

UpdateAccountOpening updates an existing account.opening record.

func (*Client) UpdateAccountOpenings

func (c *Client) UpdateAccountOpenings(ids []int64, ao *AccountOpening) error

UpdateAccountOpenings updates existing account.opening records. All records (represented by ids) will be updated by ao values.

func (*Client) UpdateAccountPartialReconcile

func (c *Client) UpdateAccountPartialReconcile(apr *AccountPartialReconcile) error

UpdateAccountPartialReconcile updates an existing account.partial.reconcile record.

func (*Client) UpdateAccountPartialReconciles

func (c *Client) UpdateAccountPartialReconciles(ids []int64, apr *AccountPartialReconcile) error

UpdateAccountPartialReconciles updates existing account.partial.reconcile records. All records (represented by ids) will be updated by apr values.

func (*Client) UpdateAccountPayment

func (c *Client) UpdateAccountPayment(ap *AccountPayment) error

UpdateAccountPayment updates an existing account.payment record.

func (*Client) UpdateAccountPaymentMethod

func (c *Client) UpdateAccountPaymentMethod(apm *AccountPaymentMethod) error

UpdateAccountPaymentMethod updates an existing account.payment.method record.

func (*Client) UpdateAccountPaymentMethods

func (c *Client) UpdateAccountPaymentMethods(ids []int64, apm *AccountPaymentMethod) error

UpdateAccountPaymentMethods updates existing account.payment.method records. All records (represented by ids) will be updated by apm values.

func (*Client) UpdateAccountPaymentTerm

func (c *Client) UpdateAccountPaymentTerm(apt *AccountPaymentTerm) error

UpdateAccountPaymentTerm updates an existing account.payment.term record.

func (*Client) UpdateAccountPaymentTermLine

func (c *Client) UpdateAccountPaymentTermLine(aptl *AccountPaymentTermLine) error

UpdateAccountPaymentTermLine updates an existing account.payment.term.line record.

func (*Client) UpdateAccountPaymentTermLines

func (c *Client) UpdateAccountPaymentTermLines(ids []int64, aptl *AccountPaymentTermLine) error

UpdateAccountPaymentTermLines updates existing account.payment.term.line records. All records (represented by ids) will be updated by aptl values.

func (*Client) UpdateAccountPaymentTerms

func (c *Client) UpdateAccountPaymentTerms(ids []int64, apt *AccountPaymentTerm) error

UpdateAccountPaymentTerms updates existing account.payment.term records. All records (represented by ids) will be updated by apt values.

func (*Client) UpdateAccountPayments

func (c *Client) UpdateAccountPayments(ids []int64, ap *AccountPayment) error

UpdateAccountPayments updates existing account.payment records. All records (represented by ids) will be updated by ap values.

func (*Client) UpdateAccountPrintJournal

func (c *Client) UpdateAccountPrintJournal(apj *AccountPrintJournal) error

UpdateAccountPrintJournal updates an existing account.print.journal record.

func (*Client) UpdateAccountPrintJournals

func (c *Client) UpdateAccountPrintJournals(ids []int64, apj *AccountPrintJournal) error

UpdateAccountPrintJournals updates existing account.print.journal records. All records (represented by ids) will be updated by apj values.

func (*Client) UpdateAccountReconcileModel

func (c *Client) UpdateAccountReconcileModel(arm *AccountReconcileModel) error

UpdateAccountReconcileModel updates an existing account.reconcile.model record.

func (*Client) UpdateAccountReconcileModelTemplate

func (c *Client) UpdateAccountReconcileModelTemplate(armt *AccountReconcileModelTemplate) error

UpdateAccountReconcileModelTemplate updates an existing account.reconcile.model.template record.

func (*Client) UpdateAccountReconcileModelTemplates

func (c *Client) UpdateAccountReconcileModelTemplates(ids []int64, armt *AccountReconcileModelTemplate) error

UpdateAccountReconcileModelTemplates updates existing account.reconcile.model.template records. All records (represented by ids) will be updated by armt values.

func (*Client) UpdateAccountReconcileModels

func (c *Client) UpdateAccountReconcileModels(ids []int64, arm *AccountReconcileModel) error

UpdateAccountReconcileModels updates existing account.reconcile.model records. All records (represented by ids) will be updated by arm values.

func (*Client) UpdateAccountRegisterPayments

func (c *Client) UpdateAccountRegisterPayments(arp *AccountRegisterPayments) error

UpdateAccountRegisterPayments updates an existing account.register.payments record.

func (*Client) UpdateAccountRegisterPaymentss

func (c *Client) UpdateAccountRegisterPaymentss(ids []int64, arp *AccountRegisterPayments) error

UpdateAccountRegisterPaymentss updates existing account.register.payments records. All records (represented by ids) will be updated by arp values.

func (*Client) UpdateAccountReportGeneralLedger

func (c *Client) UpdateAccountReportGeneralLedger(argl *AccountReportGeneralLedger) error

UpdateAccountReportGeneralLedger updates an existing account.report.general.ledger record.

func (*Client) UpdateAccountReportGeneralLedgers

func (c *Client) UpdateAccountReportGeneralLedgers(ids []int64, argl *AccountReportGeneralLedger) error

UpdateAccountReportGeneralLedgers updates existing account.report.general.ledger records. All records (represented by ids) will be updated by argl values.

func (*Client) UpdateAccountReportPartnerLedger

func (c *Client) UpdateAccountReportPartnerLedger(arpl *AccountReportPartnerLedger) error

UpdateAccountReportPartnerLedger updates an existing account.report.partner.ledger record.

func (*Client) UpdateAccountReportPartnerLedgers

func (c *Client) UpdateAccountReportPartnerLedgers(ids []int64, arpl *AccountReportPartnerLedger) error

UpdateAccountReportPartnerLedgers updates existing account.report.partner.ledger records. All records (represented by ids) will be updated by arpl values.

func (*Client) UpdateAccountTax

func (c *Client) UpdateAccountTax(at *AccountTax) error

UpdateAccountTax updates an existing account.tax record.

func (*Client) UpdateAccountTaxGroup

func (c *Client) UpdateAccountTaxGroup(atg *AccountTaxGroup) error

UpdateAccountTaxGroup updates an existing account.tax.group record.

func (*Client) UpdateAccountTaxGroups

func (c *Client) UpdateAccountTaxGroups(ids []int64, atg *AccountTaxGroup) error

UpdateAccountTaxGroups updates existing account.tax.group records. All records (represented by ids) will be updated by atg values.

func (*Client) UpdateAccountTaxReport

func (c *Client) UpdateAccountTaxReport(atr *AccountTaxReport) error

UpdateAccountTaxReport updates an existing account.tax.report record.

func (*Client) UpdateAccountTaxReports

func (c *Client) UpdateAccountTaxReports(ids []int64, atr *AccountTaxReport) error

UpdateAccountTaxReports updates existing account.tax.report records. All records (represented by ids) will be updated by atr values.

func (*Client) UpdateAccountTaxTemplate

func (c *Client) UpdateAccountTaxTemplate(att *AccountTaxTemplate) error

UpdateAccountTaxTemplate updates an existing account.tax.template record.

func (*Client) UpdateAccountTaxTemplates

func (c *Client) UpdateAccountTaxTemplates(ids []int64, att *AccountTaxTemplate) error

UpdateAccountTaxTemplates updates existing account.tax.template records. All records (represented by ids) will be updated by att values.

func (*Client) UpdateAccountTaxs

func (c *Client) UpdateAccountTaxs(ids []int64, at *AccountTax) error

UpdateAccountTaxs updates existing account.tax records. All records (represented by ids) will be updated by at values.

func (*Client) UpdateAccountUnreconcile

func (c *Client) UpdateAccountUnreconcile(au *AccountUnreconcile) error

UpdateAccountUnreconcile updates an existing account.unreconcile record.

func (*Client) UpdateAccountUnreconciles

func (c *Client) UpdateAccountUnreconciles(ids []int64, au *AccountUnreconcile) error

UpdateAccountUnreconciles updates existing account.unreconcile records. All records (represented by ids) will be updated by au values.

func (*Client) UpdateAccountingReport

func (c *Client) UpdateAccountingReport(ar *AccountingReport) error

UpdateAccountingReport updates an existing accounting.report record.

func (*Client) UpdateAccountingReports

func (c *Client) UpdateAccountingReports(ids []int64, ar *AccountingReport) error

UpdateAccountingReports updates existing accounting.report records. All records (represented by ids) will be updated by ar values.

func (*Client) UpdateAutosalesConfig

func (c *Client) UpdateAutosalesConfig(ac *AutosalesConfig) error

UpdateAutosalesConfig updates an existing autosales.config record.

func (*Client) UpdateAutosalesConfigLine

func (c *Client) UpdateAutosalesConfigLine(acl *AutosalesConfigLine) error

UpdateAutosalesConfigLine updates an existing autosales.config.line record.

func (*Client) UpdateAutosalesConfigLines

func (c *Client) UpdateAutosalesConfigLines(ids []int64, acl *AutosalesConfigLine) error

UpdateAutosalesConfigLines updates existing autosales.config.line records. All records (represented by ids) will be updated by acl values.

func (*Client) UpdateAutosalesConfigs

func (c *Client) UpdateAutosalesConfigs(ids []int64, ac *AutosalesConfig) error

UpdateAutosalesConfigs updates existing autosales.config records. All records (represented by ids) will be updated by ac values.

func (*Client) UpdateBarcodeNomenclature

func (c *Client) UpdateBarcodeNomenclature(bn *BarcodeNomenclature) error

UpdateBarcodeNomenclature updates an existing barcode.nomenclature record.

func (*Client) UpdateBarcodeNomenclatures

func (c *Client) UpdateBarcodeNomenclatures(ids []int64, bn *BarcodeNomenclature) error

UpdateBarcodeNomenclatures updates existing barcode.nomenclature records. All records (represented by ids) will be updated by bn values.

func (*Client) UpdateBarcodeRule

func (c *Client) UpdateBarcodeRule(br *BarcodeRule) error

UpdateBarcodeRule updates an existing barcode.rule record.

func (*Client) UpdateBarcodeRules

func (c *Client) UpdateBarcodeRules(ids []int64, br *BarcodeRule) error

UpdateBarcodeRules updates existing barcode.rule records. All records (represented by ids) will be updated by br values.

func (*Client) UpdateBarcodesBarcodeEventsMixin

func (c *Client) UpdateBarcodesBarcodeEventsMixin(bb *BarcodesBarcodeEventsMixin) error

UpdateBarcodesBarcodeEventsMixin updates an existing barcodes.barcode_events_mixin record.

func (*Client) UpdateBarcodesBarcodeEventsMixins

func (c *Client) UpdateBarcodesBarcodeEventsMixins(ids []int64, bb *BarcodesBarcodeEventsMixin) error

UpdateBarcodesBarcodeEventsMixins updates existing barcodes.barcode_events_mixin records. All records (represented by ids) will be updated by bb values.

func (*Client) UpdateBase

func (c *Client) UpdateBase(b *Base) error

UpdateBase updates an existing base record.

func (*Client) UpdateBaseImportImport

func (c *Client) UpdateBaseImportImport(bi *BaseImportImport) error

UpdateBaseImportImport updates an existing base_import.import record.

func (*Client) UpdateBaseImportImports

func (c *Client) UpdateBaseImportImports(ids []int64, bi *BaseImportImport) error

UpdateBaseImportImports updates existing base_import.import records. All records (represented by ids) will be updated by bi values.

func (*Client) UpdateBaseImportTestsModelsChar

func (c *Client) UpdateBaseImportTestsModelsChar(btmc *BaseImportTestsModelsChar) error

UpdateBaseImportTestsModelsChar updates an existing base_import.tests.models.char record.

func (*Client) UpdateBaseImportTestsModelsCharNoreadonly

func (c *Client) UpdateBaseImportTestsModelsCharNoreadonly(btmcn *BaseImportTestsModelsCharNoreadonly) error

UpdateBaseImportTestsModelsCharNoreadonly updates an existing base_import.tests.models.char.noreadonly record.

func (*Client) UpdateBaseImportTestsModelsCharNoreadonlys

func (c *Client) UpdateBaseImportTestsModelsCharNoreadonlys(ids []int64, btmcn *BaseImportTestsModelsCharNoreadonly) error

UpdateBaseImportTestsModelsCharNoreadonlys updates existing base_import.tests.models.char.noreadonly records. All records (represented by ids) will be updated by btmcn values.

func (*Client) UpdateBaseImportTestsModelsCharReadonly

func (c *Client) UpdateBaseImportTestsModelsCharReadonly(btmcr *BaseImportTestsModelsCharReadonly) error

UpdateBaseImportTestsModelsCharReadonly updates an existing base_import.tests.models.char.readonly record.

func (*Client) UpdateBaseImportTestsModelsCharReadonlys

func (c *Client) UpdateBaseImportTestsModelsCharReadonlys(ids []int64, btmcr *BaseImportTestsModelsCharReadonly) error

UpdateBaseImportTestsModelsCharReadonlys updates existing base_import.tests.models.char.readonly records. All records (represented by ids) will be updated by btmcr values.

func (*Client) UpdateBaseImportTestsModelsCharRequired

func (c *Client) UpdateBaseImportTestsModelsCharRequired(btmcr *BaseImportTestsModelsCharRequired) error

UpdateBaseImportTestsModelsCharRequired updates an existing base_import.tests.models.char.required record.

func (*Client) UpdateBaseImportTestsModelsCharRequireds

func (c *Client) UpdateBaseImportTestsModelsCharRequireds(ids []int64, btmcr *BaseImportTestsModelsCharRequired) error

UpdateBaseImportTestsModelsCharRequireds updates existing base_import.tests.models.char.required records. All records (represented by ids) will be updated by btmcr values.

func (*Client) UpdateBaseImportTestsModelsCharStates

func (c *Client) UpdateBaseImportTestsModelsCharStates(btmcs *BaseImportTestsModelsCharStates) error

UpdateBaseImportTestsModelsCharStates updates an existing base_import.tests.models.char.states record.

func (*Client) UpdateBaseImportTestsModelsCharStatess

func (c *Client) UpdateBaseImportTestsModelsCharStatess(ids []int64, btmcs *BaseImportTestsModelsCharStates) error

UpdateBaseImportTestsModelsCharStatess updates existing base_import.tests.models.char.states records. All records (represented by ids) will be updated by btmcs values.

func (*Client) UpdateBaseImportTestsModelsCharStillreadonly

func (c *Client) UpdateBaseImportTestsModelsCharStillreadonly(btmcs *BaseImportTestsModelsCharStillreadonly) error

UpdateBaseImportTestsModelsCharStillreadonly updates an existing base_import.tests.models.char.stillreadonly record.

func (*Client) UpdateBaseImportTestsModelsCharStillreadonlys

func (c *Client) UpdateBaseImportTestsModelsCharStillreadonlys(ids []int64, btmcs *BaseImportTestsModelsCharStillreadonly) error

UpdateBaseImportTestsModelsCharStillreadonlys updates existing base_import.tests.models.char.stillreadonly records. All records (represented by ids) will be updated by btmcs values.

func (*Client) UpdateBaseImportTestsModelsChars

func (c *Client) UpdateBaseImportTestsModelsChars(ids []int64, btmc *BaseImportTestsModelsChar) error

UpdateBaseImportTestsModelsChars updates existing base_import.tests.models.char records. All records (represented by ids) will be updated by btmc values.

func (*Client) UpdateBaseImportTestsModelsM2O

func (c *Client) UpdateBaseImportTestsModelsM2O(btmm *BaseImportTestsModelsM2O) error

UpdateBaseImportTestsModelsM2O updates an existing base_import.tests.models.m2o record.

func (*Client) UpdateBaseImportTestsModelsM2ORelated

func (c *Client) UpdateBaseImportTestsModelsM2ORelated(btmmr *BaseImportTestsModelsM2ORelated) error

UpdateBaseImportTestsModelsM2ORelated updates an existing base_import.tests.models.m2o.related record.

func (*Client) UpdateBaseImportTestsModelsM2ORelateds

func (c *Client) UpdateBaseImportTestsModelsM2ORelateds(ids []int64, btmmr *BaseImportTestsModelsM2ORelated) error

UpdateBaseImportTestsModelsM2ORelateds updates existing base_import.tests.models.m2o.related records. All records (represented by ids) will be updated by btmmr values.

func (*Client) UpdateBaseImportTestsModelsM2ORequired

func (c *Client) UpdateBaseImportTestsModelsM2ORequired(btmmr *BaseImportTestsModelsM2ORequired) error

UpdateBaseImportTestsModelsM2ORequired updates an existing base_import.tests.models.m2o.required record.

func (*Client) UpdateBaseImportTestsModelsM2ORequiredRelated

func (c *Client) UpdateBaseImportTestsModelsM2ORequiredRelated(btmmrr *BaseImportTestsModelsM2ORequiredRelated) error

UpdateBaseImportTestsModelsM2ORequiredRelated updates an existing base_import.tests.models.m2o.required.related record.

func (*Client) UpdateBaseImportTestsModelsM2ORequiredRelateds

func (c *Client) UpdateBaseImportTestsModelsM2ORequiredRelateds(ids []int64, btmmrr *BaseImportTestsModelsM2ORequiredRelated) error

UpdateBaseImportTestsModelsM2ORequiredRelateds updates existing base_import.tests.models.m2o.required.related records. All records (represented by ids) will be updated by btmmrr values.

func (*Client) UpdateBaseImportTestsModelsM2ORequireds

func (c *Client) UpdateBaseImportTestsModelsM2ORequireds(ids []int64, btmmr *BaseImportTestsModelsM2ORequired) error

UpdateBaseImportTestsModelsM2ORequireds updates existing base_import.tests.models.m2o.required records. All records (represented by ids) will be updated by btmmr values.

func (*Client) UpdateBaseImportTestsModelsM2Os

func (c *Client) UpdateBaseImportTestsModelsM2Os(ids []int64, btmm *BaseImportTestsModelsM2O) error

UpdateBaseImportTestsModelsM2Os updates existing base_import.tests.models.m2o records. All records (represented by ids) will be updated by btmm values.

func (*Client) UpdateBaseImportTestsModelsO2M

func (c *Client) UpdateBaseImportTestsModelsO2M(btmo *BaseImportTestsModelsO2M) error

UpdateBaseImportTestsModelsO2M updates an existing base_import.tests.models.o2m record.

func (*Client) UpdateBaseImportTestsModelsO2MChild

func (c *Client) UpdateBaseImportTestsModelsO2MChild(btmoc *BaseImportTestsModelsO2MChild) error

UpdateBaseImportTestsModelsO2MChild updates an existing base_import.tests.models.o2m.child record.

func (*Client) UpdateBaseImportTestsModelsO2MChilds

func (c *Client) UpdateBaseImportTestsModelsO2MChilds(ids []int64, btmoc *BaseImportTestsModelsO2MChild) error

UpdateBaseImportTestsModelsO2MChilds updates existing base_import.tests.models.o2m.child records. All records (represented by ids) will be updated by btmoc values.

func (*Client) UpdateBaseImportTestsModelsO2Ms

func (c *Client) UpdateBaseImportTestsModelsO2Ms(ids []int64, btmo *BaseImportTestsModelsO2M) error

UpdateBaseImportTestsModelsO2Ms updates existing base_import.tests.models.o2m records. All records (represented by ids) will be updated by btmo values.

func (*Client) UpdateBaseImportTestsModelsPreview

func (c *Client) UpdateBaseImportTestsModelsPreview(btmp *BaseImportTestsModelsPreview) error

UpdateBaseImportTestsModelsPreview updates an existing base_import.tests.models.preview record.

func (*Client) UpdateBaseImportTestsModelsPreviews

func (c *Client) UpdateBaseImportTestsModelsPreviews(ids []int64, btmp *BaseImportTestsModelsPreview) error

UpdateBaseImportTestsModelsPreviews updates existing base_import.tests.models.preview records. All records (represented by ids) will be updated by btmp values.

func (*Client) UpdateBaseLanguageExport

func (c *Client) UpdateBaseLanguageExport(ble *BaseLanguageExport) error

UpdateBaseLanguageExport updates an existing base.language.export record.

func (*Client) UpdateBaseLanguageExports

func (c *Client) UpdateBaseLanguageExports(ids []int64, ble *BaseLanguageExport) error

UpdateBaseLanguageExports updates existing base.language.export records. All records (represented by ids) will be updated by ble values.

func (*Client) UpdateBaseLanguageImport

func (c *Client) UpdateBaseLanguageImport(bli *BaseLanguageImport) error

UpdateBaseLanguageImport updates an existing base.language.import record.

func (*Client) UpdateBaseLanguageImports

func (c *Client) UpdateBaseLanguageImports(ids []int64, bli *BaseLanguageImport) error

UpdateBaseLanguageImports updates existing base.language.import records. All records (represented by ids) will be updated by bli values.

func (*Client) UpdateBaseLanguageInstall

func (c *Client) UpdateBaseLanguageInstall(bli *BaseLanguageInstall) error

UpdateBaseLanguageInstall updates an existing base.language.install record.

func (*Client) UpdateBaseLanguageInstalls

func (c *Client) UpdateBaseLanguageInstalls(ids []int64, bli *BaseLanguageInstall) error

UpdateBaseLanguageInstalls updates existing base.language.install records. All records (represented by ids) will be updated by bli values.

func (*Client) UpdateBaseModuleUninstall

func (c *Client) UpdateBaseModuleUninstall(bmu *BaseModuleUninstall) error

UpdateBaseModuleUninstall updates an existing base.module.uninstall record.

func (*Client) UpdateBaseModuleUninstalls

func (c *Client) UpdateBaseModuleUninstalls(ids []int64, bmu *BaseModuleUninstall) error

UpdateBaseModuleUninstalls updates existing base.module.uninstall records. All records (represented by ids) will be updated by bmu values.

func (*Client) UpdateBaseModuleUpdate

func (c *Client) UpdateBaseModuleUpdate(bmu *BaseModuleUpdate) error

UpdateBaseModuleUpdate updates an existing base.module.update record.

func (*Client) UpdateBaseModuleUpdates

func (c *Client) UpdateBaseModuleUpdates(ids []int64, bmu *BaseModuleUpdate) error

UpdateBaseModuleUpdates updates existing base.module.update records. All records (represented by ids) will be updated by bmu values.

func (*Client) UpdateBaseModuleUpgrade

func (c *Client) UpdateBaseModuleUpgrade(bmu *BaseModuleUpgrade) error

UpdateBaseModuleUpgrade updates an existing base.module.upgrade record.

func (*Client) UpdateBaseModuleUpgrades

func (c *Client) UpdateBaseModuleUpgrades(ids []int64, bmu *BaseModuleUpgrade) error

UpdateBaseModuleUpgrades updates existing base.module.upgrade records. All records (represented by ids) will be updated by bmu values.

func (*Client) UpdateBasePartnerMergeAutomaticWizard

func (c *Client) UpdateBasePartnerMergeAutomaticWizard(bpmaw *BasePartnerMergeAutomaticWizard) error

UpdateBasePartnerMergeAutomaticWizard updates an existing base.partner.merge.automatic.wizard record.

func (*Client) UpdateBasePartnerMergeAutomaticWizards

func (c *Client) UpdateBasePartnerMergeAutomaticWizards(ids []int64, bpmaw *BasePartnerMergeAutomaticWizard) error

UpdateBasePartnerMergeAutomaticWizards updates existing base.partner.merge.automatic.wizard records. All records (represented by ids) will be updated by bpmaw values.

func (*Client) UpdateBasePartnerMergeLine

func (c *Client) UpdateBasePartnerMergeLine(bpml *BasePartnerMergeLine) error

UpdateBasePartnerMergeLine updates an existing base.partner.merge.line record.

func (*Client) UpdateBasePartnerMergeLines

func (c *Client) UpdateBasePartnerMergeLines(ids []int64, bpml *BasePartnerMergeLine) error

UpdateBasePartnerMergeLines updates existing base.partner.merge.line records. All records (represented by ids) will be updated by bpml values.

func (*Client) UpdateBaseUpdateTranslations

func (c *Client) UpdateBaseUpdateTranslations(but *BaseUpdateTranslations) error

UpdateBaseUpdateTranslations updates an existing base.update.translations record.

func (*Client) UpdateBaseUpdateTranslationss

func (c *Client) UpdateBaseUpdateTranslationss(ids []int64, but *BaseUpdateTranslations) error

UpdateBaseUpdateTranslationss updates existing base.update.translations records. All records (represented by ids) will be updated by but values.

func (*Client) UpdateBases

func (c *Client) UpdateBases(ids []int64, b *Base) error

UpdateBases updates existing base records. All records (represented by ids) will be updated by b values.

func (*Client) UpdateBoardBoard

func (c *Client) UpdateBoardBoard(bb *BoardBoard) error

UpdateBoardBoard updates an existing board.board record.

func (*Client) UpdateBoardBoards

func (c *Client) UpdateBoardBoards(ids []int64, bb *BoardBoard) error

UpdateBoardBoards updates existing board.board records. All records (represented by ids) will be updated by bb values.

func (*Client) UpdateBusBus

func (c *Client) UpdateBusBus(bb *BusBus) error

UpdateBusBus updates an existing bus.bus record.

func (*Client) UpdateBusBuss

func (c *Client) UpdateBusBuss(ids []int64, bb *BusBus) error

UpdateBusBuss updates existing bus.bus records. All records (represented by ids) will be updated by bb values.

func (*Client) UpdateBusPresence

func (c *Client) UpdateBusPresence(bp *BusPresence) error

UpdateBusPresence updates an existing bus.presence record.

func (*Client) UpdateBusPresences

func (c *Client) UpdateBusPresences(ids []int64, bp *BusPresence) error

UpdateBusPresences updates existing bus.presence records. All records (represented by ids) will be updated by bp values.

func (*Client) UpdateCalendarAlarm

func (c *Client) UpdateCalendarAlarm(ca *CalendarAlarm) error

UpdateCalendarAlarm updates an existing calendar.alarm record.

func (*Client) UpdateCalendarAlarmManager

func (c *Client) UpdateCalendarAlarmManager(ca *CalendarAlarmManager) error

UpdateCalendarAlarmManager updates an existing calendar.alarm_manager record.

func (*Client) UpdateCalendarAlarmManagers

func (c *Client) UpdateCalendarAlarmManagers(ids []int64, ca *CalendarAlarmManager) error

UpdateCalendarAlarmManagers updates existing calendar.alarm_manager records. All records (represented by ids) will be updated by ca values.

func (*Client) UpdateCalendarAlarms

func (c *Client) UpdateCalendarAlarms(ids []int64, ca *CalendarAlarm) error

UpdateCalendarAlarms updates existing calendar.alarm records. All records (represented by ids) will be updated by ca values.

func (*Client) UpdateCalendarAttendee

func (c *Client) UpdateCalendarAttendee(ca *CalendarAttendee) error

UpdateCalendarAttendee updates an existing calendar.attendee record.

func (*Client) UpdateCalendarAttendees

func (c *Client) UpdateCalendarAttendees(ids []int64, ca *CalendarAttendee) error

UpdateCalendarAttendees updates existing calendar.attendee records. All records (represented by ids) will be updated by ca values.

func (*Client) UpdateCalendarContacts

func (c *Client) UpdateCalendarContacts(cc *CalendarContacts) error

UpdateCalendarContacts updates an existing calendar.contacts record.

func (*Client) UpdateCalendarContactss

func (c *Client) UpdateCalendarContactss(ids []int64, cc *CalendarContacts) error

UpdateCalendarContactss updates existing calendar.contacts records. All records (represented by ids) will be updated by cc values.

func (*Client) UpdateCalendarEvent

func (c *Client) UpdateCalendarEvent(ce *CalendarEvent) error

UpdateCalendarEvent updates an existing calendar.event record.

func (*Client) UpdateCalendarEventType

func (c *Client) UpdateCalendarEventType(cet *CalendarEventType) error

UpdateCalendarEventType updates an existing calendar.event.type record.

func (*Client) UpdateCalendarEventTypes

func (c *Client) UpdateCalendarEventTypes(ids []int64, cet *CalendarEventType) error

UpdateCalendarEventTypes updates existing calendar.event.type records. All records (represented by ids) will be updated by cet values.

func (*Client) UpdateCalendarEvents

func (c *Client) UpdateCalendarEvents(ids []int64, ce *CalendarEvent) error

UpdateCalendarEvents updates existing calendar.event records. All records (represented by ids) will be updated by ce values.

func (*Client) UpdateCashBoxIn

func (c *Client) UpdateCashBoxIn(cbi *CashBoxIn) error

UpdateCashBoxIn updates an existing cash.box.in record.

func (*Client) UpdateCashBoxIns

func (c *Client) UpdateCashBoxIns(ids []int64, cbi *CashBoxIn) error

UpdateCashBoxIns updates existing cash.box.in records. All records (represented by ids) will be updated by cbi values.

func (*Client) UpdateCashBoxOut

func (c *Client) UpdateCashBoxOut(cbo *CashBoxOut) error

UpdateCashBoxOut updates an existing cash.box.out record.

func (*Client) UpdateCashBoxOuts

func (c *Client) UpdateCashBoxOuts(ids []int64, cbo *CashBoxOut) error

UpdateCashBoxOuts updates existing cash.box.out records. All records (represented by ids) will be updated by cbo values.

func (*Client) UpdateChangePasswordUser

func (c *Client) UpdateChangePasswordUser(cpu *ChangePasswordUser) error

UpdateChangePasswordUser updates an existing change.password.user record.

func (*Client) UpdateChangePasswordUsers

func (c *Client) UpdateChangePasswordUsers(ids []int64, cpu *ChangePasswordUser) error

UpdateChangePasswordUsers updates existing change.password.user records. All records (represented by ids) will be updated by cpu values.

func (*Client) UpdateChangePasswordWizard

func (c *Client) UpdateChangePasswordWizard(cpw *ChangePasswordWizard) error

UpdateChangePasswordWizard updates an existing change.password.wizard record.

func (*Client) UpdateChangePasswordWizards

func (c *Client) UpdateChangePasswordWizards(ids []int64, cpw *ChangePasswordWizard) error

UpdateChangePasswordWizards updates existing change.password.wizard records. All records (represented by ids) will be updated by cpw values.

func (*Client) UpdateCrmActivityReport

func (c *Client) UpdateCrmActivityReport(car *CrmActivityReport) error

UpdateCrmActivityReport updates an existing crm.activity.report record.

func (*Client) UpdateCrmActivityReports

func (c *Client) UpdateCrmActivityReports(ids []int64, car *CrmActivityReport) error

UpdateCrmActivityReports updates existing crm.activity.report records. All records (represented by ids) will be updated by car values.

func (*Client) UpdateCrmLead

func (c *Client) UpdateCrmLead(cl *CrmLead) error

UpdateCrmLead updates an existing crm.lead record.

func (*Client) UpdateCrmLead2OpportunityPartner

func (c *Client) UpdateCrmLead2OpportunityPartner(clp *CrmLead2OpportunityPartner) error

UpdateCrmLead2OpportunityPartner updates an existing crm.lead2opportunity.partner record.

func (*Client) UpdateCrmLead2OpportunityPartnerMass

func (c *Client) UpdateCrmLead2OpportunityPartnerMass(clpm *CrmLead2OpportunityPartnerMass) error

UpdateCrmLead2OpportunityPartnerMass updates an existing crm.lead2opportunity.partner.mass record.

func (*Client) UpdateCrmLead2OpportunityPartnerMasss

func (c *Client) UpdateCrmLead2OpportunityPartnerMasss(ids []int64, clpm *CrmLead2OpportunityPartnerMass) error

UpdateCrmLead2OpportunityPartnerMasss updates existing crm.lead2opportunity.partner.mass records. All records (represented by ids) will be updated by clpm values.

func (*Client) UpdateCrmLead2OpportunityPartners

func (c *Client) UpdateCrmLead2OpportunityPartners(ids []int64, clp *CrmLead2OpportunityPartner) error

UpdateCrmLead2OpportunityPartners updates existing crm.lead2opportunity.partner records. All records (represented by ids) will be updated by clp values.

func (*Client) UpdateCrmLeadLost

func (c *Client) UpdateCrmLeadLost(cll *CrmLeadLost) error

UpdateCrmLeadLost updates an existing crm.lead.lost record.

func (*Client) UpdateCrmLeadLosts

func (c *Client) UpdateCrmLeadLosts(ids []int64, cll *CrmLeadLost) error

UpdateCrmLeadLosts updates existing crm.lead.lost records. All records (represented by ids) will be updated by cll values.

func (*Client) UpdateCrmLeadTag

func (c *Client) UpdateCrmLeadTag(clt *CrmLeadTag) error

UpdateCrmLeadTag updates an existing crm.lead.tag record.

func (*Client) UpdateCrmLeadTags

func (c *Client) UpdateCrmLeadTags(ids []int64, clt *CrmLeadTag) error

UpdateCrmLeadTags updates existing crm.lead.tag records. All records (represented by ids) will be updated by clt values.

func (*Client) UpdateCrmLeads

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

UpdateCrmLeads updates existing crm.lead records. All records (represented by ids) will be updated by cl values.

func (*Client) UpdateCrmLostReason

func (c *Client) UpdateCrmLostReason(clr *CrmLostReason) error

UpdateCrmLostReason updates an existing crm.lost.reason record.

func (*Client) UpdateCrmLostReasons

func (c *Client) UpdateCrmLostReasons(ids []int64, clr *CrmLostReason) error

UpdateCrmLostReasons updates existing crm.lost.reason records. All records (represented by ids) will be updated by clr values.

func (*Client) UpdateCrmMergeOpportunity

func (c *Client) UpdateCrmMergeOpportunity(cmo *CrmMergeOpportunity) error

UpdateCrmMergeOpportunity updates an existing crm.merge.opportunity record.

func (*Client) UpdateCrmMergeOpportunitys

func (c *Client) UpdateCrmMergeOpportunitys(ids []int64, cmo *CrmMergeOpportunity) error

UpdateCrmMergeOpportunitys updates existing crm.merge.opportunity records. All records (represented by ids) will be updated by cmo values.

func (*Client) UpdateCrmOpportunityReport

func (c *Client) UpdateCrmOpportunityReport(cor *CrmOpportunityReport) error

UpdateCrmOpportunityReport updates an existing crm.opportunity.report record.

func (*Client) UpdateCrmOpportunityReports

func (c *Client) UpdateCrmOpportunityReports(ids []int64, cor *CrmOpportunityReport) error

UpdateCrmOpportunityReports updates existing crm.opportunity.report records. All records (represented by ids) will be updated by cor values.

func (*Client) UpdateCrmPartnerBinding

func (c *Client) UpdateCrmPartnerBinding(cpb *CrmPartnerBinding) error

UpdateCrmPartnerBinding updates an existing crm.partner.binding record.

func (*Client) UpdateCrmPartnerBindings

func (c *Client) UpdateCrmPartnerBindings(ids []int64, cpb *CrmPartnerBinding) error

UpdateCrmPartnerBindings updates existing crm.partner.binding records. All records (represented by ids) will be updated by cpb values.

func (*Client) UpdateCrmStage

func (c *Client) UpdateCrmStage(cs *CrmStage) error

UpdateCrmStage updates an existing crm.stage record.

func (*Client) UpdateCrmStages

func (c *Client) UpdateCrmStages(ids []int64, cs *CrmStage) error

UpdateCrmStages updates existing crm.stage records. All records (represented by ids) will be updated by cs values.

func (*Client) UpdateCrmTeam

func (c *Client) UpdateCrmTeam(ct *CrmTeam) error

UpdateCrmTeam updates an existing crm.team record.

func (*Client) UpdateCrmTeams

func (c *Client) UpdateCrmTeams(ids []int64, ct *CrmTeam) error

UpdateCrmTeams updates existing crm.team records. All records (represented by ids) will be updated by ct values.

func (*Client) UpdateDecimalPrecision

func (c *Client) UpdateDecimalPrecision(dp *DecimalPrecision) error

UpdateDecimalPrecision updates an existing decimal.precision record.

func (*Client) UpdateDecimalPrecisions

func (c *Client) UpdateDecimalPrecisions(ids []int64, dp *DecimalPrecision) error

UpdateDecimalPrecisions updates existing decimal.precision records. All records (represented by ids) will be updated by dp values.

func (*Client) UpdateEmailTemplatePreview

func (c *Client) UpdateEmailTemplatePreview(ep *EmailTemplatePreview) error

UpdateEmailTemplatePreview updates an existing email_template.preview record.

func (*Client) UpdateEmailTemplatePreviews

func (c *Client) UpdateEmailTemplatePreviews(ids []int64, ep *EmailTemplatePreview) error

UpdateEmailTemplatePreviews updates existing email_template.preview records. All records (represented by ids) will be updated by ep values.

func (*Client) UpdateFetchmailServer

func (c *Client) UpdateFetchmailServer(fs *FetchmailServer) error

UpdateFetchmailServer updates an existing fetchmail.server record.

func (*Client) UpdateFetchmailServers

func (c *Client) UpdateFetchmailServers(ids []int64, fs *FetchmailServer) error

UpdateFetchmailServers updates existing fetchmail.server records. All records (represented by ids) will be updated by fs values.

func (*Client) UpdateFormatAddressMixin

func (c *Client) UpdateFormatAddressMixin(fam *FormatAddressMixin) error

UpdateFormatAddressMixin updates an existing format.address.mixin record.

func (*Client) UpdateFormatAddressMixins

func (c *Client) UpdateFormatAddressMixins(ids []int64, fam *FormatAddressMixin) error

UpdateFormatAddressMixins updates existing format.address.mixin records. All records (represented by ids) will be updated by fam values.

func (*Client) UpdateHrDepartment

func (c *Client) UpdateHrDepartment(hd *HrDepartment) error

UpdateHrDepartment updates an existing hr.department record.

func (*Client) UpdateHrDepartments

func (c *Client) UpdateHrDepartments(ids []int64, hd *HrDepartment) error

UpdateHrDepartments updates existing hr.department records. All records (represented by ids) will be updated by hd values.

func (*Client) UpdateHrEmployee

func (c *Client) UpdateHrEmployee(he *HrEmployee) error

UpdateHrEmployee updates an existing hr.employee record.

func (*Client) UpdateHrEmployeeCategory

func (c *Client) UpdateHrEmployeeCategory(hec *HrEmployeeCategory) error

UpdateHrEmployeeCategory updates an existing hr.employee.category record.

func (*Client) UpdateHrEmployeeCategorys

func (c *Client) UpdateHrEmployeeCategorys(ids []int64, hec *HrEmployeeCategory) error

UpdateHrEmployeeCategorys updates existing hr.employee.category records. All records (represented by ids) will be updated by hec values.

func (*Client) UpdateHrEmployees

func (c *Client) UpdateHrEmployees(ids []int64, he *HrEmployee) error

UpdateHrEmployees updates existing hr.employee records. All records (represented by ids) will be updated by he values.

func (*Client) UpdateHrHolidays

func (c *Client) UpdateHrHolidays(hh *HrHolidays) error

UpdateHrHolidays updates an existing hr.holidays record.

func (*Client) UpdateHrHolidaysRemainingLeavesUser

func (c *Client) UpdateHrHolidaysRemainingLeavesUser(hhrlu *HrHolidaysRemainingLeavesUser) error

UpdateHrHolidaysRemainingLeavesUser updates an existing hr.holidays.remaining.leaves.user record.

func (*Client) UpdateHrHolidaysRemainingLeavesUsers

func (c *Client) UpdateHrHolidaysRemainingLeavesUsers(ids []int64, hhrlu *HrHolidaysRemainingLeavesUser) error

UpdateHrHolidaysRemainingLeavesUsers updates existing hr.holidays.remaining.leaves.user records. All records (represented by ids) will be updated by hhrlu values.

func (*Client) UpdateHrHolidaysStatus

func (c *Client) UpdateHrHolidaysStatus(hhs *HrHolidaysStatus) error

UpdateHrHolidaysStatus updates an existing hr.holidays.status record.

func (*Client) UpdateHrHolidaysStatuss

func (c *Client) UpdateHrHolidaysStatuss(ids []int64, hhs *HrHolidaysStatus) error

UpdateHrHolidaysStatuss updates existing hr.holidays.status records. All records (represented by ids) will be updated by hhs values.

func (*Client) UpdateHrHolidaysSummaryDept

func (c *Client) UpdateHrHolidaysSummaryDept(hhsd *HrHolidaysSummaryDept) error

UpdateHrHolidaysSummaryDept updates an existing hr.holidays.summary.dept record.

func (*Client) UpdateHrHolidaysSummaryDepts

func (c *Client) UpdateHrHolidaysSummaryDepts(ids []int64, hhsd *HrHolidaysSummaryDept) error

UpdateHrHolidaysSummaryDepts updates existing hr.holidays.summary.dept records. All records (represented by ids) will be updated by hhsd values.

func (*Client) UpdateHrHolidaysSummaryEmployee

func (c *Client) UpdateHrHolidaysSummaryEmployee(hhse *HrHolidaysSummaryEmployee) error

UpdateHrHolidaysSummaryEmployee updates an existing hr.holidays.summary.employee record.

func (*Client) UpdateHrHolidaysSummaryEmployees

func (c *Client) UpdateHrHolidaysSummaryEmployees(ids []int64, hhse *HrHolidaysSummaryEmployee) error

UpdateHrHolidaysSummaryEmployees updates existing hr.holidays.summary.employee records. All records (represented by ids) will be updated by hhse values.

func (*Client) UpdateHrHolidayss

func (c *Client) UpdateHrHolidayss(ids []int64, hh *HrHolidays) error

UpdateHrHolidayss updates existing hr.holidays records. All records (represented by ids) will be updated by hh values.

func (*Client) UpdateHrJob

func (c *Client) UpdateHrJob(hj *HrJob) error

UpdateHrJob updates an existing hr.job record.

func (*Client) UpdateHrJobs

func (c *Client) UpdateHrJobs(ids []int64, hj *HrJob) error

UpdateHrJobs updates existing hr.job records. All records (represented by ids) will be updated by hj values.

func (*Client) UpdateIapAccount

func (c *Client) UpdateIapAccount(ia *IapAccount) error

UpdateIapAccount updates an existing iap.account record.

func (*Client) UpdateIapAccounts

func (c *Client) UpdateIapAccounts(ids []int64, ia *IapAccount) error

UpdateIapAccounts updates existing iap.account records. All records (represented by ids) will be updated by ia values.

func (*Client) UpdateImLivechatChannel

func (c *Client) UpdateImLivechatChannel(ic *ImLivechatChannel) error

UpdateImLivechatChannel updates an existing im_livechat.channel record.

func (*Client) UpdateImLivechatChannelRule

func (c *Client) UpdateImLivechatChannelRule(icr *ImLivechatChannelRule) error

UpdateImLivechatChannelRule updates an existing im_livechat.channel.rule record.

func (*Client) UpdateImLivechatChannelRules

func (c *Client) UpdateImLivechatChannelRules(ids []int64, icr *ImLivechatChannelRule) error

UpdateImLivechatChannelRules updates existing im_livechat.channel.rule records. All records (represented by ids) will be updated by icr values.

func (*Client) UpdateImLivechatChannels

func (c *Client) UpdateImLivechatChannels(ids []int64, ic *ImLivechatChannel) error

UpdateImLivechatChannels updates existing im_livechat.channel records. All records (represented by ids) will be updated by ic values.

func (*Client) UpdateImLivechatReportChannel

func (c *Client) UpdateImLivechatReportChannel(irc *ImLivechatReportChannel) error

UpdateImLivechatReportChannel updates an existing im_livechat.report.channel record.

func (*Client) UpdateImLivechatReportChannels

func (c *Client) UpdateImLivechatReportChannels(ids []int64, irc *ImLivechatReportChannel) error

UpdateImLivechatReportChannels updates existing im_livechat.report.channel records. All records (represented by ids) will be updated by irc values.

func (*Client) UpdateImLivechatReportOperator

func (c *Client) UpdateImLivechatReportOperator(iro *ImLivechatReportOperator) error

UpdateImLivechatReportOperator updates an existing im_livechat.report.operator record.

func (*Client) UpdateImLivechatReportOperators

func (c *Client) UpdateImLivechatReportOperators(ids []int64, iro *ImLivechatReportOperator) error

UpdateImLivechatReportOperators updates existing im_livechat.report.operator records. All records (represented by ids) will be updated by iro values.

func (*Client) UpdateIrActionsActUrl

func (c *Client) UpdateIrActionsActUrl(iaa *IrActionsActUrl) error

UpdateIrActionsActUrl updates an existing ir.actions.act_url record.

func (*Client) UpdateIrActionsActUrls

func (c *Client) UpdateIrActionsActUrls(ids []int64, iaa *IrActionsActUrl) error

UpdateIrActionsActUrls updates existing ir.actions.act_url records. All records (represented by ids) will be updated by iaa values.

func (*Client) UpdateIrActionsActWindow

func (c *Client) UpdateIrActionsActWindow(iaa *IrActionsActWindow) error

UpdateIrActionsActWindow updates an existing ir.actions.act_window record.

func (*Client) UpdateIrActionsActWindowClose

func (c *Client) UpdateIrActionsActWindowClose(iaa *IrActionsActWindowClose) error

UpdateIrActionsActWindowClose updates an existing ir.actions.act_window_close record.

func (*Client) UpdateIrActionsActWindowCloses

func (c *Client) UpdateIrActionsActWindowCloses(ids []int64, iaa *IrActionsActWindowClose) error

UpdateIrActionsActWindowCloses updates existing ir.actions.act_window_close records. All records (represented by ids) will be updated by iaa values.

func (*Client) UpdateIrActionsActWindowView

func (c *Client) UpdateIrActionsActWindowView(iaav *IrActionsActWindowView) error

UpdateIrActionsActWindowView updates an existing ir.actions.act_window.view record.

func (*Client) UpdateIrActionsActWindowViews

func (c *Client) UpdateIrActionsActWindowViews(ids []int64, iaav *IrActionsActWindowView) error

UpdateIrActionsActWindowViews updates existing ir.actions.act_window.view records. All records (represented by ids) will be updated by iaav values.

func (*Client) UpdateIrActionsActWindows

func (c *Client) UpdateIrActionsActWindows(ids []int64, iaa *IrActionsActWindow) error

UpdateIrActionsActWindows updates existing ir.actions.act_window records. All records (represented by ids) will be updated by iaa values.

func (*Client) UpdateIrActionsActions

func (c *Client) UpdateIrActionsActions(iaa *IrActionsActions) error

UpdateIrActionsActions updates an existing ir.actions.actions record.

func (*Client) UpdateIrActionsActionss

func (c *Client) UpdateIrActionsActionss(ids []int64, iaa *IrActionsActions) error

UpdateIrActionsActionss updates existing ir.actions.actions records. All records (represented by ids) will be updated by iaa values.

func (*Client) UpdateIrActionsClient

func (c *Client) UpdateIrActionsClient(iac *IrActionsClient) error

UpdateIrActionsClient updates an existing ir.actions.client record.

func (*Client) UpdateIrActionsClients

func (c *Client) UpdateIrActionsClients(ids []int64, iac *IrActionsClient) error

UpdateIrActionsClients updates existing ir.actions.client records. All records (represented by ids) will be updated by iac values.

func (*Client) UpdateIrActionsReport

func (c *Client) UpdateIrActionsReport(iar *IrActionsReport) error

UpdateIrActionsReport updates an existing ir.actions.report record.

func (*Client) UpdateIrActionsReports

func (c *Client) UpdateIrActionsReports(ids []int64, iar *IrActionsReport) error

UpdateIrActionsReports updates existing ir.actions.report records. All records (represented by ids) will be updated by iar values.

func (*Client) UpdateIrActionsServer

func (c *Client) UpdateIrActionsServer(ias *IrActionsServer) error

UpdateIrActionsServer updates an existing ir.actions.server record.

func (*Client) UpdateIrActionsServers

func (c *Client) UpdateIrActionsServers(ids []int64, ias *IrActionsServer) error

UpdateIrActionsServers updates existing ir.actions.server records. All records (represented by ids) will be updated by ias values.

func (*Client) UpdateIrActionsTodo

func (c *Client) UpdateIrActionsTodo(iat *IrActionsTodo) error

UpdateIrActionsTodo updates an existing ir.actions.todo record.

func (*Client) UpdateIrActionsTodos

func (c *Client) UpdateIrActionsTodos(ids []int64, iat *IrActionsTodo) error

UpdateIrActionsTodos updates existing ir.actions.todo records. All records (represented by ids) will be updated by iat values.

func (*Client) UpdateIrAttachment

func (c *Client) UpdateIrAttachment(ia *IrAttachment) error

UpdateIrAttachment updates an existing ir.attachment record.

func (*Client) UpdateIrAttachments

func (c *Client) UpdateIrAttachments(ids []int64, ia *IrAttachment) error

UpdateIrAttachments updates existing ir.attachment records. All records (represented by ids) will be updated by ia values.

func (*Client) UpdateIrAutovacuum

func (c *Client) UpdateIrAutovacuum(ia *IrAutovacuum) error

UpdateIrAutovacuum updates an existing ir.autovacuum record.

func (*Client) UpdateIrAutovacuums

func (c *Client) UpdateIrAutovacuums(ids []int64, ia *IrAutovacuum) error

UpdateIrAutovacuums updates existing ir.autovacuum records. All records (represented by ids) will be updated by ia values.

func (*Client) UpdateIrConfigParameter

func (c *Client) UpdateIrConfigParameter(ic *IrConfigParameter) error

UpdateIrConfigParameter updates an existing ir.config_parameter record.

func (*Client) UpdateIrConfigParameters

func (c *Client) UpdateIrConfigParameters(ids []int64, ic *IrConfigParameter) error

UpdateIrConfigParameters updates existing ir.config_parameter records. All records (represented by ids) will be updated by ic values.

func (*Client) UpdateIrCron

func (c *Client) UpdateIrCron(ic *IrCron) error

UpdateIrCron updates an existing ir.cron record.

func (*Client) UpdateIrCrons

func (c *Client) UpdateIrCrons(ids []int64, ic *IrCron) error

UpdateIrCrons updates existing ir.cron records. All records (represented by ids) will be updated by ic values.

func (*Client) UpdateIrDefault

func (c *Client) UpdateIrDefault(ID *IrDefault) error

UpdateIrDefault updates an existing ir.default record.

func (*Client) UpdateIrDefaults

func (c *Client) UpdateIrDefaults(ids []int64, ID *IrDefault) error

UpdateIrDefaults updates existing ir.default records. All records (represented by ids) will be updated by ID values.

func (*Client) UpdateIrExports

func (c *Client) UpdateIrExports(ie *IrExports) error

UpdateIrExports updates an existing ir.exports record.

func (*Client) UpdateIrExportsLine

func (c *Client) UpdateIrExportsLine(iel *IrExportsLine) error

UpdateIrExportsLine updates an existing ir.exports.line record.

func (*Client) UpdateIrExportsLines

func (c *Client) UpdateIrExportsLines(ids []int64, iel *IrExportsLine) error

UpdateIrExportsLines updates existing ir.exports.line records. All records (represented by ids) will be updated by iel values.

func (*Client) UpdateIrExportss

func (c *Client) UpdateIrExportss(ids []int64, ie *IrExports) error

UpdateIrExportss updates existing ir.exports records. All records (represented by ids) will be updated by ie values.

func (*Client) UpdateIrFieldsConverter

func (c *Client) UpdateIrFieldsConverter(ifc *IrFieldsConverter) error

UpdateIrFieldsConverter updates an existing ir.fields.converter record.

func (*Client) UpdateIrFieldsConverters

func (c *Client) UpdateIrFieldsConverters(ids []int64, ifc *IrFieldsConverter) error

UpdateIrFieldsConverters updates existing ir.fields.converter records. All records (represented by ids) will be updated by ifc values.

func (*Client) UpdateIrFilters

func (c *Client) UpdateIrFilters(IF *IrFilters) error

UpdateIrFilters updates an existing ir.filters record.

func (*Client) UpdateIrFilterss

func (c *Client) UpdateIrFilterss(ids []int64, IF *IrFilters) error

UpdateIrFilterss updates existing ir.filters records. All records (represented by ids) will be updated by IF values.

func (*Client) UpdateIrHttp

func (c *Client) UpdateIrHttp(ih *IrHttp) error

UpdateIrHttp updates an existing ir.http record.

func (*Client) UpdateIrHttps

func (c *Client) UpdateIrHttps(ids []int64, ih *IrHttp) error

UpdateIrHttps updates existing ir.http records. All records (represented by ids) will be updated by ih values.

func (*Client) UpdateIrLogging

func (c *Client) UpdateIrLogging(il *IrLogging) error

UpdateIrLogging updates an existing ir.logging record.

func (*Client) UpdateIrLoggings

func (c *Client) UpdateIrLoggings(ids []int64, il *IrLogging) error

UpdateIrLoggings updates existing ir.logging records. All records (represented by ids) will be updated by il values.

func (*Client) UpdateIrMailServer

func (c *Client) UpdateIrMailServer(im *IrMailServer) error

UpdateIrMailServer updates an existing ir.mail_server record.

func (*Client) UpdateIrMailServers

func (c *Client) UpdateIrMailServers(ids []int64, im *IrMailServer) error

UpdateIrMailServers updates existing ir.mail_server records. All records (represented by ids) will be updated by im values.

func (*Client) UpdateIrModel

func (c *Client) UpdateIrModel(im *IrModel) error

UpdateIrModel updates an existing ir.model record.

func (*Client) UpdateIrModelAccess

func (c *Client) UpdateIrModelAccess(ima *IrModelAccess) error

UpdateIrModelAccess updates an existing ir.model.access record.

func (*Client) UpdateIrModelAccesss

func (c *Client) UpdateIrModelAccesss(ids []int64, ima *IrModelAccess) error

UpdateIrModelAccesss updates existing ir.model.access records. All records (represented by ids) will be updated by ima values.

func (*Client) UpdateIrModelConstraint

func (c *Client) UpdateIrModelConstraint(imc *IrModelConstraint) error

UpdateIrModelConstraint updates an existing ir.model.constraint record.

func (*Client) UpdateIrModelConstraints

func (c *Client) UpdateIrModelConstraints(ids []int64, imc *IrModelConstraint) error

UpdateIrModelConstraints updates existing ir.model.constraint records. All records (represented by ids) will be updated by imc values.

func (*Client) UpdateIrModelData

func (c *Client) UpdateIrModelData(imd *IrModelData) error

UpdateIrModelData updates an existing ir.model.data record.

func (*Client) UpdateIrModelDatas

func (c *Client) UpdateIrModelDatas(ids []int64, imd *IrModelData) error

UpdateIrModelDatas updates existing ir.model.data records. All records (represented by ids) will be updated by imd values.

func (*Client) UpdateIrModelFields

func (c *Client) UpdateIrModelFields(imf *IrModelFields) error

UpdateIrModelFields updates an existing ir.model.fields record.

func (*Client) UpdateIrModelFieldss

func (c *Client) UpdateIrModelFieldss(ids []int64, imf *IrModelFields) error

UpdateIrModelFieldss updates existing ir.model.fields records. All records (represented by ids) will be updated by imf values.

func (*Client) UpdateIrModelRelation

func (c *Client) UpdateIrModelRelation(imr *IrModelRelation) error

UpdateIrModelRelation updates an existing ir.model.relation record.

func (*Client) UpdateIrModelRelations

func (c *Client) UpdateIrModelRelations(ids []int64, imr *IrModelRelation) error

UpdateIrModelRelations updates existing ir.model.relation records. All records (represented by ids) will be updated by imr values.

func (*Client) UpdateIrModels

func (c *Client) UpdateIrModels(ids []int64, im *IrModel) error

UpdateIrModels updates existing ir.model records. All records (represented by ids) will be updated by im values.

func (*Client) UpdateIrModuleCategory

func (c *Client) UpdateIrModuleCategory(imc *IrModuleCategory) error

UpdateIrModuleCategory updates an existing ir.module.category record.

func (*Client) UpdateIrModuleCategorys

func (c *Client) UpdateIrModuleCategorys(ids []int64, imc *IrModuleCategory) error

UpdateIrModuleCategorys updates existing ir.module.category records. All records (represented by ids) will be updated by imc values.

func (*Client) UpdateIrModuleModule

func (c *Client) UpdateIrModuleModule(imm *IrModuleModule) error

UpdateIrModuleModule updates an existing ir.module.module record.

func (*Client) UpdateIrModuleModuleDependency

func (c *Client) UpdateIrModuleModuleDependency(immd *IrModuleModuleDependency) error

UpdateIrModuleModuleDependency updates an existing ir.module.module.dependency record.

func (*Client) UpdateIrModuleModuleDependencys

func (c *Client) UpdateIrModuleModuleDependencys(ids []int64, immd *IrModuleModuleDependency) error

UpdateIrModuleModuleDependencys updates existing ir.module.module.dependency records. All records (represented by ids) will be updated by immd values.

func (*Client) UpdateIrModuleModuleExclusion

func (c *Client) UpdateIrModuleModuleExclusion(imme *IrModuleModuleExclusion) error

UpdateIrModuleModuleExclusion updates an existing ir.module.module.exclusion record.

func (*Client) UpdateIrModuleModuleExclusions

func (c *Client) UpdateIrModuleModuleExclusions(ids []int64, imme *IrModuleModuleExclusion) error

UpdateIrModuleModuleExclusions updates existing ir.module.module.exclusion records. All records (represented by ids) will be updated by imme values.

func (*Client) UpdateIrModuleModules

func (c *Client) UpdateIrModuleModules(ids []int64, imm *IrModuleModule) error

UpdateIrModuleModules updates existing ir.module.module records. All records (represented by ids) will be updated by imm values.

func (*Client) UpdateIrProperty

func (c *Client) UpdateIrProperty(ip *IrProperty) error

UpdateIrProperty updates an existing ir.property record.

func (*Client) UpdateIrPropertys

func (c *Client) UpdateIrPropertys(ids []int64, ip *IrProperty) error

UpdateIrPropertys updates existing ir.property records. All records (represented by ids) will be updated by ip values.

func (*Client) UpdateIrQweb

func (c *Client) UpdateIrQweb(iq *IrQweb) error

UpdateIrQweb updates an existing ir.qweb record.

func (*Client) UpdateIrQwebField

func (c *Client) UpdateIrQwebField(iqf *IrQwebField) error

UpdateIrQwebField updates an existing ir.qweb.field record.

func (*Client) UpdateIrQwebFieldBarcode

func (c *Client) UpdateIrQwebFieldBarcode(iqfb *IrQwebFieldBarcode) error

UpdateIrQwebFieldBarcode updates an existing ir.qweb.field.barcode record.

func (*Client) UpdateIrQwebFieldBarcodes

func (c *Client) UpdateIrQwebFieldBarcodes(ids []int64, iqfb *IrQwebFieldBarcode) error

UpdateIrQwebFieldBarcodes updates existing ir.qweb.field.barcode records. All records (represented by ids) will be updated by iqfb values.

func (*Client) UpdateIrQwebFieldContact

func (c *Client) UpdateIrQwebFieldContact(iqfc *IrQwebFieldContact) error

UpdateIrQwebFieldContact updates an existing ir.qweb.field.contact record.

func (*Client) UpdateIrQwebFieldContacts

func (c *Client) UpdateIrQwebFieldContacts(ids []int64, iqfc *IrQwebFieldContact) error

UpdateIrQwebFieldContacts updates existing ir.qweb.field.contact records. All records (represented by ids) will be updated by iqfc values.

func (*Client) UpdateIrQwebFieldDate

func (c *Client) UpdateIrQwebFieldDate(iqfd *IrQwebFieldDate) error

UpdateIrQwebFieldDate updates an existing ir.qweb.field.date record.

func (*Client) UpdateIrQwebFieldDates

func (c *Client) UpdateIrQwebFieldDates(ids []int64, iqfd *IrQwebFieldDate) error

UpdateIrQwebFieldDates updates existing ir.qweb.field.date records. All records (represented by ids) will be updated by iqfd values.

func (*Client) UpdateIrQwebFieldDatetime

func (c *Client) UpdateIrQwebFieldDatetime(iqfd *IrQwebFieldDatetime) error

UpdateIrQwebFieldDatetime updates an existing ir.qweb.field.datetime record.

func (*Client) UpdateIrQwebFieldDatetimes

func (c *Client) UpdateIrQwebFieldDatetimes(ids []int64, iqfd *IrQwebFieldDatetime) error

UpdateIrQwebFieldDatetimes updates existing ir.qweb.field.datetime records. All records (represented by ids) will be updated by iqfd values.

func (*Client) UpdateIrQwebFieldDuration

func (c *Client) UpdateIrQwebFieldDuration(iqfd *IrQwebFieldDuration) error

UpdateIrQwebFieldDuration updates an existing ir.qweb.field.duration record.

func (*Client) UpdateIrQwebFieldDurations

func (c *Client) UpdateIrQwebFieldDurations(ids []int64, iqfd *IrQwebFieldDuration) error

UpdateIrQwebFieldDurations updates existing ir.qweb.field.duration records. All records (represented by ids) will be updated by iqfd values.

func (*Client) UpdateIrQwebFieldFloat

func (c *Client) UpdateIrQwebFieldFloat(iqff *IrQwebFieldFloat) error

UpdateIrQwebFieldFloat updates an existing ir.qweb.field.float record.

func (*Client) UpdateIrQwebFieldFloatTime

func (c *Client) UpdateIrQwebFieldFloatTime(iqff *IrQwebFieldFloatTime) error

UpdateIrQwebFieldFloatTime updates an existing ir.qweb.field.float_time record.

func (*Client) UpdateIrQwebFieldFloatTimes

func (c *Client) UpdateIrQwebFieldFloatTimes(ids []int64, iqff *IrQwebFieldFloatTime) error

UpdateIrQwebFieldFloatTimes updates existing ir.qweb.field.float_time records. All records (represented by ids) will be updated by iqff values.

func (*Client) UpdateIrQwebFieldFloats

func (c *Client) UpdateIrQwebFieldFloats(ids []int64, iqff *IrQwebFieldFloat) error

UpdateIrQwebFieldFloats updates existing ir.qweb.field.float records. All records (represented by ids) will be updated by iqff values.

func (*Client) UpdateIrQwebFieldHtml

func (c *Client) UpdateIrQwebFieldHtml(iqfh *IrQwebFieldHtml) error

UpdateIrQwebFieldHtml updates an existing ir.qweb.field.html record.

func (*Client) UpdateIrQwebFieldHtmls

func (c *Client) UpdateIrQwebFieldHtmls(ids []int64, iqfh *IrQwebFieldHtml) error

UpdateIrQwebFieldHtmls updates existing ir.qweb.field.html records. All records (represented by ids) will be updated by iqfh values.

func (*Client) UpdateIrQwebFieldImage

func (c *Client) UpdateIrQwebFieldImage(iqfi *IrQwebFieldImage) error

UpdateIrQwebFieldImage updates an existing ir.qweb.field.image record.

func (*Client) UpdateIrQwebFieldImages

func (c *Client) UpdateIrQwebFieldImages(ids []int64, iqfi *IrQwebFieldImage) error

UpdateIrQwebFieldImages updates existing ir.qweb.field.image records. All records (represented by ids) will be updated by iqfi values.

func (*Client) UpdateIrQwebFieldInteger

func (c *Client) UpdateIrQwebFieldInteger(iqfi *IrQwebFieldInteger) error

UpdateIrQwebFieldInteger updates an existing ir.qweb.field.integer record.

func (*Client) UpdateIrQwebFieldIntegers

func (c *Client) UpdateIrQwebFieldIntegers(ids []int64, iqfi *IrQwebFieldInteger) error

UpdateIrQwebFieldIntegers updates existing ir.qweb.field.integer records. All records (represented by ids) will be updated by iqfi values.

func (*Client) UpdateIrQwebFieldMany2One

func (c *Client) UpdateIrQwebFieldMany2One(iqfm *IrQwebFieldMany2One) error

UpdateIrQwebFieldMany2One updates an existing ir.qweb.field.many2one record.

func (*Client) UpdateIrQwebFieldMany2Ones

func (c *Client) UpdateIrQwebFieldMany2Ones(ids []int64, iqfm *IrQwebFieldMany2One) error

UpdateIrQwebFieldMany2Ones updates existing ir.qweb.field.many2one records. All records (represented by ids) will be updated by iqfm values.

func (*Client) UpdateIrQwebFieldMonetary

func (c *Client) UpdateIrQwebFieldMonetary(iqfm *IrQwebFieldMonetary) error

UpdateIrQwebFieldMonetary updates an existing ir.qweb.field.monetary record.

func (*Client) UpdateIrQwebFieldMonetarys

func (c *Client) UpdateIrQwebFieldMonetarys(ids []int64, iqfm *IrQwebFieldMonetary) error

UpdateIrQwebFieldMonetarys updates existing ir.qweb.field.monetary records. All records (represented by ids) will be updated by iqfm values.

func (*Client) UpdateIrQwebFieldQweb

func (c *Client) UpdateIrQwebFieldQweb(iqfq *IrQwebFieldQweb) error

UpdateIrQwebFieldQweb updates an existing ir.qweb.field.qweb record.

func (*Client) UpdateIrQwebFieldQwebs

func (c *Client) UpdateIrQwebFieldQwebs(ids []int64, iqfq *IrQwebFieldQweb) error

UpdateIrQwebFieldQwebs updates existing ir.qweb.field.qweb records. All records (represented by ids) will be updated by iqfq values.

func (*Client) UpdateIrQwebFieldRelative

func (c *Client) UpdateIrQwebFieldRelative(iqfr *IrQwebFieldRelative) error

UpdateIrQwebFieldRelative updates an existing ir.qweb.field.relative record.

func (*Client) UpdateIrQwebFieldRelatives

func (c *Client) UpdateIrQwebFieldRelatives(ids []int64, iqfr *IrQwebFieldRelative) error

UpdateIrQwebFieldRelatives updates existing ir.qweb.field.relative records. All records (represented by ids) will be updated by iqfr values.

func (*Client) UpdateIrQwebFieldSelection

func (c *Client) UpdateIrQwebFieldSelection(iqfs *IrQwebFieldSelection) error

UpdateIrQwebFieldSelection updates an existing ir.qweb.field.selection record.

func (*Client) UpdateIrQwebFieldSelections

func (c *Client) UpdateIrQwebFieldSelections(ids []int64, iqfs *IrQwebFieldSelection) error

UpdateIrQwebFieldSelections updates existing ir.qweb.field.selection records. All records (represented by ids) will be updated by iqfs values.

func (*Client) UpdateIrQwebFieldText

func (c *Client) UpdateIrQwebFieldText(iqft *IrQwebFieldText) error

UpdateIrQwebFieldText updates an existing ir.qweb.field.text record.

func (*Client) UpdateIrQwebFieldTexts

func (c *Client) UpdateIrQwebFieldTexts(ids []int64, iqft *IrQwebFieldText) error

UpdateIrQwebFieldTexts updates existing ir.qweb.field.text records. All records (represented by ids) will be updated by iqft values.

func (*Client) UpdateIrQwebFields

func (c *Client) UpdateIrQwebFields(ids []int64, iqf *IrQwebField) error

UpdateIrQwebFields updates existing ir.qweb.field records. All records (represented by ids) will be updated by iqf values.

func (*Client) UpdateIrQwebs

func (c *Client) UpdateIrQwebs(ids []int64, iq *IrQweb) error

UpdateIrQwebs updates existing ir.qweb records. All records (represented by ids) will be updated by iq values.

func (*Client) UpdateIrRule

func (c *Client) UpdateIrRule(ir *IrRule) error

UpdateIrRule updates an existing ir.rule record.

func (*Client) UpdateIrRules

func (c *Client) UpdateIrRules(ids []int64, ir *IrRule) error

UpdateIrRules updates existing ir.rule records. All records (represented by ids) will be updated by ir values.

func (*Client) UpdateIrSequence

func (c *Client) UpdateIrSequence(is *IrSequence) error

UpdateIrSequence updates an existing ir.sequence record.

func (*Client) UpdateIrSequenceDateRange

func (c *Client) UpdateIrSequenceDateRange(isd *IrSequenceDateRange) error

UpdateIrSequenceDateRange updates an existing ir.sequence.date_range record.

func (*Client) UpdateIrSequenceDateRanges

func (c *Client) UpdateIrSequenceDateRanges(ids []int64, isd *IrSequenceDateRange) error

UpdateIrSequenceDateRanges updates existing ir.sequence.date_range records. All records (represented by ids) will be updated by isd values.

func (*Client) UpdateIrSequences

func (c *Client) UpdateIrSequences(ids []int64, is *IrSequence) error

UpdateIrSequences updates existing ir.sequence records. All records (represented by ids) will be updated by is values.

func (*Client) UpdateIrServerObjectLines

func (c *Client) UpdateIrServerObjectLines(isol *IrServerObjectLines) error

UpdateIrServerObjectLines updates an existing ir.server.object.lines record.

func (*Client) UpdateIrServerObjectLiness

func (c *Client) UpdateIrServerObjectLiness(ids []int64, isol *IrServerObjectLines) error

UpdateIrServerObjectLiness updates existing ir.server.object.lines records. All records (represented by ids) will be updated by isol values.

func (*Client) UpdateIrTranslation

func (c *Client) UpdateIrTranslation(it *IrTranslation) error

UpdateIrTranslation updates an existing ir.translation record.

func (*Client) UpdateIrTranslations

func (c *Client) UpdateIrTranslations(ids []int64, it *IrTranslation) error

UpdateIrTranslations updates existing ir.translation records. All records (represented by ids) will be updated by it values.

func (*Client) UpdateIrUiMenu

func (c *Client) UpdateIrUiMenu(ium *IrUiMenu) error

UpdateIrUiMenu updates an existing ir.ui.menu record.

func (*Client) UpdateIrUiMenus

func (c *Client) UpdateIrUiMenus(ids []int64, ium *IrUiMenu) error

UpdateIrUiMenus updates existing ir.ui.menu records. All records (represented by ids) will be updated by ium values.

func (*Client) UpdateIrUiView

func (c *Client) UpdateIrUiView(iuv *IrUiView) error

UpdateIrUiView updates an existing ir.ui.view record.

func (*Client) UpdateIrUiViewCustom

func (c *Client) UpdateIrUiViewCustom(iuvc *IrUiViewCustom) error

UpdateIrUiViewCustom updates an existing ir.ui.view.custom record.

func (*Client) UpdateIrUiViewCustoms

func (c *Client) UpdateIrUiViewCustoms(ids []int64, iuvc *IrUiViewCustom) error

UpdateIrUiViewCustoms updates existing ir.ui.view.custom records. All records (represented by ids) will be updated by iuvc values.

func (*Client) UpdateIrUiViews

func (c *Client) UpdateIrUiViews(ids []int64, iuv *IrUiView) error

UpdateIrUiViews updates existing ir.ui.view records. All records (represented by ids) will be updated by iuv values.

func (*Client) UpdateLinkTracker

func (c *Client) UpdateLinkTracker(lt *LinkTracker) error

UpdateLinkTracker updates an existing link.tracker record.

func (*Client) UpdateLinkTrackerClick

func (c *Client) UpdateLinkTrackerClick(ltc *LinkTrackerClick) error

UpdateLinkTrackerClick updates an existing link.tracker.click record.

func (*Client) UpdateLinkTrackerClicks

func (c *Client) UpdateLinkTrackerClicks(ids []int64, ltc *LinkTrackerClick) error

UpdateLinkTrackerClicks updates existing link.tracker.click records. All records (represented by ids) will be updated by ltc values.

func (*Client) UpdateLinkTrackerCode

func (c *Client) UpdateLinkTrackerCode(ltc *LinkTrackerCode) error

UpdateLinkTrackerCode updates an existing link.tracker.code record.

func (*Client) UpdateLinkTrackerCodes

func (c *Client) UpdateLinkTrackerCodes(ids []int64, ltc *LinkTrackerCode) error

UpdateLinkTrackerCodes updates existing link.tracker.code records. All records (represented by ids) will be updated by ltc values.

func (*Client) UpdateLinkTrackers

func (c *Client) UpdateLinkTrackers(ids []int64, lt *LinkTracker) error

UpdateLinkTrackers updates existing link.tracker records. All records (represented by ids) will be updated by lt values.

func (*Client) UpdateMailActivity

func (c *Client) UpdateMailActivity(ma *MailActivity) error

UpdateMailActivity updates an existing mail.activity record.

func (*Client) UpdateMailActivityMixin

func (c *Client) UpdateMailActivityMixin(mam *MailActivityMixin) error

UpdateMailActivityMixin updates an existing mail.activity.mixin record.

func (*Client) UpdateMailActivityMixins

func (c *Client) UpdateMailActivityMixins(ids []int64, mam *MailActivityMixin) error

UpdateMailActivityMixins updates existing mail.activity.mixin records. All records (represented by ids) will be updated by mam values.

func (*Client) UpdateMailActivityType

func (c *Client) UpdateMailActivityType(mat *MailActivityType) error

UpdateMailActivityType updates an existing mail.activity.type record.

func (*Client) UpdateMailActivityTypes

func (c *Client) UpdateMailActivityTypes(ids []int64, mat *MailActivityType) error

UpdateMailActivityTypes updates existing mail.activity.type records. All records (represented by ids) will be updated by mat values.

func (*Client) UpdateMailActivitys

func (c *Client) UpdateMailActivitys(ids []int64, ma *MailActivity) error

UpdateMailActivitys updates existing mail.activity records. All records (represented by ids) will be updated by ma values.

func (*Client) UpdateMailAlias

func (c *Client) UpdateMailAlias(ma *MailAlias) error

UpdateMailAlias updates an existing mail.alias record.

func (*Client) UpdateMailAliasMixin

func (c *Client) UpdateMailAliasMixin(mam *MailAliasMixin) error

UpdateMailAliasMixin updates an existing mail.alias.mixin record.

func (*Client) UpdateMailAliasMixins

func (c *Client) UpdateMailAliasMixins(ids []int64, mam *MailAliasMixin) error

UpdateMailAliasMixins updates existing mail.alias.mixin records. All records (represented by ids) will be updated by mam values.

func (*Client) UpdateMailAliass

func (c *Client) UpdateMailAliass(ids []int64, ma *MailAlias) error

UpdateMailAliass updates existing mail.alias records. All records (represented by ids) will be updated by ma values.

func (*Client) UpdateMailChannel

func (c *Client) UpdateMailChannel(mc *MailChannel) error

UpdateMailChannel updates an existing mail.channel record.

func (*Client) UpdateMailChannelPartner

func (c *Client) UpdateMailChannelPartner(mcp *MailChannelPartner) error

UpdateMailChannelPartner updates an existing mail.channel.partner record.

func (*Client) UpdateMailChannelPartners

func (c *Client) UpdateMailChannelPartners(ids []int64, mcp *MailChannelPartner) error

UpdateMailChannelPartners updates existing mail.channel.partner records. All records (represented by ids) will be updated by mcp values.

func (*Client) UpdateMailChannels

func (c *Client) UpdateMailChannels(ids []int64, mc *MailChannel) error

UpdateMailChannels updates existing mail.channel records. All records (represented by ids) will be updated by mc values.

func (*Client) UpdateMailComposeMessage

func (c *Client) UpdateMailComposeMessage(mcm *MailComposeMessage) error

UpdateMailComposeMessage updates an existing mail.compose.message record.

func (*Client) UpdateMailComposeMessages

func (c *Client) UpdateMailComposeMessages(ids []int64, mcm *MailComposeMessage) error

UpdateMailComposeMessages updates existing mail.compose.message records. All records (represented by ids) will be updated by mcm values.

func (*Client) UpdateMailFollowers

func (c *Client) UpdateMailFollowers(mf *MailFollowers) error

UpdateMailFollowers updates an existing mail.followers record.

func (*Client) UpdateMailFollowerss

func (c *Client) UpdateMailFollowerss(ids []int64, mf *MailFollowers) error

UpdateMailFollowerss updates existing mail.followers records. All records (represented by ids) will be updated by mf values.

func (*Client) UpdateMailMail

func (c *Client) UpdateMailMail(mm *MailMail) error

UpdateMailMail updates an existing mail.mail record.

func (*Client) UpdateMailMailStatistics

func (c *Client) UpdateMailMailStatistics(mms *MailMailStatistics) error

UpdateMailMailStatistics updates an existing mail.mail.statistics record.

func (*Client) UpdateMailMailStatisticss

func (c *Client) UpdateMailMailStatisticss(ids []int64, mms *MailMailStatistics) error

UpdateMailMailStatisticss updates existing mail.mail.statistics records. All records (represented by ids) will be updated by mms values.

func (*Client) UpdateMailMails

func (c *Client) UpdateMailMails(ids []int64, mm *MailMail) error

UpdateMailMails updates existing mail.mail records. All records (represented by ids) will be updated by mm values.

func (*Client) UpdateMailMassMailing

func (c *Client) UpdateMailMassMailing(mm *MailMassMailing) error

UpdateMailMassMailing updates an existing mail.mass_mailing record.

func (*Client) UpdateMailMassMailingCampaign

func (c *Client) UpdateMailMassMailingCampaign(mmc *MailMassMailingCampaign) error

UpdateMailMassMailingCampaign updates an existing mail.mass_mailing.campaign record.

func (*Client) UpdateMailMassMailingCampaigns

func (c *Client) UpdateMailMassMailingCampaigns(ids []int64, mmc *MailMassMailingCampaign) error

UpdateMailMassMailingCampaigns updates existing mail.mass_mailing.campaign records. All records (represented by ids) will be updated by mmc values.

func (*Client) UpdateMailMassMailingContact

func (c *Client) UpdateMailMassMailingContact(mmc *MailMassMailingContact) error

UpdateMailMassMailingContact updates an existing mail.mass_mailing.contact record.

func (*Client) UpdateMailMassMailingContacts

func (c *Client) UpdateMailMassMailingContacts(ids []int64, mmc *MailMassMailingContact) error

UpdateMailMassMailingContacts updates existing mail.mass_mailing.contact records. All records (represented by ids) will be updated by mmc values.

func (*Client) UpdateMailMassMailingList

func (c *Client) UpdateMailMassMailingList(mml *MailMassMailingList) error

UpdateMailMassMailingList updates an existing mail.mass_mailing.list record.

func (*Client) UpdateMailMassMailingLists

func (c *Client) UpdateMailMassMailingLists(ids []int64, mml *MailMassMailingList) error

UpdateMailMassMailingLists updates existing mail.mass_mailing.list records. All records (represented by ids) will be updated by mml values.

func (*Client) UpdateMailMassMailingStage

func (c *Client) UpdateMailMassMailingStage(mms *MailMassMailingStage) error

UpdateMailMassMailingStage updates an existing mail.mass_mailing.stage record.

func (*Client) UpdateMailMassMailingStages

func (c *Client) UpdateMailMassMailingStages(ids []int64, mms *MailMassMailingStage) error

UpdateMailMassMailingStages updates existing mail.mass_mailing.stage records. All records (represented by ids) will be updated by mms values.

func (*Client) UpdateMailMassMailingTag

func (c *Client) UpdateMailMassMailingTag(mmt *MailMassMailingTag) error

UpdateMailMassMailingTag updates an existing mail.mass_mailing.tag record.

func (*Client) UpdateMailMassMailingTags

func (c *Client) UpdateMailMassMailingTags(ids []int64, mmt *MailMassMailingTag) error

UpdateMailMassMailingTags updates existing mail.mass_mailing.tag records. All records (represented by ids) will be updated by mmt values.

func (*Client) UpdateMailMassMailings

func (c *Client) UpdateMailMassMailings(ids []int64, mm *MailMassMailing) error

UpdateMailMassMailings updates existing mail.mass_mailing records. All records (represented by ids) will be updated by mm values.

func (*Client) UpdateMailMessage

func (c *Client) UpdateMailMessage(mm *MailMessage) error

UpdateMailMessage updates an existing mail.message record.

func (*Client) UpdateMailMessageSubtype

func (c *Client) UpdateMailMessageSubtype(mms *MailMessageSubtype) error

UpdateMailMessageSubtype updates an existing mail.message.subtype record.

func (*Client) UpdateMailMessageSubtypes

func (c *Client) UpdateMailMessageSubtypes(ids []int64, mms *MailMessageSubtype) error

UpdateMailMessageSubtypes updates existing mail.message.subtype records. All records (represented by ids) will be updated by mms values.

func (*Client) UpdateMailMessages

func (c *Client) UpdateMailMessages(ids []int64, mm *MailMessage) error

UpdateMailMessages updates existing mail.message records. All records (represented by ids) will be updated by mm values.

func (*Client) UpdateMailNotification

func (c *Client) UpdateMailNotification(mn *MailNotification) error

UpdateMailNotification updates an existing mail.notification record.

func (*Client) UpdateMailNotifications

func (c *Client) UpdateMailNotifications(ids []int64, mn *MailNotification) error

UpdateMailNotifications updates existing mail.notification records. All records (represented by ids) will be updated by mn values.

func (*Client) UpdateMailShortcode

func (c *Client) UpdateMailShortcode(ms *MailShortcode) error

UpdateMailShortcode updates an existing mail.shortcode record.

func (*Client) UpdateMailShortcodes

func (c *Client) UpdateMailShortcodes(ids []int64, ms *MailShortcode) error

UpdateMailShortcodes updates existing mail.shortcode records. All records (represented by ids) will be updated by ms values.

func (*Client) UpdateMailStatisticsReport

func (c *Client) UpdateMailStatisticsReport(msr *MailStatisticsReport) error

UpdateMailStatisticsReport updates an existing mail.statistics.report record.

func (*Client) UpdateMailStatisticsReports

func (c *Client) UpdateMailStatisticsReports(ids []int64, msr *MailStatisticsReport) error

UpdateMailStatisticsReports updates existing mail.statistics.report records. All records (represented by ids) will be updated by msr values.

func (*Client) UpdateMailTemplate

func (c *Client) UpdateMailTemplate(mt *MailTemplate) error

UpdateMailTemplate updates an existing mail.template record.

func (*Client) UpdateMailTemplates

func (c *Client) UpdateMailTemplates(ids []int64, mt *MailTemplate) error

UpdateMailTemplates updates existing mail.template records. All records (represented by ids) will be updated by mt values.

func (*Client) UpdateMailTestSimple

func (c *Client) UpdateMailTestSimple(mts *MailTestSimple) error

UpdateMailTestSimple updates an existing mail.test.simple record.

func (*Client) UpdateMailTestSimples

func (c *Client) UpdateMailTestSimples(ids []int64, mts *MailTestSimple) error

UpdateMailTestSimples updates existing mail.test.simple records. All records (represented by ids) will be updated by mts values.

func (*Client) UpdateMailThread

func (c *Client) UpdateMailThread(mt *MailThread) error

UpdateMailThread updates an existing mail.thread record.

func (*Client) UpdateMailThreads

func (c *Client) UpdateMailThreads(ids []int64, mt *MailThread) error

UpdateMailThreads updates existing mail.thread records. All records (represented by ids) will be updated by mt values.

func (*Client) UpdateMailTrackingValue

func (c *Client) UpdateMailTrackingValue(mtv *MailTrackingValue) error

UpdateMailTrackingValue updates an existing mail.tracking.value record.

func (*Client) UpdateMailTrackingValues

func (c *Client) UpdateMailTrackingValues(ids []int64, mtv *MailTrackingValue) error

UpdateMailTrackingValues updates existing mail.tracking.value records. All records (represented by ids) will be updated by mtv values.

func (*Client) UpdateMailWizardInvite

func (c *Client) UpdateMailWizardInvite(mwi *MailWizardInvite) error

UpdateMailWizardInvite updates an existing mail.wizard.invite record.

func (*Client) UpdateMailWizardInvites

func (c *Client) UpdateMailWizardInvites(ids []int64, mwi *MailWizardInvite) error

UpdateMailWizardInvites updates existing mail.wizard.invite records. All records (represented by ids) will be updated by mwi values.

func (*Client) UpdatePaymentAcquirer

func (c *Client) UpdatePaymentAcquirer(pa *PaymentAcquirer) error

UpdatePaymentAcquirer updates an existing payment.acquirer record.

func (*Client) UpdatePaymentAcquirers

func (c *Client) UpdatePaymentAcquirers(ids []int64, pa *PaymentAcquirer) error

UpdatePaymentAcquirers updates existing payment.acquirer records. All records (represented by ids) will be updated by pa values.

func (*Client) UpdatePaymentIcon

func (c *Client) UpdatePaymentIcon(pi *PaymentIcon) error

UpdatePaymentIcon updates an existing payment.icon record.

func (*Client) UpdatePaymentIcons

func (c *Client) UpdatePaymentIcons(ids []int64, pi *PaymentIcon) error

UpdatePaymentIcons updates existing payment.icon records. All records (represented by ids) will be updated by pi values.

func (*Client) UpdatePaymentToken

func (c *Client) UpdatePaymentToken(pt *PaymentToken) error

UpdatePaymentToken updates an existing payment.token record.

func (*Client) UpdatePaymentTokens

func (c *Client) UpdatePaymentTokens(ids []int64, pt *PaymentToken) error

UpdatePaymentTokens updates existing payment.token records. All records (represented by ids) will be updated by pt values.

func (*Client) UpdatePaymentTransaction

func (c *Client) UpdatePaymentTransaction(pt *PaymentTransaction) error

UpdatePaymentTransaction updates an existing payment.transaction record.

func (*Client) UpdatePaymentTransactions

func (c *Client) UpdatePaymentTransactions(ids []int64, pt *PaymentTransaction) error

UpdatePaymentTransactions updates existing payment.transaction records. All records (represented by ids) will be updated by pt values.

func (*Client) UpdatePortalMixin

func (c *Client) UpdatePortalMixin(pm *PortalMixin) error

UpdatePortalMixin updates an existing portal.mixin record.

func (*Client) UpdatePortalMixins

func (c *Client) UpdatePortalMixins(ids []int64, pm *PortalMixin) error

UpdatePortalMixins updates existing portal.mixin records. All records (represented by ids) will be updated by pm values.

func (*Client) UpdatePortalWizard

func (c *Client) UpdatePortalWizard(pw *PortalWizard) error

UpdatePortalWizard updates an existing portal.wizard record.

func (*Client) UpdatePortalWizardUser

func (c *Client) UpdatePortalWizardUser(pwu *PortalWizardUser) error

UpdatePortalWizardUser updates an existing portal.wizard.user record.

func (*Client) UpdatePortalWizardUsers

func (c *Client) UpdatePortalWizardUsers(ids []int64, pwu *PortalWizardUser) error

UpdatePortalWizardUsers updates existing portal.wizard.user records. All records (represented by ids) will be updated by pwu values.

func (*Client) UpdatePortalWizards

func (c *Client) UpdatePortalWizards(ids []int64, pw *PortalWizard) error

UpdatePortalWizards updates existing portal.wizard records. All records (represented by ids) will be updated by pw values.

func (*Client) UpdateProcurementGroup

func (c *Client) UpdateProcurementGroup(pg *ProcurementGroup) error

UpdateProcurementGroup updates an existing procurement.group record.

func (*Client) UpdateProcurementGroups

func (c *Client) UpdateProcurementGroups(ids []int64, pg *ProcurementGroup) error

UpdateProcurementGroups updates existing procurement.group records. All records (represented by ids) will be updated by pg values.

func (*Client) UpdateProcurementRule

func (c *Client) UpdateProcurementRule(pr *ProcurementRule) error

UpdateProcurementRule updates an existing procurement.rule record.

func (*Client) UpdateProcurementRules

func (c *Client) UpdateProcurementRules(ids []int64, pr *ProcurementRule) error

UpdateProcurementRules updates existing procurement.rule records. All records (represented by ids) will be updated by pr values.

func (*Client) UpdateProductAttribute

func (c *Client) UpdateProductAttribute(pa *ProductAttribute) error

UpdateProductAttribute updates an existing product.attribute record.

func (*Client) UpdateProductAttributeLine

func (c *Client) UpdateProductAttributeLine(pal *ProductAttributeLine) error

UpdateProductAttributeLine updates an existing product.attribute.line record.

func (*Client) UpdateProductAttributeLines

func (c *Client) UpdateProductAttributeLines(ids []int64, pal *ProductAttributeLine) error

UpdateProductAttributeLines updates existing product.attribute.line records. All records (represented by ids) will be updated by pal values.

func (*Client) UpdateProductAttributePrice

func (c *Client) UpdateProductAttributePrice(pap *ProductAttributePrice) error

UpdateProductAttributePrice updates an existing product.attribute.price record.

func (*Client) UpdateProductAttributePrices

func (c *Client) UpdateProductAttributePrices(ids []int64, pap *ProductAttributePrice) error

UpdateProductAttributePrices updates existing product.attribute.price records. All records (represented by ids) will be updated by pap values.

func (*Client) UpdateProductAttributeValue

func (c *Client) UpdateProductAttributeValue(pav *ProductAttributeValue) error

UpdateProductAttributeValue updates an existing product.attribute.value record.

func (*Client) UpdateProductAttributeValues

func (c *Client) UpdateProductAttributeValues(ids []int64, pav *ProductAttributeValue) error

UpdateProductAttributeValues updates existing product.attribute.value records. All records (represented by ids) will be updated by pav values.

func (*Client) UpdateProductAttributes

func (c *Client) UpdateProductAttributes(ids []int64, pa *ProductAttribute) error

UpdateProductAttributes updates existing product.attribute records. All records (represented by ids) will be updated by pa values.

func (*Client) UpdateProductCategory

func (c *Client) UpdateProductCategory(pc *ProductCategory) error

UpdateProductCategory updates an existing product.category record.

func (*Client) UpdateProductCategorys

func (c *Client) UpdateProductCategorys(ids []int64, pc *ProductCategory) error

UpdateProductCategorys updates existing product.category records. All records (represented by ids) will be updated by pc values.

func (*Client) UpdateProductPackaging

func (c *Client) UpdateProductPackaging(pp *ProductPackaging) error

UpdateProductPackaging updates an existing product.packaging record.

func (*Client) UpdateProductPackagings

func (c *Client) UpdateProductPackagings(ids []int64, pp *ProductPackaging) error

UpdateProductPackagings updates existing product.packaging records. All records (represented by ids) will be updated by pp values.

func (*Client) UpdateProductPriceHistory

func (c *Client) UpdateProductPriceHistory(pph *ProductPriceHistory) error

UpdateProductPriceHistory updates an existing product.price.history record.

func (*Client) UpdateProductPriceHistorys

func (c *Client) UpdateProductPriceHistorys(ids []int64, pph *ProductPriceHistory) error

UpdateProductPriceHistorys updates existing product.price.history records. All records (represented by ids) will be updated by pph values.

func (*Client) UpdateProductPriceList

func (c *Client) UpdateProductPriceList(pp *ProductPriceList) error

UpdateProductPriceList updates an existing product.price_list record.

func (*Client) UpdateProductPriceLists

func (c *Client) UpdateProductPriceLists(ids []int64, pp *ProductPriceList) error

UpdateProductPriceLists updates existing product.price_list records. All records (represented by ids) will be updated by pp values.

func (*Client) UpdateProductPricelist

func (c *Client) UpdateProductPricelist(pp *ProductPricelist) error

UpdateProductPricelist updates an existing product.pricelist record.

func (*Client) UpdateProductPricelistItem

func (c *Client) UpdateProductPricelistItem(ppi *ProductPricelistItem) error

UpdateProductPricelistItem updates an existing product.pricelist.item record.

func (*Client) UpdateProductPricelistItems

func (c *Client) UpdateProductPricelistItems(ids []int64, ppi *ProductPricelistItem) error

UpdateProductPricelistItems updates existing product.pricelist.item records. All records (represented by ids) will be updated by ppi values.

func (*Client) UpdateProductPricelists

func (c *Client) UpdateProductPricelists(ids []int64, pp *ProductPricelist) error

UpdateProductPricelists updates existing product.pricelist records. All records (represented by ids) will be updated by pp values.

func (*Client) UpdateProductProduct

func (c *Client) UpdateProductProduct(pp *ProductProduct) error

UpdateProductProduct updates an existing product.product record.

func (*Client) UpdateProductProducts

func (c *Client) UpdateProductProducts(ids []int64, pp *ProductProduct) error

UpdateProductProducts updates existing product.product records. All records (represented by ids) will be updated by pp values.

func (*Client) UpdateProductPutaway

func (c *Client) UpdateProductPutaway(pp *ProductPutaway) error

UpdateProductPutaway updates an existing product.putaway record.

func (*Client) UpdateProductPutaways

func (c *Client) UpdateProductPutaways(ids []int64, pp *ProductPutaway) error

UpdateProductPutaways updates existing product.putaway records. All records (represented by ids) will be updated by pp values.

func (*Client) UpdateProductRemoval

func (c *Client) UpdateProductRemoval(pr *ProductRemoval) error

UpdateProductRemoval updates an existing product.removal record.

func (*Client) UpdateProductRemovals

func (c *Client) UpdateProductRemovals(ids []int64, pr *ProductRemoval) error

UpdateProductRemovals updates existing product.removal records. All records (represented by ids) will be updated by pr values.

func (*Client) UpdateProductSupplierinfo

func (c *Client) UpdateProductSupplierinfo(ps *ProductSupplierinfo) error

UpdateProductSupplierinfo updates an existing product.supplierinfo record.

func (*Client) UpdateProductSupplierinfos

func (c *Client) UpdateProductSupplierinfos(ids []int64, ps *ProductSupplierinfo) error

UpdateProductSupplierinfos updates existing product.supplierinfo records. All records (represented by ids) will be updated by ps values.

func (*Client) UpdateProductTemplate

func (c *Client) UpdateProductTemplate(pt *ProductTemplate) error

UpdateProductTemplate updates an existing product.template record.

func (*Client) UpdateProductTemplates

func (c *Client) UpdateProductTemplates(ids []int64, pt *ProductTemplate) error

UpdateProductTemplates updates existing product.template records. All records (represented by ids) will be updated by pt values.

func (*Client) UpdateProductUom

func (c *Client) UpdateProductUom(pu *ProductUom) error

UpdateProductUom updates an existing product.uom record.

func (*Client) UpdateProductUomCateg

func (c *Client) UpdateProductUomCateg(puc *ProductUomCateg) error

UpdateProductUomCateg updates an existing product.uom.categ record.

func (*Client) UpdateProductUomCategs

func (c *Client) UpdateProductUomCategs(ids []int64, puc *ProductUomCateg) error

UpdateProductUomCategs updates existing product.uom.categ records. All records (represented by ids) will be updated by puc values.

func (*Client) UpdateProductUoms

func (c *Client) UpdateProductUoms(ids []int64, pu *ProductUom) error

UpdateProductUoms updates existing product.uom records. All records (represented by ids) will be updated by pu values.

func (*Client) UpdateProjectProject

func (c *Client) UpdateProjectProject(pp *ProjectProject) error

UpdateProjectProject updates an existing project.project record.

func (*Client) UpdateProjectProjects

func (c *Client) UpdateProjectProjects(ids []int64, pp *ProjectProject) error

UpdateProjectProjects updates existing project.project records. All records (represented by ids) will be updated by pp values.

func (*Client) UpdateProjectTags

func (c *Client) UpdateProjectTags(pt *ProjectTags) error

UpdateProjectTags updates an existing project.tags record.

func (*Client) UpdateProjectTagss

func (c *Client) UpdateProjectTagss(ids []int64, pt *ProjectTags) error

UpdateProjectTagss updates existing project.tags records. All records (represented by ids) will be updated by pt values.

func (*Client) UpdateProjectTask

func (c *Client) UpdateProjectTask(pt *ProjectTask) error

UpdateProjectTask updates an existing project.task record.

func (*Client) UpdateProjectTaskMergeWizard

func (c *Client) UpdateProjectTaskMergeWizard(ptmw *ProjectTaskMergeWizard) error

UpdateProjectTaskMergeWizard updates an existing project.task.merge.wizard record.

func (*Client) UpdateProjectTaskMergeWizards

func (c *Client) UpdateProjectTaskMergeWizards(ids []int64, ptmw *ProjectTaskMergeWizard) error

UpdateProjectTaskMergeWizards updates existing project.task.merge.wizard records. All records (represented by ids) will be updated by ptmw values.

func (*Client) UpdateProjectTaskType

func (c *Client) UpdateProjectTaskType(ptt *ProjectTaskType) error

UpdateProjectTaskType updates an existing project.task.type record.

func (*Client) UpdateProjectTaskTypes

func (c *Client) UpdateProjectTaskTypes(ids []int64, ptt *ProjectTaskType) error

UpdateProjectTaskTypes updates existing project.task.type records. All records (represented by ids) will be updated by ptt values.

func (*Client) UpdateProjectTasks

func (c *Client) UpdateProjectTasks(ids []int64, pt *ProjectTask) error

UpdateProjectTasks updates existing project.task records. All records (represented by ids) will be updated by pt values.

func (*Client) UpdatePublisherWarrantyContract

func (c *Client) UpdatePublisherWarrantyContract(pc *PublisherWarrantyContract) error

UpdatePublisherWarrantyContract updates an existing publisher_warranty.contract record.

func (*Client) UpdatePublisherWarrantyContracts

func (c *Client) UpdatePublisherWarrantyContracts(ids []int64, pc *PublisherWarrantyContract) error

UpdatePublisherWarrantyContracts updates existing publisher_warranty.contract records. All records (represented by ids) will be updated by pc values.

func (*Client) UpdatePurchaseOrder

func (c *Client) UpdatePurchaseOrder(po *PurchaseOrder) error

UpdatePurchaseOrder updates an existing purchase.order record.

func (*Client) UpdatePurchaseOrderLine

func (c *Client) UpdatePurchaseOrderLine(pol *PurchaseOrderLine) error

UpdatePurchaseOrderLine updates an existing purchase.order.line record.

func (*Client) UpdatePurchaseOrderLines

func (c *Client) UpdatePurchaseOrderLines(ids []int64, pol *PurchaseOrderLine) error

UpdatePurchaseOrderLines updates existing purchase.order.line records. All records (represented by ids) will be updated by pol values.

func (*Client) UpdatePurchaseOrders

func (c *Client) UpdatePurchaseOrders(ids []int64, po *PurchaseOrder) error

UpdatePurchaseOrders updates existing purchase.order records. All records (represented by ids) will be updated by po values.

func (*Client) UpdatePurchaseReport

func (c *Client) UpdatePurchaseReport(pr *PurchaseReport) error

UpdatePurchaseReport updates an existing purchase.report record.

func (*Client) UpdatePurchaseReports

func (c *Client) UpdatePurchaseReports(ids []int64, pr *PurchaseReport) error

UpdatePurchaseReports updates existing purchase.report records. All records (represented by ids) will be updated by pr values.

func (*Client) UpdateRatingMixin

func (c *Client) UpdateRatingMixin(rm *RatingMixin) error

UpdateRatingMixin updates an existing rating.mixin record.

func (*Client) UpdateRatingMixins

func (c *Client) UpdateRatingMixins(ids []int64, rm *RatingMixin) error

UpdateRatingMixins updates existing rating.mixin records. All records (represented by ids) will be updated by rm values.

func (*Client) UpdateRatingRating

func (c *Client) UpdateRatingRating(rr *RatingRating) error

UpdateRatingRating updates an existing rating.rating record.

func (*Client) UpdateRatingRatings

func (c *Client) UpdateRatingRatings(ids []int64, rr *RatingRating) error

UpdateRatingRatings updates existing rating.rating records. All records (represented by ids) will be updated by rr values.

func (*Client) UpdateReportAccountReportAgedpartnerbalance

func (c *Client) UpdateReportAccountReportAgedpartnerbalance(rar *ReportAccountReportAgedpartnerbalance) error

UpdateReportAccountReportAgedpartnerbalance updates an existing report.account.report_agedpartnerbalance record.

func (*Client) UpdateReportAccountReportAgedpartnerbalances

func (c *Client) UpdateReportAccountReportAgedpartnerbalances(ids []int64, rar *ReportAccountReportAgedpartnerbalance) error

UpdateReportAccountReportAgedpartnerbalances updates existing report.account.report_agedpartnerbalance records. All records (represented by ids) will be updated by rar values.

func (*Client) UpdateReportAccountReportFinancial

func (c *Client) UpdateReportAccountReportFinancial(rar *ReportAccountReportFinancial) error

UpdateReportAccountReportFinancial updates an existing report.account.report_financial record.

func (*Client) UpdateReportAccountReportFinancials

func (c *Client) UpdateReportAccountReportFinancials(ids []int64, rar *ReportAccountReportFinancial) error

UpdateReportAccountReportFinancials updates existing report.account.report_financial records. All records (represented by ids) will be updated by rar values.

func (*Client) UpdateReportAccountReportGeneralledger

func (c *Client) UpdateReportAccountReportGeneralledger(rar *ReportAccountReportGeneralledger) error

UpdateReportAccountReportGeneralledger updates an existing report.account.report_generalledger record.

func (*Client) UpdateReportAccountReportGeneralledgers

func (c *Client) UpdateReportAccountReportGeneralledgers(ids []int64, rar *ReportAccountReportGeneralledger) error

UpdateReportAccountReportGeneralledgers updates existing report.account.report_generalledger records. All records (represented by ids) will be updated by rar values.

func (*Client) UpdateReportAccountReportJournal

func (c *Client) UpdateReportAccountReportJournal(rar *ReportAccountReportJournal) error

UpdateReportAccountReportJournal updates an existing report.account.report_journal record.

func (*Client) UpdateReportAccountReportJournals

func (c *Client) UpdateReportAccountReportJournals(ids []int64, rar *ReportAccountReportJournal) error

UpdateReportAccountReportJournals updates existing report.account.report_journal records. All records (represented by ids) will be updated by rar values.

func (*Client) UpdateReportAccountReportOverdue

func (c *Client) UpdateReportAccountReportOverdue(rar *ReportAccountReportOverdue) error

UpdateReportAccountReportOverdue updates an existing report.account.report_overdue record.

func (*Client) UpdateReportAccountReportOverdues

func (c *Client) UpdateReportAccountReportOverdues(ids []int64, rar *ReportAccountReportOverdue) error

UpdateReportAccountReportOverdues updates existing report.account.report_overdue records. All records (represented by ids) will be updated by rar values.

func (*Client) UpdateReportAccountReportPartnerledger

func (c *Client) UpdateReportAccountReportPartnerledger(rar *ReportAccountReportPartnerledger) error

UpdateReportAccountReportPartnerledger updates an existing report.account.report_partnerledger record.

func (*Client) UpdateReportAccountReportPartnerledgers

func (c *Client) UpdateReportAccountReportPartnerledgers(ids []int64, rar *ReportAccountReportPartnerledger) error

UpdateReportAccountReportPartnerledgers updates existing report.account.report_partnerledger records. All records (represented by ids) will be updated by rar values.

func (*Client) UpdateReportAccountReportTax

func (c *Client) UpdateReportAccountReportTax(rar *ReportAccountReportTax) error

UpdateReportAccountReportTax updates an existing report.account.report_tax record.

func (*Client) UpdateReportAccountReportTaxs

func (c *Client) UpdateReportAccountReportTaxs(ids []int64, rar *ReportAccountReportTax) error

UpdateReportAccountReportTaxs updates existing report.account.report_tax records. All records (represented by ids) will be updated by rar values.

func (*Client) UpdateReportAccountReportTrialbalance

func (c *Client) UpdateReportAccountReportTrialbalance(rar *ReportAccountReportTrialbalance) error

UpdateReportAccountReportTrialbalance updates an existing report.account.report_trialbalance record.

func (*Client) UpdateReportAccountReportTrialbalances

func (c *Client) UpdateReportAccountReportTrialbalances(ids []int64, rar *ReportAccountReportTrialbalance) error

UpdateReportAccountReportTrialbalances updates existing report.account.report_trialbalance records. All records (represented by ids) will be updated by rar values.

func (*Client) UpdateReportAllChannelsSales

func (c *Client) UpdateReportAllChannelsSales(racs *ReportAllChannelsSales) error

UpdateReportAllChannelsSales updates an existing report.all.channels.sales record.

func (*Client) UpdateReportAllChannelsSaless

func (c *Client) UpdateReportAllChannelsSaless(ids []int64, racs *ReportAllChannelsSales) error

UpdateReportAllChannelsSaless updates existing report.all.channels.sales records. All records (represented by ids) will be updated by racs values.

func (*Client) UpdateReportBaseReportIrmodulereference

func (c *Client) UpdateReportBaseReportIrmodulereference(rbr *ReportBaseReportIrmodulereference) error

UpdateReportBaseReportIrmodulereference updates an existing report.base.report_irmodulereference record.

func (*Client) UpdateReportBaseReportIrmodulereferences

func (c *Client) UpdateReportBaseReportIrmodulereferences(ids []int64, rbr *ReportBaseReportIrmodulereference) error

UpdateReportBaseReportIrmodulereferences updates existing report.base.report_irmodulereference records. All records (represented by ids) will be updated by rbr values.

func (*Client) UpdateReportHrHolidaysReportHolidayssummary

func (c *Client) UpdateReportHrHolidaysReportHolidayssummary(rhr *ReportHrHolidaysReportHolidayssummary) error

UpdateReportHrHolidaysReportHolidayssummary updates an existing report.hr_holidays.report_holidayssummary record.

func (*Client) UpdateReportHrHolidaysReportHolidayssummarys

func (c *Client) UpdateReportHrHolidaysReportHolidayssummarys(ids []int64, rhr *ReportHrHolidaysReportHolidayssummary) error

UpdateReportHrHolidaysReportHolidayssummarys updates existing report.hr_holidays.report_holidayssummary records. All records (represented by ids) will be updated by rhr values.

func (*Client) UpdateReportPaperformat

func (c *Client) UpdateReportPaperformat(rp *ReportPaperformat) error

UpdateReportPaperformat updates an existing report.paperformat record.

func (*Client) UpdateReportPaperformats

func (c *Client) UpdateReportPaperformats(ids []int64, rp *ReportPaperformat) error

UpdateReportPaperformats updates existing report.paperformat records. All records (represented by ids) will be updated by rp values.

func (*Client) UpdateReportProductReportPricelist

func (c *Client) UpdateReportProductReportPricelist(rpr *ReportProductReportPricelist) error

UpdateReportProductReportPricelist updates an existing report.product.report_pricelist record.

func (*Client) UpdateReportProductReportPricelists

func (c *Client) UpdateReportProductReportPricelists(ids []int64, rpr *ReportProductReportPricelist) error

UpdateReportProductReportPricelists updates existing report.product.report_pricelist records. All records (represented by ids) will be updated by rpr values.

func (*Client) UpdateReportProjectTaskUser

func (c *Client) UpdateReportProjectTaskUser(rptu *ReportProjectTaskUser) error

UpdateReportProjectTaskUser updates an existing report.project.task.user record.

func (*Client) UpdateReportProjectTaskUsers

func (c *Client) UpdateReportProjectTaskUsers(ids []int64, rptu *ReportProjectTaskUser) error

UpdateReportProjectTaskUsers updates existing report.project.task.user records. All records (represented by ids) will be updated by rptu values.

func (*Client) UpdateReportSaleReportSaleproforma

func (c *Client) UpdateReportSaleReportSaleproforma(rsr *ReportSaleReportSaleproforma) error

UpdateReportSaleReportSaleproforma updates an existing report.sale.report_saleproforma record.

func (*Client) UpdateReportSaleReportSaleproformas

func (c *Client) UpdateReportSaleReportSaleproformas(ids []int64, rsr *ReportSaleReportSaleproforma) error

UpdateReportSaleReportSaleproformas updates existing report.sale.report_saleproforma records. All records (represented by ids) will be updated by rsr values.

func (*Client) UpdateReportStockForecast

func (c *Client) UpdateReportStockForecast(rsf *ReportStockForecast) error

UpdateReportStockForecast updates an existing report.stock.forecast record.

func (*Client) UpdateReportStockForecasts

func (c *Client) UpdateReportStockForecasts(ids []int64, rsf *ReportStockForecast) error

UpdateReportStockForecasts updates existing report.stock.forecast records. All records (represented by ids) will be updated by rsf values.

func (*Client) UpdateResBank

func (c *Client) UpdateResBank(rb *ResBank) error

UpdateResBank updates an existing res.bank record.

func (*Client) UpdateResBanks

func (c *Client) UpdateResBanks(ids []int64, rb *ResBank) error

UpdateResBanks updates existing res.bank records. All records (represented by ids) will be updated by rb values.

func (*Client) UpdateResCompany

func (c *Client) UpdateResCompany(rc *ResCompany) error

UpdateResCompany updates an existing res.company record.

func (*Client) UpdateResCompanys

func (c *Client) UpdateResCompanys(ids []int64, rc *ResCompany) error

UpdateResCompanys updates existing res.company records. All records (represented by ids) will be updated by rc values.

func (*Client) UpdateResConfig

func (c *Client) UpdateResConfig(rc *ResConfig) error

UpdateResConfig updates an existing res.config record.

func (*Client) UpdateResConfigInstaller

func (c *Client) UpdateResConfigInstaller(rci *ResConfigInstaller) error

UpdateResConfigInstaller updates an existing res.config.installer record.

func (*Client) UpdateResConfigInstallers

func (c *Client) UpdateResConfigInstallers(ids []int64, rci *ResConfigInstaller) error

UpdateResConfigInstallers updates existing res.config.installer records. All records (represented by ids) will be updated by rci values.

func (*Client) UpdateResConfigSettings

func (c *Client) UpdateResConfigSettings(rcs *ResConfigSettings) error

UpdateResConfigSettings updates an existing res.config.settings record.

func (*Client) UpdateResConfigSettingss

func (c *Client) UpdateResConfigSettingss(ids []int64, rcs *ResConfigSettings) error

UpdateResConfigSettingss updates existing res.config.settings records. All records (represented by ids) will be updated by rcs values.

func (*Client) UpdateResConfigs

func (c *Client) UpdateResConfigs(ids []int64, rc *ResConfig) error

UpdateResConfigs updates existing res.config records. All records (represented by ids) will be updated by rc values.

func (*Client) UpdateResCountry

func (c *Client) UpdateResCountry(rc *ResCountry) error

UpdateResCountry updates an existing res.country record.

func (*Client) UpdateResCountryGroup

func (c *Client) UpdateResCountryGroup(rcg *ResCountryGroup) error

UpdateResCountryGroup updates an existing res.country.group record.

func (*Client) UpdateResCountryGroups

func (c *Client) UpdateResCountryGroups(ids []int64, rcg *ResCountryGroup) error

UpdateResCountryGroups updates existing res.country.group records. All records (represented by ids) will be updated by rcg values.

func (*Client) UpdateResCountryState

func (c *Client) UpdateResCountryState(rcs *ResCountryState) error

UpdateResCountryState updates an existing res.country.state record.

func (*Client) UpdateResCountryStates

func (c *Client) UpdateResCountryStates(ids []int64, rcs *ResCountryState) error

UpdateResCountryStates updates existing res.country.state records. All records (represented by ids) will be updated by rcs values.

func (*Client) UpdateResCountrys

func (c *Client) UpdateResCountrys(ids []int64, rc *ResCountry) error

UpdateResCountrys updates existing res.country records. All records (represented by ids) will be updated by rc values.

func (*Client) UpdateResCurrency

func (c *Client) UpdateResCurrency(rc *ResCurrency) error

UpdateResCurrency updates an existing res.currency record.

func (*Client) UpdateResCurrencyRate

func (c *Client) UpdateResCurrencyRate(rcr *ResCurrencyRate) error

UpdateResCurrencyRate updates an existing res.currency.rate record.

func (*Client) UpdateResCurrencyRates

func (c *Client) UpdateResCurrencyRates(ids []int64, rcr *ResCurrencyRate) error

UpdateResCurrencyRates updates existing res.currency.rate records. All records (represented by ids) will be updated by rcr values.

func (*Client) UpdateResCurrencys

func (c *Client) UpdateResCurrencys(ids []int64, rc *ResCurrency) error

UpdateResCurrencys updates existing res.currency records. All records (represented by ids) will be updated by rc values.

func (*Client) UpdateResGroups

func (c *Client) UpdateResGroups(rg *ResGroups) error

UpdateResGroups updates an existing res.groups record.

func (*Client) UpdateResGroupss

func (c *Client) UpdateResGroupss(ids []int64, rg *ResGroups) error

UpdateResGroupss updates existing res.groups records. All records (represented by ids) will be updated by rg values.

func (*Client) UpdateResLang

func (c *Client) UpdateResLang(rl *ResLang) error

UpdateResLang updates an existing res.lang record.

func (*Client) UpdateResLangs

func (c *Client) UpdateResLangs(ids []int64, rl *ResLang) error

UpdateResLangs updates existing res.lang records. All records (represented by ids) will be updated by rl values.

func (*Client) UpdateResPartner

func (c *Client) UpdateResPartner(rp *ResPartner) error

UpdateResPartner updates an existing res.partner record.

func (*Client) UpdateResPartnerBank

func (c *Client) UpdateResPartnerBank(rpb *ResPartnerBank) error

UpdateResPartnerBank updates an existing res.partner.bank record.

func (*Client) UpdateResPartnerBanks

func (c *Client) UpdateResPartnerBanks(ids []int64, rpb *ResPartnerBank) error

UpdateResPartnerBanks updates existing res.partner.bank records. All records (represented by ids) will be updated by rpb values.

func (*Client) UpdateResPartnerCategory

func (c *Client) UpdateResPartnerCategory(rpc *ResPartnerCategory) error

UpdateResPartnerCategory updates an existing res.partner.category record.

func (*Client) UpdateResPartnerCategorys

func (c *Client) UpdateResPartnerCategorys(ids []int64, rpc *ResPartnerCategory) error

UpdateResPartnerCategorys updates existing res.partner.category records. All records (represented by ids) will be updated by rpc values.

func (*Client) UpdateResPartnerIndustry

func (c *Client) UpdateResPartnerIndustry(rpi *ResPartnerIndustry) error

UpdateResPartnerIndustry updates an existing res.partner.industry record.

func (*Client) UpdateResPartnerIndustrys

func (c *Client) UpdateResPartnerIndustrys(ids []int64, rpi *ResPartnerIndustry) error

UpdateResPartnerIndustrys updates existing res.partner.industry records. All records (represented by ids) will be updated by rpi values.

func (*Client) UpdateResPartnerTitle

func (c *Client) UpdateResPartnerTitle(rpt *ResPartnerTitle) error

UpdateResPartnerTitle updates an existing res.partner.title record.

func (*Client) UpdateResPartnerTitles

func (c *Client) UpdateResPartnerTitles(ids []int64, rpt *ResPartnerTitle) error

UpdateResPartnerTitles updates existing res.partner.title records. All records (represented by ids) will be updated by rpt values.

func (*Client) UpdateResPartners

func (c *Client) UpdateResPartners(ids []int64, rp *ResPartner) error

UpdateResPartners updates existing res.partner records. All records (represented by ids) will be updated by rp values.

func (c *Client) UpdateResRequestLink(rrl *ResRequestLink) error

UpdateResRequestLink updates an existing res.request.link record.

func (c *Client) UpdateResRequestLinks(ids []int64, rrl *ResRequestLink) error

UpdateResRequestLinks updates existing res.request.link records. All records (represented by ids) will be updated by rrl values.

func (*Client) UpdateResUsers

func (c *Client) UpdateResUsers(ru *ResUsers) error

UpdateResUsers updates an existing res.users record.

func (*Client) UpdateResUsersLog

func (c *Client) UpdateResUsersLog(rul *ResUsersLog) error

UpdateResUsersLog updates an existing res.users.log record.

func (*Client) UpdateResUsersLogs

func (c *Client) UpdateResUsersLogs(ids []int64, rul *ResUsersLog) error

UpdateResUsersLogs updates existing res.users.log records. All records (represented by ids) will be updated by rul values.

func (*Client) UpdateResUserss

func (c *Client) UpdateResUserss(ids []int64, ru *ResUsers) error

UpdateResUserss updates existing res.users records. All records (represented by ids) will be updated by ru values.

func (*Client) UpdateResourceCalendar

func (c *Client) UpdateResourceCalendar(rc *ResourceCalendar) error

UpdateResourceCalendar updates an existing resource.calendar record.

func (*Client) UpdateResourceCalendarAttendance

func (c *Client) UpdateResourceCalendarAttendance(rca *ResourceCalendarAttendance) error

UpdateResourceCalendarAttendance updates an existing resource.calendar.attendance record.

func (*Client) UpdateResourceCalendarAttendances

func (c *Client) UpdateResourceCalendarAttendances(ids []int64, rca *ResourceCalendarAttendance) error

UpdateResourceCalendarAttendances updates existing resource.calendar.attendance records. All records (represented by ids) will be updated by rca values.

func (*Client) UpdateResourceCalendarLeaves

func (c *Client) UpdateResourceCalendarLeaves(rcl *ResourceCalendarLeaves) error

UpdateResourceCalendarLeaves updates an existing resource.calendar.leaves record.

func (*Client) UpdateResourceCalendarLeavess

func (c *Client) UpdateResourceCalendarLeavess(ids []int64, rcl *ResourceCalendarLeaves) error

UpdateResourceCalendarLeavess updates existing resource.calendar.leaves records. All records (represented by ids) will be updated by rcl values.

func (*Client) UpdateResourceCalendars

func (c *Client) UpdateResourceCalendars(ids []int64, rc *ResourceCalendar) error

UpdateResourceCalendars updates existing resource.calendar records. All records (represented by ids) will be updated by rc values.

func (*Client) UpdateResourceMixin

func (c *Client) UpdateResourceMixin(rm *ResourceMixin) error

UpdateResourceMixin updates an existing resource.mixin record.

func (*Client) UpdateResourceMixins

func (c *Client) UpdateResourceMixins(ids []int64, rm *ResourceMixin) error

UpdateResourceMixins updates existing resource.mixin records. All records (represented by ids) will be updated by rm values.

func (*Client) UpdateResourceResource

func (c *Client) UpdateResourceResource(rr *ResourceResource) error

UpdateResourceResource updates an existing resource.resource record.

func (*Client) UpdateResourceResources

func (c *Client) UpdateResourceResources(ids []int64, rr *ResourceResource) error

UpdateResourceResources updates existing resource.resource records. All records (represented by ids) will be updated by rr values.

func (*Client) UpdateSaleAdvancePaymentInv

func (c *Client) UpdateSaleAdvancePaymentInv(sapi *SaleAdvancePaymentInv) error

UpdateSaleAdvancePaymentInv updates an existing sale.advance.payment.inv record.

func (*Client) UpdateSaleAdvancePaymentInvs

func (c *Client) UpdateSaleAdvancePaymentInvs(ids []int64, sapi *SaleAdvancePaymentInv) error

UpdateSaleAdvancePaymentInvs updates existing sale.advance.payment.inv records. All records (represented by ids) will be updated by sapi values.

func (*Client) UpdateSaleLayoutCategory

func (c *Client) UpdateSaleLayoutCategory(sl *SaleLayoutCategory) error

UpdateSaleLayoutCategory updates an existing sale.layout_category record.

func (*Client) UpdateSaleLayoutCategorys

func (c *Client) UpdateSaleLayoutCategorys(ids []int64, sl *SaleLayoutCategory) error

UpdateSaleLayoutCategorys updates existing sale.layout_category records. All records (represented by ids) will be updated by sl values.

func (*Client) UpdateSaleOrder

func (c *Client) UpdateSaleOrder(so *SaleOrder) error

UpdateSaleOrder updates an existing sale.order record.

func (*Client) UpdateSaleOrderLine

func (c *Client) UpdateSaleOrderLine(sol *SaleOrderLine) error

UpdateSaleOrderLine updates an existing sale.order.line record.

func (*Client) UpdateSaleOrderLines

func (c *Client) UpdateSaleOrderLines(ids []int64, sol *SaleOrderLine) error

UpdateSaleOrderLines updates existing sale.order.line records. All records (represented by ids) will be updated by sol values.

func (*Client) UpdateSaleOrders

func (c *Client) UpdateSaleOrders(ids []int64, so *SaleOrder) error

UpdateSaleOrders updates existing sale.order records. All records (represented by ids) will be updated by so values.

func (*Client) UpdateSaleReport

func (c *Client) UpdateSaleReport(sr *SaleReport) error

UpdateSaleReport updates an existing sale.report record.

func (*Client) UpdateSaleReports

func (c *Client) UpdateSaleReports(ids []int64, sr *SaleReport) error

UpdateSaleReports updates existing sale.report records. All records (represented by ids) will be updated by sr values.

func (*Client) UpdateSlideAnswer

func (c *Client) UpdateSlideAnswer(sa *SlideAnswer) error

func (*Client) UpdateSlideAnswers

func (c *Client) UpdateSlideAnswers(ids []int64, sa *SlideAnswer) error

func (*Client) UpdateSlideChannel

func (c *Client) UpdateSlideChannel(sc *SlideChannel) error

func (*Client) UpdateSlideChannelInvite

func (c *Client) UpdateSlideChannelInvite(sci *SlideChannelInvite) error

func (*Client) UpdateSlideChannelInvites

func (c *Client) UpdateSlideChannelInvites(ids []int64, sci *SlideChannelInvite) error

func (*Client) UpdateSlideChannelPartner

func (c *Client) UpdateSlideChannelPartner(scp *SlideChannelPartner) error

func (*Client) UpdateSlideChannelPartners

func (c *Client) UpdateSlideChannelPartners(ids []int64, scp *SlideChannelPartner) error

func (*Client) UpdateSlideChannelTag

func (c *Client) UpdateSlideChannelTag(sct *SlideChannelTag) error

func (*Client) UpdateSlideChannelTagGroup

func (c *Client) UpdateSlideChannelTagGroup(sctg *SlideChannelTagGroup) error

func (*Client) UpdateSlideChannelTagGroups

func (c *Client) UpdateSlideChannelTagGroups(ids []int64, sctg *SlideChannelTagGroup) error

func (*Client) UpdateSlideChannelTags

func (c *Client) UpdateSlideChannelTags(ids []int64, sct *SlideChannelTag) error

func (*Client) UpdateSlideChannels

func (c *Client) UpdateSlideChannels(ids []int64, sc *SlideChannel) error

func (*Client) UpdateSlideEmbed

func (c *Client) UpdateSlideEmbed(se *SlideEmbed) error

func (*Client) UpdateSlideEmbeds

func (c *Client) UpdateSlideEmbeds(ids []int64, se *SlideEmbed) error

func (*Client) UpdateSlideQuestion

func (c *Client) UpdateSlideQuestion(sq *SlideQuestion) error

func (*Client) UpdateSlideQuestions

func (c *Client) UpdateSlideQuestions(ids []int64, sq *SlideQuestion) error

func (*Client) UpdateSlideSlide

func (c *Client) UpdateSlideSlide(ss *SlideSlide) error

func (*Client) UpdateSlideSlidePartner

func (c *Client) UpdateSlideSlidePartner(ssp *SlideSlidePartner) error

func (*Client) UpdateSlideSlidePartners

func (c *Client) UpdateSlideSlidePartners(ids []int64, ssp *SlideSlidePartner) error

func (*Client) UpdateSlideSlideResource

func (c *Client) UpdateSlideSlideResource(ssr *SlideSlideResource) error

func (*Client) UpdateSlideSlideResources

func (c *Client) UpdateSlideSlideResources(ids []int64, ssr *SlideSlideResource) error

func (*Client) UpdateSlideSlides

func (c *Client) UpdateSlideSlides(ids []int64, ss *SlideSlide) error

func (*Client) UpdateSlideTag

func (c *Client) UpdateSlideTag(st *SlideTag) error

func (*Client) UpdateSlideTags

func (c *Client) UpdateSlideTags(ids []int64, st *SlideTag) error

func (*Client) UpdateSmsApi

func (c *Client) UpdateSmsApi(sa *SmsApi) error

UpdateSmsApi updates an existing sms.api record.

func (*Client) UpdateSmsApis

func (c *Client) UpdateSmsApis(ids []int64, sa *SmsApi) error

UpdateSmsApis updates existing sms.api records. All records (represented by ids) will be updated by sa values.

func (*Client) UpdateSmsSendSms

func (c *Client) UpdateSmsSendSms(ss *SmsSendSms) error

UpdateSmsSendSms updates an existing sms.send_sms record.

func (*Client) UpdateSmsSendSmss

func (c *Client) UpdateSmsSendSmss(ids []int64, ss *SmsSendSms) error

UpdateSmsSendSmss updates existing sms.send_sms records. All records (represented by ids) will be updated by ss values.

func (*Client) UpdateStockBackorderConfirmation

func (c *Client) UpdateStockBackorderConfirmation(sbc *StockBackorderConfirmation) error

UpdateStockBackorderConfirmation updates an existing stock.backorder.confirmation record.

func (*Client) UpdateStockBackorderConfirmations

func (c *Client) UpdateStockBackorderConfirmations(ids []int64, sbc *StockBackorderConfirmation) error

UpdateStockBackorderConfirmations updates existing stock.backorder.confirmation records. All records (represented by ids) will be updated by sbc values.

func (*Client) UpdateStockChangeProductQty

func (c *Client) UpdateStockChangeProductQty(scpq *StockChangeProductQty) error

UpdateStockChangeProductQty updates an existing stock.change.product.qty record.

func (*Client) UpdateStockChangeProductQtys

func (c *Client) UpdateStockChangeProductQtys(ids []int64, scpq *StockChangeProductQty) error

UpdateStockChangeProductQtys updates existing stock.change.product.qty records. All records (represented by ids) will be updated by scpq values.

func (*Client) UpdateStockChangeStandardPrice

func (c *Client) UpdateStockChangeStandardPrice(scsp *StockChangeStandardPrice) error

UpdateStockChangeStandardPrice updates an existing stock.change.standard.price record.

func (*Client) UpdateStockChangeStandardPrices

func (c *Client) UpdateStockChangeStandardPrices(ids []int64, scsp *StockChangeStandardPrice) error

UpdateStockChangeStandardPrices updates existing stock.change.standard.price records. All records (represented by ids) will be updated by scsp values.

func (*Client) UpdateStockFixedPutawayStrat

func (c *Client) UpdateStockFixedPutawayStrat(sfps *StockFixedPutawayStrat) error

UpdateStockFixedPutawayStrat updates an existing stock.fixed.putaway.strat record.

func (*Client) UpdateStockFixedPutawayStrats

func (c *Client) UpdateStockFixedPutawayStrats(ids []int64, sfps *StockFixedPutawayStrat) error

UpdateStockFixedPutawayStrats updates existing stock.fixed.putaway.strat records. All records (represented by ids) will be updated by sfps values.

func (*Client) UpdateStockImmediateTransfer

func (c *Client) UpdateStockImmediateTransfer(sit *StockImmediateTransfer) error

UpdateStockImmediateTransfer updates an existing stock.immediate.transfer record.

func (*Client) UpdateStockImmediateTransfers

func (c *Client) UpdateStockImmediateTransfers(ids []int64, sit *StockImmediateTransfer) error

UpdateStockImmediateTransfers updates existing stock.immediate.transfer records. All records (represented by ids) will be updated by sit values.

func (*Client) UpdateStockIncoterms

func (c *Client) UpdateStockIncoterms(si *StockIncoterms) error

UpdateStockIncoterms updates an existing stock.incoterms record.

func (*Client) UpdateStockIncotermss

func (c *Client) UpdateStockIncotermss(ids []int64, si *StockIncoterms) error

UpdateStockIncotermss updates existing stock.incoterms records. All records (represented by ids) will be updated by si values.

func (*Client) UpdateStockInventory

func (c *Client) UpdateStockInventory(si *StockInventory) error

UpdateStockInventory updates an existing stock.inventory record.

func (*Client) UpdateStockInventoryLine

func (c *Client) UpdateStockInventoryLine(sil *StockInventoryLine) error

UpdateStockInventoryLine updates an existing stock.inventory.line record.

func (*Client) UpdateStockInventoryLines

func (c *Client) UpdateStockInventoryLines(ids []int64, sil *StockInventoryLine) error

UpdateStockInventoryLines updates existing stock.inventory.line records. All records (represented by ids) will be updated by sil values.

func (*Client) UpdateStockInventorys

func (c *Client) UpdateStockInventorys(ids []int64, si *StockInventory) error

UpdateStockInventorys updates existing stock.inventory records. All records (represented by ids) will be updated by si values.

func (*Client) UpdateStockLocation

func (c *Client) UpdateStockLocation(sl *StockLocation) error

UpdateStockLocation updates an existing stock.location record.

func (*Client) UpdateStockLocationPath

func (c *Client) UpdateStockLocationPath(slp *StockLocationPath) error

UpdateStockLocationPath updates an existing stock.location.path record.

func (*Client) UpdateStockLocationPaths

func (c *Client) UpdateStockLocationPaths(ids []int64, slp *StockLocationPath) error

UpdateStockLocationPaths updates existing stock.location.path records. All records (represented by ids) will be updated by slp values.

func (*Client) UpdateStockLocationRoute

func (c *Client) UpdateStockLocationRoute(slr *StockLocationRoute) error

UpdateStockLocationRoute updates an existing stock.location.route record.

func (*Client) UpdateStockLocationRoutes

func (c *Client) UpdateStockLocationRoutes(ids []int64, slr *StockLocationRoute) error

UpdateStockLocationRoutes updates existing stock.location.route records. All records (represented by ids) will be updated by slr values.

func (*Client) UpdateStockLocations

func (c *Client) UpdateStockLocations(ids []int64, sl *StockLocation) error

UpdateStockLocations updates existing stock.location records. All records (represented by ids) will be updated by sl values.

func (*Client) UpdateStockMove

func (c *Client) UpdateStockMove(sm *StockMove) error

UpdateStockMove updates an existing stock.move record.

func (*Client) UpdateStockMoveLine

func (c *Client) UpdateStockMoveLine(sml *StockMoveLine) error

UpdateStockMoveLine updates an existing stock.move.line record.

func (*Client) UpdateStockMoveLines

func (c *Client) UpdateStockMoveLines(ids []int64, sml *StockMoveLine) error

UpdateStockMoveLines updates existing stock.move.line records. All records (represented by ids) will be updated by sml values.

func (*Client) UpdateStockMoves

func (c *Client) UpdateStockMoves(ids []int64, sm *StockMove) error

UpdateStockMoves updates existing stock.move records. All records (represented by ids) will be updated by sm values.

func (*Client) UpdateStockOverprocessedTransfer

func (c *Client) UpdateStockOverprocessedTransfer(sot *StockOverprocessedTransfer) error

UpdateStockOverprocessedTransfer updates an existing stock.overprocessed.transfer record.

func (*Client) UpdateStockOverprocessedTransfers

func (c *Client) UpdateStockOverprocessedTransfers(ids []int64, sot *StockOverprocessedTransfer) error

UpdateStockOverprocessedTransfers updates existing stock.overprocessed.transfer records. All records (represented by ids) will be updated by sot values.

func (*Client) UpdateStockPicking

func (c *Client) UpdateStockPicking(sp *StockPicking) error

UpdateStockPicking updates an existing stock.picking record.

func (*Client) UpdateStockPickingType

func (c *Client) UpdateStockPickingType(spt *StockPickingType) error

UpdateStockPickingType updates an existing stock.picking.type record.

func (*Client) UpdateStockPickingTypes

func (c *Client) UpdateStockPickingTypes(ids []int64, spt *StockPickingType) error

UpdateStockPickingTypes updates existing stock.picking.type records. All records (represented by ids) will be updated by spt values.

func (*Client) UpdateStockPickings

func (c *Client) UpdateStockPickings(ids []int64, sp *StockPicking) error

UpdateStockPickings updates existing stock.picking records. All records (represented by ids) will be updated by sp values.

func (*Client) UpdateStockProductionLot

func (c *Client) UpdateStockProductionLot(spl *StockProductionLot) error

UpdateStockProductionLot updates an existing stock.production.lot record.

func (*Client) UpdateStockProductionLots

func (c *Client) UpdateStockProductionLots(ids []int64, spl *StockProductionLot) error

UpdateStockProductionLots updates existing stock.production.lot records. All records (represented by ids) will be updated by spl values.

func (*Client) UpdateStockQuant

func (c *Client) UpdateStockQuant(sq *StockQuant) error

UpdateStockQuant updates an existing stock.quant record.

func (*Client) UpdateStockQuantPackage

func (c *Client) UpdateStockQuantPackage(sqp *StockQuantPackage) error

UpdateStockQuantPackage updates an existing stock.quant.package record.

func (*Client) UpdateStockQuantPackages

func (c *Client) UpdateStockQuantPackages(ids []int64, sqp *StockQuantPackage) error

UpdateStockQuantPackages updates existing stock.quant.package records. All records (represented by ids) will be updated by sqp values.

func (*Client) UpdateStockQuantityHistory

func (c *Client) UpdateStockQuantityHistory(sqh *StockQuantityHistory) error

UpdateStockQuantityHistory updates an existing stock.quantity.history record.

func (*Client) UpdateStockQuantityHistorys

func (c *Client) UpdateStockQuantityHistorys(ids []int64, sqh *StockQuantityHistory) error

UpdateStockQuantityHistorys updates existing stock.quantity.history records. All records (represented by ids) will be updated by sqh values.

func (*Client) UpdateStockQuants

func (c *Client) UpdateStockQuants(ids []int64, sq *StockQuant) error

UpdateStockQuants updates existing stock.quant records. All records (represented by ids) will be updated by sq values.

func (*Client) UpdateStockReturnPicking

func (c *Client) UpdateStockReturnPicking(srp *StockReturnPicking) error

UpdateStockReturnPicking updates an existing stock.return.picking record.

func (*Client) UpdateStockReturnPickingLine

func (c *Client) UpdateStockReturnPickingLine(srpl *StockReturnPickingLine) error

UpdateStockReturnPickingLine updates an existing stock.return.picking.line record.

func (*Client) UpdateStockReturnPickingLines

func (c *Client) UpdateStockReturnPickingLines(ids []int64, srpl *StockReturnPickingLine) error

UpdateStockReturnPickingLines updates existing stock.return.picking.line records. All records (represented by ids) will be updated by srpl values.

func (*Client) UpdateStockReturnPickings

func (c *Client) UpdateStockReturnPickings(ids []int64, srp *StockReturnPicking) error

UpdateStockReturnPickings updates existing stock.return.picking records. All records (represented by ids) will be updated by srp values.

func (*Client) UpdateStockSchedulerCompute

func (c *Client) UpdateStockSchedulerCompute(ssc *StockSchedulerCompute) error

UpdateStockSchedulerCompute updates an existing stock.scheduler.compute record.

func (*Client) UpdateStockSchedulerComputes

func (c *Client) UpdateStockSchedulerComputes(ids []int64, ssc *StockSchedulerCompute) error

UpdateStockSchedulerComputes updates existing stock.scheduler.compute records. All records (represented by ids) will be updated by ssc values.

func (*Client) UpdateStockScrap

func (c *Client) UpdateStockScrap(ss *StockScrap) error

UpdateStockScrap updates an existing stock.scrap record.

func (*Client) UpdateStockScraps

func (c *Client) UpdateStockScraps(ids []int64, ss *StockScrap) error

UpdateStockScraps updates existing stock.scrap records. All records (represented by ids) will be updated by ss values.

func (*Client) UpdateStockTraceabilityReport

func (c *Client) UpdateStockTraceabilityReport(str *StockTraceabilityReport) error

UpdateStockTraceabilityReport updates an existing stock.traceability.report record.

func (*Client) UpdateStockTraceabilityReports

func (c *Client) UpdateStockTraceabilityReports(ids []int64, str *StockTraceabilityReport) error

UpdateStockTraceabilityReports updates existing stock.traceability.report records. All records (represented by ids) will be updated by str values.

func (*Client) UpdateStockWarehouse

func (c *Client) UpdateStockWarehouse(sw *StockWarehouse) error

UpdateStockWarehouse updates an existing stock.warehouse record.

func (*Client) UpdateStockWarehouseOrderpoint

func (c *Client) UpdateStockWarehouseOrderpoint(swo *StockWarehouseOrderpoint) error

UpdateStockWarehouseOrderpoint updates an existing stock.warehouse.orderpoint record.

func (*Client) UpdateStockWarehouseOrderpoints

func (c *Client) UpdateStockWarehouseOrderpoints(ids []int64, swo *StockWarehouseOrderpoint) error

UpdateStockWarehouseOrderpoints updates existing stock.warehouse.orderpoint records. All records (represented by ids) will be updated by swo values.

func (*Client) UpdateStockWarehouses

func (c *Client) UpdateStockWarehouses(ids []int64, sw *StockWarehouse) error

UpdateStockWarehouses updates existing stock.warehouse records. All records (represented by ids) will be updated by sw values.

func (*Client) UpdateStockWarnInsufficientQty

func (c *Client) UpdateStockWarnInsufficientQty(swiq *StockWarnInsufficientQty) error

UpdateStockWarnInsufficientQty updates an existing stock.warn.insufficient.qty record.

func (*Client) UpdateStockWarnInsufficientQtyScrap

func (c *Client) UpdateStockWarnInsufficientQtyScrap(swiqs *StockWarnInsufficientQtyScrap) error

UpdateStockWarnInsufficientQtyScrap updates an existing stock.warn.insufficient.qty.scrap record.

func (*Client) UpdateStockWarnInsufficientQtyScraps

func (c *Client) UpdateStockWarnInsufficientQtyScraps(ids []int64, swiqs *StockWarnInsufficientQtyScrap) error

UpdateStockWarnInsufficientQtyScraps updates existing stock.warn.insufficient.qty.scrap records. All records (represented by ids) will be updated by swiqs values.

func (*Client) UpdateStockWarnInsufficientQtys

func (c *Client) UpdateStockWarnInsufficientQtys(ids []int64, swiq *StockWarnInsufficientQty) error

UpdateStockWarnInsufficientQtys updates existing stock.warn.insufficient.qty records. All records (represented by ids) will be updated by swiq values.

func (*Client) UpdateTaxAdjustmentsWizard

func (c *Client) UpdateTaxAdjustmentsWizard(taw *TaxAdjustmentsWizard) error

UpdateTaxAdjustmentsWizard updates an existing tax.adjustments.wizard record.

func (*Client) UpdateTaxAdjustmentsWizards

func (c *Client) UpdateTaxAdjustmentsWizards(ids []int64, taw *TaxAdjustmentsWizard) error

UpdateTaxAdjustmentsWizards updates existing tax.adjustments.wizard records. All records (represented by ids) will be updated by taw values.

func (*Client) UpdateUtmCampaign

func (c *Client) UpdateUtmCampaign(uc *UtmCampaign) error

UpdateUtmCampaign updates an existing utm.campaign record.

func (*Client) UpdateUtmCampaigns

func (c *Client) UpdateUtmCampaigns(ids []int64, uc *UtmCampaign) error

UpdateUtmCampaigns updates existing utm.campaign records. All records (represented by ids) will be updated by uc values.

func (*Client) UpdateUtmMedium

func (c *Client) UpdateUtmMedium(um *UtmMedium) error

UpdateUtmMedium updates an existing utm.medium record.

func (*Client) UpdateUtmMediums

func (c *Client) UpdateUtmMediums(ids []int64, um *UtmMedium) error

UpdateUtmMediums updates existing utm.medium records. All records (represented by ids) will be updated by um values.

func (*Client) UpdateUtmMixin

func (c *Client) UpdateUtmMixin(um *UtmMixin) error

UpdateUtmMixin updates an existing utm.mixin record.

func (*Client) UpdateUtmMixins

func (c *Client) UpdateUtmMixins(ids []int64, um *UtmMixin) error

UpdateUtmMixins updates existing utm.mixin records. All records (represented by ids) will be updated by um values.

func (*Client) UpdateUtmSource

func (c *Client) UpdateUtmSource(us *UtmSource) error

UpdateUtmSource updates an existing utm.source record.

func (*Client) UpdateUtmSources

func (c *Client) UpdateUtmSources(ids []int64, us *UtmSource) error

UpdateUtmSources updates existing utm.source records. All records (represented by ids) will be updated by us values.

func (*Client) UpdateValidateAccountMove

func (c *Client) UpdateValidateAccountMove(vam *ValidateAccountMove) error

UpdateValidateAccountMove updates an existing validate.account.move record.

func (*Client) UpdateValidateAccountMoves

func (c *Client) UpdateValidateAccountMoves(ids []int64, vam *ValidateAccountMove) error

UpdateValidateAccountMoves updates existing validate.account.move records. All records (represented by ids) will be updated by vam values.

func (*Client) UpdateWebEditorConverterTestSub

func (c *Client) UpdateWebEditorConverterTestSub(wcts *WebEditorConverterTestSub) error

UpdateWebEditorConverterTestSub updates an existing web_editor.converter.test.sub record.

func (*Client) UpdateWebEditorConverterTestSubs

func (c *Client) UpdateWebEditorConverterTestSubs(ids []int64, wcts *WebEditorConverterTestSub) error

UpdateWebEditorConverterTestSubs updates existing web_editor.converter.test.sub records. All records (represented by ids) will be updated by wcts values.

func (*Client) UpdateWebPlanner

func (c *Client) UpdateWebPlanner(wp *WebPlanner) error

UpdateWebPlanner updates an existing web.planner record.

func (*Client) UpdateWebPlanners

func (c *Client) UpdateWebPlanners(ids []int64, wp *WebPlanner) error

UpdateWebPlanners updates existing web.planner records. All records (represented by ids) will be updated by wp values.

func (*Client) UpdateWebTourTour

func (c *Client) UpdateWebTourTour(wt *WebTourTour) error

UpdateWebTourTour updates an existing web_tour.tour record.

func (*Client) UpdateWebTourTours

func (c *Client) UpdateWebTourTours(ids []int64, wt *WebTourTour) error

UpdateWebTourTours updates existing web_tour.tour records. All records (represented by ids) will be updated by wt values.

func (*Client) UpdateWizardIrModelMenuCreate

func (c *Client) UpdateWizardIrModelMenuCreate(wimmc *WizardIrModelMenuCreate) error

UpdateWizardIrModelMenuCreate updates an existing wizard.ir.model.menu.create record.

func (*Client) UpdateWizardIrModelMenuCreates

func (c *Client) UpdateWizardIrModelMenuCreates(ids []int64, wimmc *WizardIrModelMenuCreate) error

UpdateWizardIrModelMenuCreates updates existing wizard.ir.model.menu.create records. All records (represented by ids) will be updated by wimmc values.

func (*Client) UpdateWizardMultiChartsAccounts

func (c *Client) UpdateWizardMultiChartsAccounts(wmca *WizardMultiChartsAccounts) error

UpdateWizardMultiChartsAccounts updates an existing wizard.multi.charts.accounts record.

func (*Client) UpdateWizardMultiChartsAccountss

func (c *Client) UpdateWizardMultiChartsAccountss(ids []int64, wmca *WizardMultiChartsAccounts) error

UpdateWizardMultiChartsAccountss updates existing wizard.multi.charts.accounts records. All records (represented by ids) will be updated by wmca values.

func (*Client) Version

func (c *Client) Version() (Version, error)

Version get informations about your odoo instance version.

type ClientConfig

type ClientConfig struct {
	Database string
	Admin    string
	Password string
	URL      string
}

ClientConfig is the configuration to create a new *Client by givin connection infomations.

type Criteria

type Criteria []interface{}

Criteria is a set of Criterion, each Criterion is a triple (field_name, operator, value). It allow you to search models. see documentation: https://www.odoo.com/documentation/13.0/reference/orm.html#reference-orm-domains

func NewCriteria

func NewCriteria() *Criteria

NewCriteria creates a new *Criteria.

func (*Criteria) Add

func (c *Criteria) Add(field, operator string, value interface{}) *Criteria

Add a new Criterion to a *Criteria.

func (*Criteria) AddCriterion

func (c *Criteria) AddCriterion(cri *Criterion) *Criteria

Add a new Criterion to a *Criteria.

func (*Criteria) And

func (c *Criteria) And(c1, c2 *Criterion) *Criteria

func (*Criteria) Not

func (c *Criteria) Not(cri *Criterion) *Criteria

func (*Criteria) Or

func (c *Criteria) Or(c1, c2 *Criterion) *Criteria

type Criterion

type Criterion []interface{}

func NewCriterion

func NewCriterion(field, operator string, value interface{}) *Criterion

func (*Criterion) ToInterface

func (c *Criterion) ToInterface() []interface{}

type CrmActivityReport

type CrmActivityReport struct {
	LastUpdate         *Time     `xmlrpc:"__last_update,omptempty"`
	Active             *Bool     `xmlrpc:"active,omptempty"`
	AuthorId           *Many2One `xmlrpc:"author_id,omptempty"`
	CompanyId          *Many2One `xmlrpc:"company_id,omptempty"`
	CountryId          *Many2One `xmlrpc:"country_id,omptempty"`
	Date               *Time     `xmlrpc:"date,omptempty"`
	DisplayName        *String   `xmlrpc:"display_name,omptempty"`
	Id                 *Int      `xmlrpc:"id,omptempty"`
	LeadId             *Many2One `xmlrpc:"lead_id,omptempty"`
	LeadType           *String   `xmlrpc:"lead_type,omptempty"`
	MailActivityTypeId *Many2One `xmlrpc:"mail_activity_type_id,omptempty"`
	PartnerId          *Many2One `xmlrpc:"partner_id,omptempty"`
	Probability        *Float    `xmlrpc:"probability,omptempty"`
	StageId            *Many2One `xmlrpc:"stage_id,omptempty"`
	Subject            *String   `xmlrpc:"subject,omptempty"`
	SubtypeId          *Many2One `xmlrpc:"subtype_id,omptempty"`
	TeamId             *Many2One `xmlrpc:"team_id,omptempty"`
	UserId             *Many2One `xmlrpc:"user_id,omptempty"`
}

CrmActivityReport represents crm.activity.report model.

func (*CrmActivityReport) Many2One

func (car *CrmActivityReport) Many2One() *Many2One

Many2One convert CrmActivityReport to *Many2One.

type CrmActivityReports

type CrmActivityReports []CrmActivityReport

CrmActivityReports represents array of crm.activity.report model.

type CrmLead

type CrmLead struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	Active                   *Bool      `xmlrpc:"active,omptempty"`
	ActivityDateDeadline     *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds              *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState            *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary          *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId           *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId           *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	CampaignId               *Many2One  `xmlrpc:"campaign_id,omptempty"`
	City                     *String    `xmlrpc:"city,omptempty"`
	Color                    *Int       `xmlrpc:"color,omptempty"`
	CompanyCurrency          *Many2One  `xmlrpc:"company_currency,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	ContactName              *String    `xmlrpc:"contact_name,omptempty"`
	CountryId                *Many2One  `xmlrpc:"country_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateActionLast           *Time      `xmlrpc:"date_action_last,omptempty"`
	DateClosed               *Time      `xmlrpc:"date_closed,omptempty"`
	DateConversion           *Time      `xmlrpc:"date_conversion,omptempty"`
	DateDeadline             *Time      `xmlrpc:"date_deadline,omptempty"`
	DateLastStageUpdate      *Time      `xmlrpc:"date_last_stage_update,omptempty"`
	DateOpen                 *Time      `xmlrpc:"date_open,omptempty"`
	DayClose                 *Float     `xmlrpc:"day_close,omptempty"`
	DayOpen                  *Float     `xmlrpc:"day_open,omptempty"`
	Description              *String    `xmlrpc:"description,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	EmailCc                  *String    `xmlrpc:"email_cc,omptempty"`
	EmailFrom                *String    `xmlrpc:"email_from,omptempty"`
	Function                 *String    `xmlrpc:"function,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	KanbanState              *Selection `xmlrpc:"kanban_state,omptempty"`
	LostReason               *Many2One  `xmlrpc:"lost_reason,omptempty"`
	MachineLeadName          *String    `xmlrpc:"machine_lead_name,omptempty"`
	MediumId                 *Many2One  `xmlrpc:"medium_id,omptempty"`
	MeetingCount             *Int       `xmlrpc:"meeting_count,omptempty"`
	MessageBounce            *Int       `xmlrpc:"message_bounce,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Mobile                   *String    `xmlrpc:"mobile,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	OptOut                   *Bool      `xmlrpc:"opt_out,omptempty"`
	OrderIds                 *Relation  `xmlrpc:"order_ids,omptempty"`
	PartnerAddressEmail      *String    `xmlrpc:"partner_address_email,omptempty"`
	PartnerAddressName       *String    `xmlrpc:"partner_address_name,omptempty"`
	PartnerId                *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerName              *String    `xmlrpc:"partner_name,omptempty"`
	Phone                    *String    `xmlrpc:"phone,omptempty"`
	PlannedRevenue           *Float     `xmlrpc:"planned_revenue,omptempty"`
	Priority                 *Selection `xmlrpc:"priority,omptempty"`
	Probability              *Float     `xmlrpc:"probability,omptempty"`
	Referred                 *String    `xmlrpc:"referred,omptempty"`
	SaleAmountTotal          *Float     `xmlrpc:"sale_amount_total,omptempty"`
	SaleNumber               *Int       `xmlrpc:"sale_number,omptempty"`
	SourceId                 *Many2One  `xmlrpc:"source_id,omptempty"`
	StageId                  *Many2One  `xmlrpc:"stage_id,omptempty"`
	StateId                  *Many2One  `xmlrpc:"state_id,omptempty"`
	Street                   *String    `xmlrpc:"street,omptempty"`
	Street2                  *String    `xmlrpc:"street2,omptempty"`
	TagIds                   *Relation  `xmlrpc:"tag_ids,omptempty"`
	TeamId                   *Many2One  `xmlrpc:"team_id,omptempty"`
	Title                    *Many2One  `xmlrpc:"title,omptempty"`
	Type                     *Selection `xmlrpc:"type,omptempty"`
	UserEmail                *String    `xmlrpc:"user_email,omptempty"`
	UserId                   *Many2One  `xmlrpc:"user_id,omptempty"`
	UserLogin                *String    `xmlrpc:"user_login,omptempty"`
	Website                  *String    `xmlrpc:"website,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
	Zip                      *String    `xmlrpc:"zip,omptempty"`
}

CrmLead represents crm.lead model.

func (*CrmLead) Many2One

func (cl *CrmLead) Many2One() *Many2One

Many2One convert CrmLead to *Many2One.

type CrmLead2OpportunityPartner

type CrmLead2OpportunityPartner struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	Action         *Selection `xmlrpc:"action,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Name           *Selection `xmlrpc:"name,omptempty"`
	OpportunityIds *Relation  `xmlrpc:"opportunity_ids,omptempty"`
	PartnerId      *Many2One  `xmlrpc:"partner_id,omptempty"`
	TeamId         *Many2One  `xmlrpc:"team_id,omptempty"`
	UserId         *Many2One  `xmlrpc:"user_id,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

CrmLead2OpportunityPartner represents crm.lead2opportunity.partner model.

func (*CrmLead2OpportunityPartner) Many2One

func (clp *CrmLead2OpportunityPartner) Many2One() *Many2One

Many2One convert CrmLead2OpportunityPartner to *Many2One.

type CrmLead2OpportunityPartnerMass

type CrmLead2OpportunityPartnerMass struct {
	LastUpdate       *Time      `xmlrpc:"__last_update,omptempty"`
	Action           *Selection `xmlrpc:"action,omptempty"`
	CreateDate       *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One  `xmlrpc:"create_uid,omptempty"`
	Deduplicate      *Bool      `xmlrpc:"deduplicate,omptempty"`
	DisplayName      *String    `xmlrpc:"display_name,omptempty"`
	ForceAssignation *Bool      `xmlrpc:"force_assignation,omptempty"`
	Id               *Int       `xmlrpc:"id,omptempty"`
	Name             *Selection `xmlrpc:"name,omptempty"`
	OpportunityIds   *Relation  `xmlrpc:"opportunity_ids,omptempty"`
	PartnerId        *Many2One  `xmlrpc:"partner_id,omptempty"`
	TeamId           *Many2One  `xmlrpc:"team_id,omptempty"`
	UserId           *Many2One  `xmlrpc:"user_id,omptempty"`
	UserIds          *Relation  `xmlrpc:"user_ids,omptempty"`
	WriteDate        *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One  `xmlrpc:"write_uid,omptempty"`
}

CrmLead2OpportunityPartnerMass represents crm.lead2opportunity.partner.mass model.

func (*CrmLead2OpportunityPartnerMass) Many2One

func (clpm *CrmLead2OpportunityPartnerMass) Many2One() *Many2One

Many2One convert CrmLead2OpportunityPartnerMass to *Many2One.

type CrmLead2OpportunityPartnerMasss

type CrmLead2OpportunityPartnerMasss []CrmLead2OpportunityPartnerMass

CrmLead2OpportunityPartnerMasss represents array of crm.lead2opportunity.partner.mass model.

type CrmLead2OpportunityPartners

type CrmLead2OpportunityPartners []CrmLead2OpportunityPartner

CrmLead2OpportunityPartners represents array of crm.lead2opportunity.partner model.

type CrmLeadLost

type CrmLeadLost struct {
	LastUpdate   *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate   *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName  *String   `xmlrpc:"display_name,omptempty"`
	Id           *Int      `xmlrpc:"id,omptempty"`
	LostReasonId *Many2One `xmlrpc:"lost_reason_id,omptempty"`
	WriteDate    *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One `xmlrpc:"write_uid,omptempty"`
}

CrmLeadLost represents crm.lead.lost model.

func (*CrmLeadLost) Many2One

func (cll *CrmLeadLost) Many2One() *Many2One

Many2One convert CrmLeadLost to *Many2One.

type CrmLeadLosts

type CrmLeadLosts []CrmLeadLost

CrmLeadLosts represents array of crm.lead.lost model.

type CrmLeadTag

type CrmLeadTag struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Color       *Int      `xmlrpc:"color,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

CrmLeadTag represents crm.lead.tag model.

func (*CrmLeadTag) Many2One

func (clt *CrmLeadTag) Many2One() *Many2One

Many2One convert CrmLeadTag to *Many2One.

type CrmLeadTags

type CrmLeadTags []CrmLeadTag

CrmLeadTags represents array of crm.lead.tag model.

type CrmLeads

type CrmLeads []CrmLead

CrmLeads represents array of crm.lead model.

type CrmLostReason

type CrmLostReason struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

CrmLostReason represents crm.lost.reason model.

func (*CrmLostReason) Many2One

func (clr *CrmLostReason) Many2One() *Many2One

Many2One convert CrmLostReason to *Many2One.

type CrmLostReasons

type CrmLostReasons []CrmLostReason

CrmLostReasons represents array of crm.lost.reason model.

type CrmMergeOpportunity

type CrmMergeOpportunity struct {
	LastUpdate     *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate     *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String   `xmlrpc:"display_name,omptempty"`
	Id             *Int      `xmlrpc:"id,omptempty"`
	OpportunityIds *Relation `xmlrpc:"opportunity_ids,omptempty"`
	TeamId         *Many2One `xmlrpc:"team_id,omptempty"`
	UserId         *Many2One `xmlrpc:"user_id,omptempty"`
	WriteDate      *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One `xmlrpc:"write_uid,omptempty"`
}

CrmMergeOpportunity represents crm.merge.opportunity model.

func (*CrmMergeOpportunity) Many2One

func (cmo *CrmMergeOpportunity) Many2One() *Many2One

Many2One convert CrmMergeOpportunity to *Many2One.

type CrmMergeOpportunitys

type CrmMergeOpportunitys []CrmMergeOpportunity

CrmMergeOpportunitys represents array of crm.merge.opportunity model.

type CrmOpportunityReport

type CrmOpportunityReport struct {
	LastUpdate          *Time      `xmlrpc:"__last_update,omptempty"`
	Active              *Bool      `xmlrpc:"active,omptempty"`
	CampaignId          *Many2One  `xmlrpc:"campaign_id,omptempty"`
	City                *String    `xmlrpc:"city,omptempty"`
	CompanyId           *Many2One  `xmlrpc:"company_id,omptempty"`
	CountryId           *Many2One  `xmlrpc:"country_id,omptempty"`
	CreateDate          *Time      `xmlrpc:"create_date,omptempty"`
	DateClosed          *Time      `xmlrpc:"date_closed,omptempty"`
	DateConversion      *Time      `xmlrpc:"date_conversion,omptempty"`
	DateDeadline        *Time      `xmlrpc:"date_deadline,omptempty"`
	DateLastStageUpdate *Time      `xmlrpc:"date_last_stage_update,omptempty"`
	DelayClose          *Float     `xmlrpc:"delay_close,omptempty"`
	DelayExpected       *Float     `xmlrpc:"delay_expected,omptempty"`
	DelayOpen           *Float     `xmlrpc:"delay_open,omptempty"`
	DisplayName         *String    `xmlrpc:"display_name,omptempty"`
	ExpectedRevenue     *Float     `xmlrpc:"expected_revenue,omptempty"`
	Id                  *Int       `xmlrpc:"id,omptempty"`
	LostReason          *Many2One  `xmlrpc:"lost_reason,omptempty"`
	MediumId            *Many2One  `xmlrpc:"medium_id,omptempty"`
	NbrActivities       *Int       `xmlrpc:"nbr_activities,omptempty"`
	OpeningDate         *Time      `xmlrpc:"opening_date,omptempty"`
	PartnerId           *Many2One  `xmlrpc:"partner_id,omptempty"`
	Priority            *Selection `xmlrpc:"priority,omptempty"`
	Probability         *Float     `xmlrpc:"probability,omptempty"`
	SourceId            *Many2One  `xmlrpc:"source_id,omptempty"`
	StageId             *Many2One  `xmlrpc:"stage_id,omptempty"`
	StageName           *String    `xmlrpc:"stage_name,omptempty"`
	TeamId              *Many2One  `xmlrpc:"team_id,omptempty"`
	TotalRevenue        *Float     `xmlrpc:"total_revenue,omptempty"`
	Type                *Selection `xmlrpc:"type,omptempty"`
	UserId              *Many2One  `xmlrpc:"user_id,omptempty"`
}

CrmOpportunityReport represents crm.opportunity.report model.

func (*CrmOpportunityReport) Many2One

func (cor *CrmOpportunityReport) Many2One() *Many2One

Many2One convert CrmOpportunityReport to *Many2One.

type CrmOpportunityReports

type CrmOpportunityReports []CrmOpportunityReport

CrmOpportunityReports represents array of crm.opportunity.report model.

type CrmPartnerBinding

type CrmPartnerBinding struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	Action      *Selection `xmlrpc:"action,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	PartnerId   *Many2One  `xmlrpc:"partner_id,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

CrmPartnerBinding represents crm.partner.binding model.

func (*CrmPartnerBinding) Many2One

func (cpb *CrmPartnerBinding) Many2One() *Many2One

Many2One convert CrmPartnerBinding to *Many2One.

type CrmPartnerBindings

type CrmPartnerBindings []CrmPartnerBinding

CrmPartnerBindings represents array of crm.partner.binding model.

type CrmStage

type CrmStage struct {
	LastUpdate     *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate     *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String   `xmlrpc:"display_name,omptempty"`
	Fold           *Bool     `xmlrpc:"fold,omptempty"`
	Id             *Int      `xmlrpc:"id,omptempty"`
	LegendPriority *String   `xmlrpc:"legend_priority,omptempty"`
	Name           *String   `xmlrpc:"name,omptempty"`
	OnChange       *Bool     `xmlrpc:"on_change,omptempty"`
	Probability    *Float    `xmlrpc:"probability,omptempty"`
	Requirements   *String   `xmlrpc:"requirements,omptempty"`
	Sequence       *Int      `xmlrpc:"sequence,omptempty"`
	TeamId         *Many2One `xmlrpc:"team_id,omptempty"`
	WriteDate      *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One `xmlrpc:"write_uid,omptempty"`
}

CrmStage represents crm.stage model.

func (*CrmStage) Many2One

func (cs *CrmStage) Many2One() *Many2One

Many2One convert CrmStage to *Many2One.

type CrmStages

type CrmStages []CrmStage

CrmStages represents array of crm.stage model.

type CrmTeam

type CrmTeam struct {
	LastUpdate                   *Time      `xmlrpc:"__last_update,omptempty"`
	Active                       *Bool      `xmlrpc:"active,omptempty"`
	AliasContact                 *Selection `xmlrpc:"alias_contact,omptempty"`
	AliasDefaults                *String    `xmlrpc:"alias_defaults,omptempty"`
	AliasDomain                  *String    `xmlrpc:"alias_domain,omptempty"`
	AliasForceThreadId           *Int       `xmlrpc:"alias_force_thread_id,omptempty"`
	AliasId                      *Many2One  `xmlrpc:"alias_id,omptempty"`
	AliasModelId                 *Many2One  `xmlrpc:"alias_model_id,omptempty"`
	AliasName                    *String    `xmlrpc:"alias_name,omptempty"`
	AliasParentModelId           *Many2One  `xmlrpc:"alias_parent_model_id,omptempty"`
	AliasParentThreadId          *Int       `xmlrpc:"alias_parent_thread_id,omptempty"`
	AliasUserId                  *Many2One  `xmlrpc:"alias_user_id,omptempty"`
	Color                        *Int       `xmlrpc:"color,omptempty"`
	CompanyId                    *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate                   *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                    *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId                   *Many2One  `xmlrpc:"currency_id,omptempty"`
	DashboardButtonName          *String    `xmlrpc:"dashboard_button_name,omptempty"`
	DashboardGraphData           *String    `xmlrpc:"dashboard_graph_data,omptempty"`
	DashboardGraphGroup          *Selection `xmlrpc:"dashboard_graph_group,omptempty"`
	DashboardGraphGroupPipeline  *Selection `xmlrpc:"dashboard_graph_group_pipeline,omptempty"`
	DashboardGraphModel          *Selection `xmlrpc:"dashboard_graph_model,omptempty"`
	DashboardGraphPeriod         *Selection `xmlrpc:"dashboard_graph_period,omptempty"`
	DashboardGraphPeriodPipeline *Selection `xmlrpc:"dashboard_graph_period_pipeline,omptempty"`
	DashboardGraphType           *Selection `xmlrpc:"dashboard_graph_type,omptempty"`
	DisplayName                  *String    `xmlrpc:"display_name,omptempty"`
	FavoriteUserIds              *Relation  `xmlrpc:"favorite_user_ids,omptempty"`
	Id                           *Int       `xmlrpc:"id,omptempty"`
	Invoiced                     *Int       `xmlrpc:"invoiced,omptempty"`
	InvoicedTarget               *Int       `xmlrpc:"invoiced_target,omptempty"`
	IsFavorite                   *Bool      `xmlrpc:"is_favorite,omptempty"`
	MemberIds                    *Relation  `xmlrpc:"member_ids,omptempty"`
	MessageChannelIds            *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds           *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds                   *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower            *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost              *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction            *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter     *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds            *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread                *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter         *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                         *String    `xmlrpc:"name,omptempty"`
	OpportunitiesAmount          *Int       `xmlrpc:"opportunities_amount,omptempty"`
	OpportunitiesCount           *Int       `xmlrpc:"opportunities_count,omptempty"`
	QuotationsAmount             *Int       `xmlrpc:"quotations_amount,omptempty"`
	QuotationsCount              *Int       `xmlrpc:"quotations_count,omptempty"`
	ReplyTo                      *String    `xmlrpc:"reply_to,omptempty"`
	SalesToInvoiceCount          *Int       `xmlrpc:"sales_to_invoice_count,omptempty"`
	TeamType                     *Selection `xmlrpc:"team_type,omptempty"`
	UnassignedLeadsCount         *Int       `xmlrpc:"unassigned_leads_count,omptempty"`
	UseInvoices                  *Bool      `xmlrpc:"use_invoices,omptempty"`
	UseLeads                     *Bool      `xmlrpc:"use_leads,omptempty"`
	UseOpportunities             *Bool      `xmlrpc:"use_opportunities,omptempty"`
	UseQuotations                *Bool      `xmlrpc:"use_quotations,omptempty"`
	UserId                       *Many2One  `xmlrpc:"user_id,omptempty"`
	WebsiteMessageIds            *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                    *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                     *Many2One  `xmlrpc:"write_uid,omptempty"`
}

CrmTeam represents crm.team model.

func (*CrmTeam) Many2One

func (ct *CrmTeam) Many2One() *Many2One

Many2One convert CrmTeam to *Many2One.

type CrmTeams

type CrmTeams []CrmTeam

CrmTeams represents array of crm.team model.

type DecimalPrecision

type DecimalPrecision struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	Digits      *Int      `xmlrpc:"digits,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

DecimalPrecision represents decimal.precision model.

func (*DecimalPrecision) Many2One

func (dp *DecimalPrecision) Many2One() *Many2One

Many2One convert DecimalPrecision to *Many2One.

type DecimalPrecisions

type DecimalPrecisions []DecimalPrecision

DecimalPrecisions represents array of decimal.precision model.

type EmailTemplatePreview

type EmailTemplatePreview struct {
	LastUpdate          *Time      `xmlrpc:"__last_update,omptempty"`
	AttachmentIds       *Relation  `xmlrpc:"attachment_ids,omptempty"`
	AutoDelete          *Bool      `xmlrpc:"auto_delete,omptempty"`
	BodyHtml            *String    `xmlrpc:"body_html,omptempty"`
	Copyvalue           *String    `xmlrpc:"copyvalue,omptempty"`
	CreateDate          *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid           *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName         *String    `xmlrpc:"display_name,omptempty"`
	EmailCc             *String    `xmlrpc:"email_cc,omptempty"`
	EmailFrom           *String    `xmlrpc:"email_from,omptempty"`
	EmailTo             *String    `xmlrpc:"email_to,omptempty"`
	Id                  *Int       `xmlrpc:"id,omptempty"`
	Lang                *String    `xmlrpc:"lang,omptempty"`
	MailServerId        *Many2One  `xmlrpc:"mail_server_id,omptempty"`
	Model               *String    `xmlrpc:"model,omptempty"`
	ModelId             *Many2One  `xmlrpc:"model_id,omptempty"`
	ModelObjectField    *Many2One  `xmlrpc:"model_object_field,omptempty"`
	Name                *String    `xmlrpc:"name,omptempty"`
	NullValue           *String    `xmlrpc:"null_value,omptempty"`
	PartnerIds          *Relation  `xmlrpc:"partner_ids,omptempty"`
	PartnerTo           *String    `xmlrpc:"partner_to,omptempty"`
	RefIrActWindow      *Many2One  `xmlrpc:"ref_ir_act_window,omptempty"`
	ReplyTo             *String    `xmlrpc:"reply_to,omptempty"`
	ReportName          *String    `xmlrpc:"report_name,omptempty"`
	ReportTemplate      *Many2One  `xmlrpc:"report_template,omptempty"`
	ResId               *Selection `xmlrpc:"res_id,omptempty"`
	ScheduledDate       *String    `xmlrpc:"scheduled_date,omptempty"`
	SubModelObjectField *Many2One  `xmlrpc:"sub_model_object_field,omptempty"`
	SubObject           *Many2One  `xmlrpc:"sub_object,omptempty"`
	Subject             *String    `xmlrpc:"subject,omptempty"`
	UseDefaultTo        *Bool      `xmlrpc:"use_default_to,omptempty"`
	UserSignature       *Bool      `xmlrpc:"user_signature,omptempty"`
	WriteDate           *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid            *Many2One  `xmlrpc:"write_uid,omptempty"`
}

EmailTemplatePreview represents email_template.preview model.

func (*EmailTemplatePreview) Many2One

func (ep *EmailTemplatePreview) Many2One() *Many2One

Many2One convert EmailTemplatePreview to *Many2One.

type EmailTemplatePreviews

type EmailTemplatePreviews []EmailTemplatePreview

EmailTemplatePreviews represents array of email_template.preview model.

type FetchmailServer

type FetchmailServer struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	ActionId      *Many2One  `xmlrpc:"action_id,omptempty"`
	Active        *Bool      `xmlrpc:"active,omptempty"`
	Attach        *Bool      `xmlrpc:"attach,omptempty"`
	Configuration *String    `xmlrpc:"configuration,omptempty"`
	CreateDate    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One  `xmlrpc:"create_uid,omptempty"`
	Date          *Time      `xmlrpc:"date,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	IsSsl         *Bool      `xmlrpc:"is_ssl,omptempty"`
	MessageIds    *Relation  `xmlrpc:"message_ids,omptempty"`
	Name          *String    `xmlrpc:"name,omptempty"`
	ObjectId      *Many2One  `xmlrpc:"object_id,omptempty"`
	Original      *Bool      `xmlrpc:"original,omptempty"`
	Password      *String    `xmlrpc:"password,omptempty"`
	Port          *Int       `xmlrpc:"port,omptempty"`
	Priority      *Int       `xmlrpc:"priority,omptempty"`
	Script        *String    `xmlrpc:"script,omptempty"`
	Server        *String    `xmlrpc:"server,omptempty"`
	State         *Selection `xmlrpc:"state,omptempty"`
	Type          *Selection `xmlrpc:"type,omptempty"`
	User          *String    `xmlrpc:"user,omptempty"`
	WriteDate     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One  `xmlrpc:"write_uid,omptempty"`
}

FetchmailServer represents fetchmail.server model.

func (*FetchmailServer) Many2One

func (fs *FetchmailServer) Many2One() *Many2One

Many2One convert FetchmailServer to *Many2One.

type FetchmailServers

type FetchmailServers []FetchmailServer

FetchmailServers represents array of fetchmail.server model.

type Float

type Float struct {
	// contains filtered or unexported fields
}

Float is a float64 wrapper

func NewFloat

func NewFloat(v float64) *Float

NewFloat creates a new *Float.

func (*Float) Get

func (f *Float) Get() float64

Get *Float value.

type FormatAddressMixin

type FormatAddressMixin struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

FormatAddressMixin represents format.address.mixin model.

func (*FormatAddressMixin) Many2One

func (fam *FormatAddressMixin) Many2One() *Many2One

Many2One convert FormatAddressMixin to *Many2One.

type FormatAddressMixins

type FormatAddressMixins []FormatAddressMixin

FormatAddressMixins represents array of format.address.mixin model.

type HrDepartment

type HrDepartment struct {
	LastUpdate               *Time     `xmlrpc:"__last_update,omptempty"`
	AbsenceOfToday           *Int      `xmlrpc:"absence_of_today,omptempty"`
	Active                   *Bool     `xmlrpc:"active,omptempty"`
	AllocationToApproveCount *Int      `xmlrpc:"allocation_to_approve_count,omptempty"`
	ChildIds                 *Relation `xmlrpc:"child_ids,omptempty"`
	Color                    *Int      `xmlrpc:"color,omptempty"`
	CompanyId                *Many2One `xmlrpc:"company_id,omptempty"`
	CompleteName             *String   `xmlrpc:"complete_name,omptempty"`
	CreateDate               *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName              *String   `xmlrpc:"display_name,omptempty"`
	Id                       *Int      `xmlrpc:"id,omptempty"`
	JobsIds                  *Relation `xmlrpc:"jobs_ids,omptempty"`
	LeaveToApproveCount      *Int      `xmlrpc:"leave_to_approve_count,omptempty"`
	ManagerId                *Many2One `xmlrpc:"manager_id,omptempty"`
	MemberIds                *Relation `xmlrpc:"member_ids,omptempty"`
	MessageChannelIds        *Relation `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool     `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time     `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool     `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int      `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool     `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int      `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String   `xmlrpc:"name,omptempty"`
	Note                     *String   `xmlrpc:"note,omptempty"`
	ParentId                 *Many2One `xmlrpc:"parent_id,omptempty"`
	TotalEmployee            *Int      `xmlrpc:"total_employee,omptempty"`
	WebsiteMessageIds        *Relation `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One `xmlrpc:"write_uid,omptempty"`
}

HrDepartment represents hr.department model.

func (*HrDepartment) Many2One

func (hd *HrDepartment) Many2One() *Many2One

Many2One convert HrDepartment to *Many2One.

type HrDepartments

type HrDepartments []HrDepartment

HrDepartments represents array of hr.department model.

type HrEmployee

type HrEmployee struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	Active                   *Bool      `xmlrpc:"active,omptempty"`
	AddressHomeId            *Many2One  `xmlrpc:"address_home_id,omptempty"`
	AddressId                *Many2One  `xmlrpc:"address_id,omptempty"`
	BankAccountId            *Many2One  `xmlrpc:"bank_account_id,omptempty"`
	Birthday                 *Time      `xmlrpc:"birthday,omptempty"`
	CategoryIds              *Relation  `xmlrpc:"category_ids,omptempty"`
	ChildAllCount            *Int       `xmlrpc:"child_all_count,omptempty"`
	ChildIds                 *Relation  `xmlrpc:"child_ids,omptempty"`
	CoachId                  *Many2One  `xmlrpc:"coach_id,omptempty"`
	Color                    *Int       `xmlrpc:"color,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CountryId                *Many2One  `xmlrpc:"country_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId               *Many2One  `xmlrpc:"currency_id,omptempty"`
	CurrentLeaveId           *Many2One  `xmlrpc:"current_leave_id,omptempty"`
	CurrentLeaveState        *Selection `xmlrpc:"current_leave_state,omptempty"`
	DepartmentId             *Many2One  `xmlrpc:"department_id,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	Gender                   *Selection `xmlrpc:"gender,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	IdentificationId         *String    `xmlrpc:"identification_id,omptempty"`
	Image                    *String    `xmlrpc:"image,omptempty"`
	ImageMedium              *String    `xmlrpc:"image_medium,omptempty"`
	ImageSmall               *String    `xmlrpc:"image_small,omptempty"`
	IsAbsentTotay            *Bool      `xmlrpc:"is_absent_totay,omptempty"`
	IsAddressHomeACompany    *Bool      `xmlrpc:"is_address_home_a_company,omptempty"`
	JobId                    *Many2One  `xmlrpc:"job_id,omptempty"`
	LeaveDateFrom            *Time      `xmlrpc:"leave_date_from,omptempty"`
	LeaveDateTo              *Time      `xmlrpc:"leave_date_to,omptempty"`
	LeavesCount              *Float     `xmlrpc:"leaves_count,omptempty"`
	Marital                  *Selection `xmlrpc:"marital,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	MobilePhone              *String    `xmlrpc:"mobile_phone,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	Notes                    *String    `xmlrpc:"notes,omptempty"`
	ParentId                 *Many2One  `xmlrpc:"parent_id,omptempty"`
	PassportId               *String    `xmlrpc:"passport_id,omptempty"`
	PermitNo                 *String    `xmlrpc:"permit_no,omptempty"`
	RemainingLeaves          *Float     `xmlrpc:"remaining_leaves,omptempty"`
	ResourceCalendarId       *Many2One  `xmlrpc:"resource_calendar_id,omptempty"`
	ResourceId               *Many2One  `xmlrpc:"resource_id,omptempty"`
	ShowLeaves               *Bool      `xmlrpc:"show_leaves,omptempty"`
	Sinid                    *String    `xmlrpc:"sinid,omptempty"`
	Ssnid                    *String    `xmlrpc:"ssnid,omptempty"`
	TimesheetCost            *Float     `xmlrpc:"timesheet_cost,omptempty"`
	UserId                   *Many2One  `xmlrpc:"user_id,omptempty"`
	VisaExpire               *Time      `xmlrpc:"visa_expire,omptempty"`
	VisaNo                   *String    `xmlrpc:"visa_no,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WorkEmail                *String    `xmlrpc:"work_email,omptempty"`
	WorkLocation             *String    `xmlrpc:"work_location,omptempty"`
	WorkPhone                *String    `xmlrpc:"work_phone,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

HrEmployee represents hr.employee model.

func (*HrEmployee) Many2One

func (he *HrEmployee) Many2One() *Many2One

Many2One convert HrEmployee to *Many2One.

type HrEmployeeCategory

type HrEmployeeCategory struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Color       *Int      `xmlrpc:"color,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	EmployeeIds *Relation `xmlrpc:"employee_ids,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

HrEmployeeCategory represents hr.employee.category model.

func (*HrEmployeeCategory) Many2One

func (hec *HrEmployeeCategory) Many2One() *Many2One

Many2One convert HrEmployeeCategory to *Many2One.

type HrEmployeeCategorys

type HrEmployeeCategorys []HrEmployeeCategory

HrEmployeeCategorys represents array of hr.employee.category model.

type HrEmployees

type HrEmployees []HrEmployee

HrEmployees represents array of hr.employee model.

type HrHolidays

type HrHolidays struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	CanReset                 *Bool      `xmlrpc:"can_reset,omptempty"`
	CategoryId               *Many2One  `xmlrpc:"category_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom                 *Time      `xmlrpc:"date_from,omptempty"`
	DateTo                   *Time      `xmlrpc:"date_to,omptempty"`
	DepartmentId             *Many2One  `xmlrpc:"department_id,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	DoubleValidation         *Bool      `xmlrpc:"double_validation,omptempty"`
	EmployeeId               *Many2One  `xmlrpc:"employee_id,omptempty"`
	FirstApproverId          *Many2One  `xmlrpc:"first_approver_id,omptempty"`
	HolidayStatusId          *Many2One  `xmlrpc:"holiday_status_id,omptempty"`
	HolidayType              *Selection `xmlrpc:"holiday_type,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	LinkedRequestIds         *Relation  `xmlrpc:"linked_request_ids,omptempty"`
	ManagerId                *Many2One  `xmlrpc:"manager_id,omptempty"`
	MeetingId                *Many2One  `xmlrpc:"meeting_id,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	Notes                    *String    `xmlrpc:"notes,omptempty"`
	NumberOfDays             *Float     `xmlrpc:"number_of_days,omptempty"`
	NumberOfDaysTemp         *Float     `xmlrpc:"number_of_days_temp,omptempty"`
	ParentId                 *Many2One  `xmlrpc:"parent_id,omptempty"`
	PayslipStatus            *Bool      `xmlrpc:"payslip_status,omptempty"`
	ReportNote               *String    `xmlrpc:"report_note,omptempty"`
	SecondApproverId         *Many2One  `xmlrpc:"second_approver_id,omptempty"`
	State                    *Selection `xmlrpc:"state,omptempty"`
	TimesheetIds             *Relation  `xmlrpc:"timesheet_ids,omptempty"`
	Type                     *Selection `xmlrpc:"type,omptempty"`
	UserId                   *Many2One  `xmlrpc:"user_id,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

HrHolidays represents hr.holidays model.

func (*HrHolidays) Many2One

func (hh *HrHolidays) Many2One() *Many2One

Many2One convert HrHolidays to *Many2One.

type HrHolidaysRemainingLeavesUser

type HrHolidaysRemainingLeavesUser struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	LeaveType   *String   `xmlrpc:"leave_type,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	NoOfLeaves  *Int      `xmlrpc:"no_of_leaves,omptempty"`
	UserId      *Many2One `xmlrpc:"user_id,omptempty"`
}

HrHolidaysRemainingLeavesUser represents hr.holidays.remaining.leaves.user model.

func (*HrHolidaysRemainingLeavesUser) Many2One

func (hhrlu *HrHolidaysRemainingLeavesUser) Many2One() *Many2One

Many2One convert HrHolidaysRemainingLeavesUser to *Many2One.

type HrHolidaysRemainingLeavesUsers

type HrHolidaysRemainingLeavesUsers []HrHolidaysRemainingLeavesUser

HrHolidaysRemainingLeavesUsers represents array of hr.holidays.remaining.leaves.user model.

type HrHolidaysStatus

type HrHolidaysStatus struct {
	LastUpdate             *Time      `xmlrpc:"__last_update,omptempty"`
	Active                 *Bool      `xmlrpc:"active,omptempty"`
	CategId                *Many2One  `xmlrpc:"categ_id,omptempty"`
	ColorName              *Selection `xmlrpc:"color_name,omptempty"`
	CompanyId              *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName            *String    `xmlrpc:"display_name,omptempty"`
	DoubleValidation       *Bool      `xmlrpc:"double_validation,omptempty"`
	Id                     *Int       `xmlrpc:"id,omptempty"`
	LeavesTaken            *Float     `xmlrpc:"leaves_taken,omptempty"`
	Limit                  *Bool      `xmlrpc:"limit,omptempty"`
	MaxLeaves              *Float     `xmlrpc:"max_leaves,omptempty"`
	Name                   *String    `xmlrpc:"name,omptempty"`
	RemainingLeaves        *Float     `xmlrpc:"remaining_leaves,omptempty"`
	TimesheetGenerate      *Bool      `xmlrpc:"timesheet_generate,omptempty"`
	TimesheetProjectId     *Many2One  `xmlrpc:"timesheet_project_id,omptempty"`
	TimesheetTaskId        *Many2One  `xmlrpc:"timesheet_task_id,omptempty"`
	VirtualRemainingLeaves *Float     `xmlrpc:"virtual_remaining_leaves,omptempty"`
	WriteDate              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

HrHolidaysStatus represents hr.holidays.status model.

func (*HrHolidaysStatus) Many2One

func (hhs *HrHolidaysStatus) Many2One() *Many2One

Many2One convert HrHolidaysStatus to *Many2One.

type HrHolidaysStatuss

type HrHolidaysStatuss []HrHolidaysStatus

HrHolidaysStatuss represents array of hr.holidays.status model.

type HrHolidaysSummaryDept

type HrHolidaysSummaryDept struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom    *Time      `xmlrpc:"date_from,omptempty"`
	Depts       *Relation  `xmlrpc:"depts,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	HolidayType *Selection `xmlrpc:"holiday_type,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

HrHolidaysSummaryDept represents hr.holidays.summary.dept model.

func (*HrHolidaysSummaryDept) Many2One

func (hhsd *HrHolidaysSummaryDept) Many2One() *Many2One

Many2One convert HrHolidaysSummaryDept to *Many2One.

type HrHolidaysSummaryDepts

type HrHolidaysSummaryDepts []HrHolidaysSummaryDept

HrHolidaysSummaryDepts represents array of hr.holidays.summary.dept model.

type HrHolidaysSummaryEmployee

type HrHolidaysSummaryEmployee struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom    *Time      `xmlrpc:"date_from,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Emp         *Relation  `xmlrpc:"emp,omptempty"`
	HolidayType *Selection `xmlrpc:"holiday_type,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

HrHolidaysSummaryEmployee represents hr.holidays.summary.employee model.

func (*HrHolidaysSummaryEmployee) Many2One

func (hhse *HrHolidaysSummaryEmployee) Many2One() *Many2One

Many2One convert HrHolidaysSummaryEmployee to *Many2One.

type HrHolidaysSummaryEmployees

type HrHolidaysSummaryEmployees []HrHolidaysSummaryEmployee

HrHolidaysSummaryEmployees represents array of hr.holidays.summary.employee model.

type HrHolidayss

type HrHolidayss []HrHolidays

HrHolidayss represents array of hr.holidays model.

type HrJob

type HrJob struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	DepartmentId             *Many2One  `xmlrpc:"department_id,omptempty"`
	Description              *String    `xmlrpc:"description,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	EmployeeIds              *Relation  `xmlrpc:"employee_ids,omptempty"`
	ExpectedEmployees        *Int       `xmlrpc:"expected_employees,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	NoOfEmployee             *Int       `xmlrpc:"no_of_employee,omptempty"`
	NoOfHiredEmployee        *Int       `xmlrpc:"no_of_hired_employee,omptempty"`
	NoOfRecruitment          *Int       `xmlrpc:"no_of_recruitment,omptempty"`
	Requirements             *String    `xmlrpc:"requirements,omptempty"`
	State                    *Selection `xmlrpc:"state,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

HrJob represents hr.job model.

func (*HrJob) Many2One

func (hj *HrJob) Many2One() *Many2One

Many2One convert HrJob to *Many2One.

type HrJobs

type HrJobs []HrJob

HrJobs represents array of hr.job model.

type IapAccount

type IapAccount struct {
	LastUpdate   *Time     `xmlrpc:"__last_update,omptempty"`
	AccountToken *String   `xmlrpc:"account_token,omptempty"`
	CompanyId    *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate   *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName  *String   `xmlrpc:"display_name,omptempty"`
	Id           *Int      `xmlrpc:"id,omptempty"`
	ServiceName  *String   `xmlrpc:"service_name,omptempty"`
	WriteDate    *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One `xmlrpc:"write_uid,omptempty"`
}

IapAccount represents iap.account model.

func (*IapAccount) Many2One

func (ia *IapAccount) Many2One() *Many2One

Many2One convert IapAccount to *Many2One.

type IapAccounts

type IapAccounts []IapAccount

IapAccounts represents array of iap.account model.

type ImLivechatChannel

type ImLivechatChannel struct {
	LastUpdate                   *Time     `xmlrpc:"__last_update,omptempty"`
	AreYouInside                 *Bool     `xmlrpc:"are_you_inside,omptempty"`
	ButtonText                   *String   `xmlrpc:"button_text,omptempty"`
	ChannelIds                   *Relation `xmlrpc:"channel_ids,omptempty"`
	CreateDate                   *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                    *Many2One `xmlrpc:"create_uid,omptempty"`
	DefaultMessage               *String   `xmlrpc:"default_message,omptempty"`
	DisplayName                  *String   `xmlrpc:"display_name,omptempty"`
	Id                           *Int      `xmlrpc:"id,omptempty"`
	Image                        *String   `xmlrpc:"image,omptempty"`
	ImageMedium                  *String   `xmlrpc:"image_medium,omptempty"`
	ImageSmall                   *String   `xmlrpc:"image_small,omptempty"`
	InputPlaceholder             *String   `xmlrpc:"input_placeholder,omptempty"`
	Name                         *String   `xmlrpc:"name,omptempty"`
	NbrChannel                   *Int      `xmlrpc:"nbr_channel,omptempty"`
	RatingPercentageSatisfaction *Int      `xmlrpc:"rating_percentage_satisfaction,omptempty"`
	RuleIds                      *Relation `xmlrpc:"rule_ids,omptempty"`
	ScriptExternal               *String   `xmlrpc:"script_external,omptempty"`
	UserIds                      *Relation `xmlrpc:"user_ids,omptempty"`
	WebPage                      *String   `xmlrpc:"web_page,omptempty"`
	WriteDate                    *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                     *Many2One `xmlrpc:"write_uid,omptempty"`
}

ImLivechatChannel represents im_livechat.channel model.

func (*ImLivechatChannel) Many2One

func (ic *ImLivechatChannel) Many2One() *Many2One

Many2One convert ImLivechatChannel to *Many2One.

type ImLivechatChannelRule

type ImLivechatChannelRule struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	Action         *Selection `xmlrpc:"action,omptempty"`
	AutoPopupTimer *Int       `xmlrpc:"auto_popup_timer,omptempty"`
	ChannelId      *Many2One  `xmlrpc:"channel_id,omptempty"`
	CountryIds     *Relation  `xmlrpc:"country_ids,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	RegexUrl       *String    `xmlrpc:"regex_url,omptempty"`
	Sequence       *Int       `xmlrpc:"sequence,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ImLivechatChannelRule represents im_livechat.channel.rule model.

func (*ImLivechatChannelRule) Many2One

func (icr *ImLivechatChannelRule) Many2One() *Many2One

Many2One convert ImLivechatChannelRule to *Many2One.

type ImLivechatChannelRules

type ImLivechatChannelRules []ImLivechatChannelRule

ImLivechatChannelRules represents array of im_livechat.channel.rule model.

type ImLivechatChannels

type ImLivechatChannels []ImLivechatChannel

ImLivechatChannels represents array of im_livechat.channel model.

type ImLivechatReportChannel

type ImLivechatReportChannel struct {
	LastUpdate        *Time     `xmlrpc:"__last_update,omptempty"`
	ChannelId         *Many2One `xmlrpc:"channel_id,omptempty"`
	ChannelName       *String   `xmlrpc:"channel_name,omptempty"`
	DisplayName       *String   `xmlrpc:"display_name,omptempty"`
	Duration          *Float    `xmlrpc:"duration,omptempty"`
	Id                *Int      `xmlrpc:"id,omptempty"`
	LivechatChannelId *Many2One `xmlrpc:"livechat_channel_id,omptempty"`
	NbrMessage        *Int      `xmlrpc:"nbr_message,omptempty"`
	NbrSpeaker        *Int      `xmlrpc:"nbr_speaker,omptempty"`
	PartnerId         *Many2One `xmlrpc:"partner_id,omptempty"`
	StartDate         *Time     `xmlrpc:"start_date,omptempty"`
	StartDateHour     *String   `xmlrpc:"start_date_hour,omptempty"`
	TechnicalName     *String   `xmlrpc:"technical_name,omptempty"`
	Uuid              *String   `xmlrpc:"uuid,omptempty"`
}

ImLivechatReportChannel represents im_livechat.report.channel model.

func (*ImLivechatReportChannel) Many2One

func (irc *ImLivechatReportChannel) Many2One() *Many2One

Many2One convert ImLivechatReportChannel to *Many2One.

type ImLivechatReportChannels

type ImLivechatReportChannels []ImLivechatReportChannel

ImLivechatReportChannels represents array of im_livechat.report.channel model.

type ImLivechatReportOperator

type ImLivechatReportOperator struct {
	LastUpdate        *Time     `xmlrpc:"__last_update,omptempty"`
	ChannelId         *Many2One `xmlrpc:"channel_id,omptempty"`
	DisplayName       *String   `xmlrpc:"display_name,omptempty"`
	Duration          *Float    `xmlrpc:"duration,omptempty"`
	Id                *Int      `xmlrpc:"id,omptempty"`
	LivechatChannelId *Many2One `xmlrpc:"livechat_channel_id,omptempty"`
	NbrChannel        *Int      `xmlrpc:"nbr_channel,omptempty"`
	PartnerId         *Many2One `xmlrpc:"partner_id,omptempty"`
	StartDate         *Time     `xmlrpc:"start_date,omptempty"`
	TimeToAnswer      *Float    `xmlrpc:"time_to_answer,omptempty"`
}

ImLivechatReportOperator represents im_livechat.report.operator model.

func (*ImLivechatReportOperator) Many2One

func (iro *ImLivechatReportOperator) Many2One() *Many2One

Many2One convert ImLivechatReportOperator to *Many2One.

type ImLivechatReportOperators

type ImLivechatReportOperators []ImLivechatReportOperator

ImLivechatReportOperators represents array of im_livechat.report.operator model.

type Int

type Int struct {
	// contains filtered or unexported fields
}

Int is an int64 wrapper

func NewInt

func NewInt(v int64) *Int

NewInt creates a new *Int.

func (*Int) Get

func (i *Int) Get() int64

Get *Int value.

type IrActionsActUrl

type IrActionsActUrl struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	BindingModelId *Many2One  `xmlrpc:"binding_model_id,omptempty"`
	BindingType    *Selection `xmlrpc:"binding_type,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Help           *String    `xmlrpc:"help,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	Target         *Selection `xmlrpc:"target,omptempty"`
	Type           *String    `xmlrpc:"type,omptempty"`
	Url            *String    `xmlrpc:"url,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
	XmlId          *String    `xmlrpc:"xml_id,omptempty"`
}

IrActionsActUrl represents ir.actions.act_url model.

func (*IrActionsActUrl) Many2One

func (iaa *IrActionsActUrl) Many2One() *Many2One

Many2One convert IrActionsActUrl to *Many2One.

type IrActionsActUrls

type IrActionsActUrls []IrActionsActUrl

IrActionsActUrls represents array of ir.actions.act_url model.

type IrActionsActWindow

type IrActionsActWindow struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	AutoSearch     *Bool      `xmlrpc:"auto_search,omptempty"`
	BindingModelId *Many2One  `xmlrpc:"binding_model_id,omptempty"`
	BindingType    *Selection `xmlrpc:"binding_type,omptempty"`
	Context        *String    `xmlrpc:"context,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Domain         *String    `xmlrpc:"domain,omptempty"`
	Filter         *Bool      `xmlrpc:"filter,omptempty"`
	GroupsId       *Relation  `xmlrpc:"groups_id,omptempty"`
	Help           *String    `xmlrpc:"help,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Limit          *Int       `xmlrpc:"limit,omptempty"`
	Multi          *Bool      `xmlrpc:"multi,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	ResId          *Int       `xmlrpc:"res_id,omptempty"`
	ResModel       *String    `xmlrpc:"res_model,omptempty"`
	SearchView     *String    `xmlrpc:"search_view,omptempty"`
	SearchViewId   *Many2One  `xmlrpc:"search_view_id,omptempty"`
	SrcModel       *String    `xmlrpc:"src_model,omptempty"`
	Target         *Selection `xmlrpc:"target,omptempty"`
	Type           *String    `xmlrpc:"type,omptempty"`
	Usage          *String    `xmlrpc:"usage,omptempty"`
	ViewId         *Many2One  `xmlrpc:"view_id,omptempty"`
	ViewIds        *Relation  `xmlrpc:"view_ids,omptempty"`
	ViewMode       *String    `xmlrpc:"view_mode,omptempty"`
	ViewType       *Selection `xmlrpc:"view_type,omptempty"`
	Views          *String    `xmlrpc:"views,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
	XmlId          *String    `xmlrpc:"xml_id,omptempty"`
}

IrActionsActWindow represents ir.actions.act_window model.

func (*IrActionsActWindow) Many2One

func (iaa *IrActionsActWindow) Many2One() *Many2One

Many2One convert IrActionsActWindow to *Many2One.

type IrActionsActWindowClose

type IrActionsActWindowClose struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	BindingModelId *Many2One  `xmlrpc:"binding_model_id,omptempty"`
	BindingType    *Selection `xmlrpc:"binding_type,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Help           *String    `xmlrpc:"help,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	Type           *String    `xmlrpc:"type,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
	XmlId          *String    `xmlrpc:"xml_id,omptempty"`
}

IrActionsActWindowClose represents ir.actions.act_window_close model.

func (*IrActionsActWindowClose) Many2One

func (iaa *IrActionsActWindowClose) Many2One() *Many2One

Many2One convert IrActionsActWindowClose to *Many2One.

type IrActionsActWindowCloses

type IrActionsActWindowCloses []IrActionsActWindowClose

IrActionsActWindowCloses represents array of ir.actions.act_window_close model.

type IrActionsActWindowView

type IrActionsActWindowView struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	ActWindowId *Many2One  `xmlrpc:"act_window_id,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Multi       *Bool      `xmlrpc:"multi,omptempty"`
	Sequence    *Int       `xmlrpc:"sequence,omptempty"`
	ViewId      *Many2One  `xmlrpc:"view_id,omptempty"`
	ViewMode    *Selection `xmlrpc:"view_mode,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrActionsActWindowView represents ir.actions.act_window.view model.

func (*IrActionsActWindowView) Many2One

func (iaav *IrActionsActWindowView) Many2One() *Many2One

Many2One convert IrActionsActWindowView to *Many2One.

type IrActionsActWindowViews

type IrActionsActWindowViews []IrActionsActWindowView

IrActionsActWindowViews represents array of ir.actions.act_window.view model.

type IrActionsActWindows

type IrActionsActWindows []IrActionsActWindow

IrActionsActWindows represents array of ir.actions.act_window model.

type IrActionsActions

type IrActionsActions struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	BindingModelId *Many2One  `xmlrpc:"binding_model_id,omptempty"`
	BindingType    *Selection `xmlrpc:"binding_type,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Help           *String    `xmlrpc:"help,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	Type           *String    `xmlrpc:"type,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
	XmlId          *String    `xmlrpc:"xml_id,omptempty"`
}

IrActionsActions represents ir.actions.actions model.

func (*IrActionsActions) Many2One

func (iaa *IrActionsActions) Many2One() *Many2One

Many2One convert IrActionsActions to *Many2One.

type IrActionsActionss

type IrActionsActionss []IrActionsActions

IrActionsActionss represents array of ir.actions.actions model.

type IrActionsClient

type IrActionsClient struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	BindingModelId *Many2One  `xmlrpc:"binding_model_id,omptempty"`
	BindingType    *Selection `xmlrpc:"binding_type,omptempty"`
	Context        *String    `xmlrpc:"context,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Help           *String    `xmlrpc:"help,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	Params         *String    `xmlrpc:"params,omptempty"`
	ParamsStore    *String    `xmlrpc:"params_store,omptempty"`
	ResModel       *String    `xmlrpc:"res_model,omptempty"`
	Tag            *String    `xmlrpc:"tag,omptempty"`
	Target         *Selection `xmlrpc:"target,omptempty"`
	Type           *String    `xmlrpc:"type,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
	XmlId          *String    `xmlrpc:"xml_id,omptempty"`
}

IrActionsClient represents ir.actions.client model.

func (*IrActionsClient) Many2One

func (iac *IrActionsClient) Many2One() *Many2One

Many2One convert IrActionsClient to *Many2One.

type IrActionsClients

type IrActionsClients []IrActionsClient

IrActionsClients represents array of ir.actions.client model.

type IrActionsReport

type IrActionsReport struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	Attachment      *String    `xmlrpc:"attachment,omptempty"`
	AttachmentUse   *Bool      `xmlrpc:"attachment_use,omptempty"`
	BindingModelId  *Many2One  `xmlrpc:"binding_model_id,omptempty"`
	BindingType     *Selection `xmlrpc:"binding_type,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	GroupsId        *Relation  `xmlrpc:"groups_id,omptempty"`
	Help            *String    `xmlrpc:"help,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	Model           *String    `xmlrpc:"model,omptempty"`
	Multi           *Bool      `xmlrpc:"multi,omptempty"`
	Name            *String    `xmlrpc:"name,omptempty"`
	PaperformatId   *Many2One  `xmlrpc:"paperformat_id,omptempty"`
	PrintReportName *String    `xmlrpc:"print_report_name,omptempty"`
	ReportFile      *String    `xmlrpc:"report_file,omptempty"`
	ReportName      *String    `xmlrpc:"report_name,omptempty"`
	ReportType      *Selection `xmlrpc:"report_type,omptempty"`
	Type            *String    `xmlrpc:"type,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
	XmlId           *String    `xmlrpc:"xml_id,omptempty"`
}

IrActionsReport represents ir.actions.report model.

func (*IrActionsReport) Many2One

func (iar *IrActionsReport) Many2One() *Many2One

Many2One convert IrActionsReport to *Many2One.

type IrActionsReports

type IrActionsReports []IrActionsReport

IrActionsReports represents array of ir.actions.report model.

type IrActionsServer

type IrActionsServer struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	BindingModelId *Many2One  `xmlrpc:"binding_model_id,omptempty"`
	BindingType    *Selection `xmlrpc:"binding_type,omptempty"`
	ChannelIds     *Relation  `xmlrpc:"channel_ids,omptempty"`
	ChildIds       *Relation  `xmlrpc:"child_ids,omptempty"`
	Code           *String    `xmlrpc:"code,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	CrudModelId    *Many2One  `xmlrpc:"crud_model_id,omptempty"`
	CrudModelName  *String    `xmlrpc:"crud_model_name,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	FieldsLines    *Relation  `xmlrpc:"fields_lines,omptempty"`
	Help           *String    `xmlrpc:"help,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	LinkFieldId    *Many2One  `xmlrpc:"link_field_id,omptempty"`
	ModelId        *Many2One  `xmlrpc:"model_id,omptempty"`
	ModelName      *String    `xmlrpc:"model_name,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	PartnerIds     *Relation  `xmlrpc:"partner_ids,omptempty"`
	Sequence       *Int       `xmlrpc:"sequence,omptempty"`
	State          *Selection `xmlrpc:"state,omptempty"`
	TemplateId     *Many2One  `xmlrpc:"template_id,omptempty"`
	Type           *String    `xmlrpc:"type,omptempty"`
	Usage          *Selection `xmlrpc:"usage,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
	XmlId          *String    `xmlrpc:"xml_id,omptempty"`
}

IrActionsServer represents ir.actions.server model.

func (*IrActionsServer) Many2One

func (ias *IrActionsServer) Many2One() *Many2One

Many2One convert IrActionsServer to *Many2One.

type IrActionsServers

type IrActionsServers []IrActionsServer

IrActionsServers represents array of ir.actions.server model.

type IrActionsTodo

type IrActionsTodo struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	ActionId    *Many2One  `xmlrpc:"action_id,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	Sequence    *Int       `xmlrpc:"sequence,omptempty"`
	State       *Selection `xmlrpc:"state,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrActionsTodo represents ir.actions.todo model.

func (*IrActionsTodo) Many2One

func (iat *IrActionsTodo) Many2One() *Many2One

Many2One convert IrActionsTodo to *Many2One.

type IrActionsTodos

type IrActionsTodos []IrActionsTodo

IrActionsTodos represents array of ir.actions.todo model.

type IrAttachment

type IrAttachment struct {
	LastUpdate   *Time      `xmlrpc:"__last_update,omptempty"`
	AccessToken  *String    `xmlrpc:"access_token,omptempty"`
	Checksum     *String    `xmlrpc:"checksum,omptempty"`
	CompanyId    *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate   *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One  `xmlrpc:"create_uid,omptempty"`
	Datas        *String    `xmlrpc:"datas,omptempty"`
	DatasFname   *String    `xmlrpc:"datas_fname,omptempty"`
	DbDatas      *String    `xmlrpc:"db_datas,omptempty"`
	Description  *String    `xmlrpc:"description,omptempty"`
	DisplayName  *String    `xmlrpc:"display_name,omptempty"`
	FileSize     *Int       `xmlrpc:"file_size,omptempty"`
	Id           *Int       `xmlrpc:"id,omptempty"`
	IndexContent *String    `xmlrpc:"index_content,omptempty"`
	LocalUrl     *String    `xmlrpc:"local_url,omptempty"`
	Mimetype     *String    `xmlrpc:"mimetype,omptempty"`
	Name         *String    `xmlrpc:"name,omptempty"`
	Public       *Bool      `xmlrpc:"public,omptempty"`
	ResField     *String    `xmlrpc:"res_field,omptempty"`
	ResId        *Int       `xmlrpc:"res_id,omptempty"`
	ResModel     *String    `xmlrpc:"res_model,omptempty"`
	ResName      *String    `xmlrpc:"res_name,omptempty"`
	StoreFname   *String    `xmlrpc:"store_fname,omptempty"`
	Type         *Selection `xmlrpc:"type,omptempty"`
	Url          *String    `xmlrpc:"url,omptempty"`
	WriteDate    *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrAttachment represents ir.attachment model.

func (*IrAttachment) Many2One

func (ia *IrAttachment) Many2One() *Many2One

Many2One convert IrAttachment to *Many2One.

type IrAttachments

type IrAttachments []IrAttachment

IrAttachments represents array of ir.attachment model.

type IrAutovacuum

type IrAutovacuum struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrAutovacuum represents ir.autovacuum model.

func (*IrAutovacuum) Many2One

func (ia *IrAutovacuum) Many2One() *Many2One

Many2One convert IrAutovacuum to *Many2One.

type IrAutovacuums

type IrAutovacuums []IrAutovacuum

IrAutovacuums represents array of ir.autovacuum model.

type IrConfigParameter

type IrConfigParameter struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Key         *String   `xmlrpc:"key,omptempty"`
	Value       *String   `xmlrpc:"value,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrConfigParameter represents ir.config_parameter model.

func (*IrConfigParameter) Many2One

func (ic *IrConfigParameter) Many2One() *Many2One

Many2One convert IrConfigParameter to *Many2One.

type IrConfigParameters

type IrConfigParameters []IrConfigParameter

IrConfigParameters represents array of ir.config_parameter model.

type IrCron

type IrCron struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	Active            *Bool      `xmlrpc:"active,omptempty"`
	BindingModelId    *Many2One  `xmlrpc:"binding_model_id,omptempty"`
	BindingType       *Selection `xmlrpc:"binding_type,omptempty"`
	ChildIds          *Relation  `xmlrpc:"child_ids,omptempty"`
	Code              *String    `xmlrpc:"code,omptempty"`
	CreateDate        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One  `xmlrpc:"create_uid,omptempty"`
	CronName          *String    `xmlrpc:"cron_name,omptempty"`
	CrudModelId       *Many2One  `xmlrpc:"crud_model_id,omptempty"`
	CrudModelName     *String    `xmlrpc:"crud_model_name,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	Doall             *Bool      `xmlrpc:"doall,omptempty"`
	FieldsLines       *Relation  `xmlrpc:"fields_lines,omptempty"`
	Help              *String    `xmlrpc:"help,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	IntervalNumber    *Int       `xmlrpc:"interval_number,omptempty"`
	IntervalType      *Selection `xmlrpc:"interval_type,omptempty"`
	IrActionsServerId *Many2One  `xmlrpc:"ir_actions_server_id,omptempty"`
	LinkFieldId       *Many2One  `xmlrpc:"link_field_id,omptempty"`
	ModelId           *Many2One  `xmlrpc:"model_id,omptempty"`
	ModelName         *String    `xmlrpc:"model_name,omptempty"`
	Name              *String    `xmlrpc:"name,omptempty"`
	Nextcall          *Time      `xmlrpc:"nextcall,omptempty"`
	Numbercall        *Int       `xmlrpc:"numbercall,omptempty"`
	Priority          *Int       `xmlrpc:"priority,omptempty"`
	Sequence          *Int       `xmlrpc:"sequence,omptempty"`
	State             *Selection `xmlrpc:"state,omptempty"`
	Type              *String    `xmlrpc:"type,omptempty"`
	Usage             *Selection `xmlrpc:"usage,omptempty"`
	UserId            *Many2One  `xmlrpc:"user_id,omptempty"`
	WriteDate         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One  `xmlrpc:"write_uid,omptempty"`
	XmlId             *String    `xmlrpc:"xml_id,omptempty"`
}

IrCron represents ir.cron model.

func (*IrCron) Many2One

func (ic *IrCron) Many2One() *Many2One

Many2One convert IrCron to *Many2One.

type IrCrons

type IrCrons []IrCron

IrCrons represents array of ir.cron model.

type IrDefault

type IrDefault struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyId   *Many2One `xmlrpc:"company_id,omptempty"`
	Condition   *String   `xmlrpc:"condition,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	FieldId     *Many2One `xmlrpc:"field_id,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	JsonValue   *String   `xmlrpc:"json_value,omptempty"`
	UserId      *Many2One `xmlrpc:"user_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrDefault represents ir.default model.

func (*IrDefault) Many2One

func (ID *IrDefault) Many2One() *Many2One

Many2One convert IrDefault to *Many2One.

type IrDefaults

type IrDefaults []IrDefault

IrDefaults represents array of ir.default model.

type IrExports

type IrExports struct {
	LastUpdate   *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate   *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName  *String   `xmlrpc:"display_name,omptempty"`
	ExportFields *Relation `xmlrpc:"export_fields,omptempty"`
	Id           *Int      `xmlrpc:"id,omptempty"`
	Name         *String   `xmlrpc:"name,omptempty"`
	Resource     *String   `xmlrpc:"resource,omptempty"`
	WriteDate    *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrExports represents ir.exports model.

func (*IrExports) Many2One

func (ie *IrExports) Many2One() *Many2One

Many2One convert IrExports to *Many2One.

type IrExportsLine

type IrExportsLine struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	ExportId    *Many2One `xmlrpc:"export_id,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrExportsLine represents ir.exports.line model.

func (*IrExportsLine) Many2One

func (iel *IrExportsLine) Many2One() *Many2One

Many2One convert IrExportsLine to *Many2One.

type IrExportsLines

type IrExportsLines []IrExportsLine

IrExportsLines represents array of ir.exports.line model.

type IrExportss

type IrExportss []IrExports

IrExportss represents array of ir.exports model.

type IrFieldsConverter

type IrFieldsConverter struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrFieldsConverter represents ir.fields.converter model.

func (*IrFieldsConverter) Many2One

func (ifc *IrFieldsConverter) Many2One() *Many2One

Many2One convert IrFieldsConverter to *Many2One.

type IrFieldsConverters

type IrFieldsConverters []IrFieldsConverter

IrFieldsConverters represents array of ir.fields.converter model.

type IrFilters

type IrFilters struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	ActionId    *Many2One  `xmlrpc:"action_id,omptempty"`
	Active      *Bool      `xmlrpc:"active,omptempty"`
	Context     *String    `xmlrpc:"context,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Domain      *String    `xmlrpc:"domain,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	IsDefault   *Bool      `xmlrpc:"is_default,omptempty"`
	ModelId     *Selection `xmlrpc:"model_id,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	Sort        *String    `xmlrpc:"sort,omptempty"`
	UserId      *Many2One  `xmlrpc:"user_id,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrFilters represents ir.filters model.

func (*IrFilters) Many2One

func (IF *IrFilters) Many2One() *Many2One

Many2One convert IrFilters to *Many2One.

type IrFilterss

type IrFilterss []IrFilters

IrFilterss represents array of ir.filters model.

type IrHttp

type IrHttp struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrHttp represents ir.http model.

func (*IrHttp) Many2One

func (ih *IrHttp) Many2One() *Many2One

Many2One convert IrHttp to *Many2One.

type IrHttps

type IrHttps []IrHttp

IrHttps represents array of ir.http model.

type IrLogging

type IrLogging struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Int       `xmlrpc:"create_uid,omptempty"`
	Dbname      *String    `xmlrpc:"dbname,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Func        *String    `xmlrpc:"func,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Level       *String    `xmlrpc:"level,omptempty"`
	Line        *String    `xmlrpc:"line,omptempty"`
	Message     *String    `xmlrpc:"message,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	Path        *String    `xmlrpc:"path,omptempty"`
	Type        *Selection `xmlrpc:"type,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Int       `xmlrpc:"write_uid,omptempty"`
}

IrLogging represents ir.logging model.

func (*IrLogging) Many2One

func (il *IrLogging) Many2One() *Many2One

Many2One convert IrLogging to *Many2One.

type IrLoggings

type IrLoggings []IrLogging

IrLoggings represents array of ir.logging model.

type IrMailServer

type IrMailServer struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	Active         *Bool      `xmlrpc:"active,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	Sequence       *Int       `xmlrpc:"sequence,omptempty"`
	SmtpDebug      *Bool      `xmlrpc:"smtp_debug,omptempty"`
	SmtpEncryption *Selection `xmlrpc:"smtp_encryption,omptempty"`
	SmtpHost       *String    `xmlrpc:"smtp_host,omptempty"`
	SmtpPass       *String    `xmlrpc:"smtp_pass,omptempty"`
	SmtpPort       *Int       `xmlrpc:"smtp_port,omptempty"`
	SmtpUser       *String    `xmlrpc:"smtp_user,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrMailServer represents ir.mail_server model.

func (*IrMailServer) Many2One

func (im *IrMailServer) Many2One() *Many2One

Many2One convert IrMailServer to *Many2One.

type IrMailServers

type IrMailServers []IrMailServer

IrMailServers represents array of ir.mail_server model.

type IrModel

type IrModel struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	AccessIds         *Relation  `xmlrpc:"access_ids,omptempty"`
	Count             *Int       `xmlrpc:"count,omptempty"`
	CreateDate        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	FieldId           *Relation  `xmlrpc:"field_id,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	Info              *String    `xmlrpc:"info,omptempty"`
	InheritedModelIds *Relation  `xmlrpc:"inherited_model_ids,omptempty"`
	IsMailThread      *Bool      `xmlrpc:"is_mail_thread,omptempty"`
	Model             *String    `xmlrpc:"model,omptempty"`
	Modules           *String    `xmlrpc:"modules,omptempty"`
	Name              *String    `xmlrpc:"name,omptempty"`
	State             *Selection `xmlrpc:"state,omptempty"`
	Transient         *Bool      `xmlrpc:"transient,omptempty"`
	ViewIds           *Relation  `xmlrpc:"view_ids,omptempty"`
	WriteDate         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrModel represents ir.model model.

func (*IrModel) Many2One

func (im *IrModel) Many2One() *Many2One

Many2One convert IrModel to *Many2One.

type IrModelAccess

type IrModelAccess struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	GroupId     *Many2One `xmlrpc:"group_id,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	ModelId     *Many2One `xmlrpc:"model_id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	PermCreate  *Bool     `xmlrpc:"perm_create,omptempty"`
	PermRead    *Bool     `xmlrpc:"perm_read,omptempty"`
	PermUnlink  *Bool     `xmlrpc:"perm_unlink,omptempty"`
	PermWrite   *Bool     `xmlrpc:"perm_write,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrModelAccess represents ir.model.access model.

func (*IrModelAccess) Many2One

func (ima *IrModelAccess) Many2One() *Many2One

Many2One convert IrModelAccess to *Many2One.

type IrModelAccesss

type IrModelAccesss []IrModelAccess

IrModelAccesss represents array of ir.model.access model.

type IrModelConstraint

type IrModelConstraint struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DateInit    *Time     `xmlrpc:"date_init,omptempty"`
	DateUpdate  *Time     `xmlrpc:"date_update,omptempty"`
	Definition  *String   `xmlrpc:"definition,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Model       *Many2One `xmlrpc:"model,omptempty"`
	Module      *Many2One `xmlrpc:"module,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Type        *String   `xmlrpc:"type,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrModelConstraint represents ir.model.constraint model.

func (*IrModelConstraint) Many2One

func (imc *IrModelConstraint) Many2One() *Many2One

Many2One convert IrModelConstraint to *Many2One.

type IrModelConstraints

type IrModelConstraints []IrModelConstraint

IrModelConstraints represents array of ir.model.constraint model.

type IrModelData

type IrModelData struct {
	LastUpdate   *Time     `xmlrpc:"__last_update,omptempty"`
	CompleteName *String   `xmlrpc:"complete_name,omptempty"`
	CreateDate   *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One `xmlrpc:"create_uid,omptempty"`
	DateInit     *Time     `xmlrpc:"date_init,omptempty"`
	DateUpdate   *Time     `xmlrpc:"date_update,omptempty"`
	DisplayName  *String   `xmlrpc:"display_name,omptempty"`
	Id           *Int      `xmlrpc:"id,omptempty"`
	Model        *String   `xmlrpc:"model,omptempty"`
	Module       *String   `xmlrpc:"module,omptempty"`
	Name         *String   `xmlrpc:"name,omptempty"`
	Noupdate     *Bool     `xmlrpc:"noupdate,omptempty"`
	Reference    *String   `xmlrpc:"reference,omptempty"`
	ResId        *Int      `xmlrpc:"res_id,omptempty"`
	WriteDate    *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrModelData represents ir.model.data model.

func (*IrModelData) Many2One

func (imd *IrModelData) Many2One() *Many2One

Many2One convert IrModelData to *Many2One.

type IrModelDatas

type IrModelDatas []IrModelData

IrModelDatas represents array of ir.model.data model.

type IrModelFields

type IrModelFields struct {
	LastUpdate       *Time      `xmlrpc:"__last_update,omptempty"`
	Column1          *String    `xmlrpc:"column1,omptempty"`
	Column2          *String    `xmlrpc:"column2,omptempty"`
	CompleteName     *String    `xmlrpc:"complete_name,omptempty"`
	Compute          *String    `xmlrpc:"compute,omptempty"`
	Copy             *Bool      `xmlrpc:"copy,omptempty"`
	CreateDate       *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One  `xmlrpc:"create_uid,omptempty"`
	Depends          *String    `xmlrpc:"depends,omptempty"`
	DisplayName      *String    `xmlrpc:"display_name,omptempty"`
	Domain           *String    `xmlrpc:"domain,omptempty"`
	FieldDescription *String    `xmlrpc:"field_description,omptempty"`
	Groups           *Relation  `xmlrpc:"groups,omptempty"`
	Help             *String    `xmlrpc:"help,omptempty"`
	Id               *Int       `xmlrpc:"id,omptempty"`
	Index            *Bool      `xmlrpc:"index,omptempty"`
	Model            *String    `xmlrpc:"model,omptempty"`
	ModelId          *Many2One  `xmlrpc:"model_id,omptempty"`
	Modules          *String    `xmlrpc:"modules,omptempty"`
	Name             *String    `xmlrpc:"name,omptempty"`
	OnDelete         *Selection `xmlrpc:"on_delete,omptempty"`
	Readonly         *Bool      `xmlrpc:"readonly,omptempty"`
	Related          *String    `xmlrpc:"related,omptempty"`
	Relation         *String    `xmlrpc:"relation,omptempty"`
	RelationField    *String    `xmlrpc:"relation_field,omptempty"`
	RelationTable    *String    `xmlrpc:"relation_table,omptempty"`
	Required         *Bool      `xmlrpc:"required,omptempty"`
	Selectable       *Bool      `xmlrpc:"selectable,omptempty"`
	Selection        *String    `xmlrpc:"selection,omptempty"`
	Size             *Int       `xmlrpc:"size,omptempty"`
	State            *Selection `xmlrpc:"state,omptempty"`
	Store            *Bool      `xmlrpc:"store,omptempty"`
	TrackVisibility  *Selection `xmlrpc:"track_visibility,omptempty"`
	Translate        *Bool      `xmlrpc:"translate,omptempty"`
	Ttype            *Selection `xmlrpc:"ttype,omptempty"`
	WriteDate        *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrModelFields represents ir.model.fields model.

func (*IrModelFields) Many2One

func (imf *IrModelFields) Many2One() *Many2One

Many2One convert IrModelFields to *Many2One.

type IrModelFieldss

type IrModelFieldss []IrModelFields

IrModelFieldss represents array of ir.model.fields model.

type IrModelRelation

type IrModelRelation struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DateInit    *Time     `xmlrpc:"date_init,omptempty"`
	DateUpdate  *Time     `xmlrpc:"date_update,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Model       *Many2One `xmlrpc:"model,omptempty"`
	Module      *Many2One `xmlrpc:"module,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrModelRelation represents ir.model.relation model.

func (*IrModelRelation) Many2One

func (imr *IrModelRelation) Many2One() *Many2One

Many2One convert IrModelRelation to *Many2One.

type IrModelRelations

type IrModelRelations []IrModelRelation

IrModelRelations represents array of ir.model.relation model.

type IrModels

type IrModels []IrModel

IrModels represents array of ir.model model.

type IrModuleCategory

type IrModuleCategory struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	ChildIds    *Relation `xmlrpc:"child_ids,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	Description *String   `xmlrpc:"description,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Exclusive   *Bool     `xmlrpc:"exclusive,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	ModuleIds   *Relation `xmlrpc:"module_ids,omptempty"`
	ModuleNr    *Int      `xmlrpc:"module_nr,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	ParentId    *Many2One `xmlrpc:"parent_id,omptempty"`
	Sequence    *Int      `xmlrpc:"sequence,omptempty"`
	Visible     *Bool     `xmlrpc:"visible,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
	XmlId       *String   `xmlrpc:"xml_id,omptempty"`
}

IrModuleCategory represents ir.module.category model.

func (*IrModuleCategory) Many2One

func (imc *IrModuleCategory) Many2One() *Many2One

Many2One convert IrModuleCategory to *Many2One.

type IrModuleCategorys

type IrModuleCategorys []IrModuleCategory

IrModuleCategorys represents array of ir.module.category model.

type IrModuleModule

type IrModuleModule struct {
	LastUpdate       *Time      `xmlrpc:"__last_update,omptempty"`
	Application      *Bool      `xmlrpc:"application,omptempty"`
	Author           *String    `xmlrpc:"author,omptempty"`
	AutoInstall      *Bool      `xmlrpc:"auto_install,omptempty"`
	CategoryId       *Many2One  `xmlrpc:"category_id,omptempty"`
	Contributors     *String    `xmlrpc:"contributors,omptempty"`
	CreateDate       *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One  `xmlrpc:"create_uid,omptempty"`
	Demo             *Bool      `xmlrpc:"demo,omptempty"`
	DependenciesId   *Relation  `xmlrpc:"dependencies_id,omptempty"`
	Description      *String    `xmlrpc:"description,omptempty"`
	DescriptionHtml  *String    `xmlrpc:"description_html,omptempty"`
	DisplayName      *String    `xmlrpc:"display_name,omptempty"`
	ExclusionIds     *Relation  `xmlrpc:"exclusion_ids,omptempty"`
	Icon             *String    `xmlrpc:"icon,omptempty"`
	IconImage        *String    `xmlrpc:"icon_image,omptempty"`
	Id               *Int       `xmlrpc:"id,omptempty"`
	InstalledVersion *String    `xmlrpc:"installed_version,omptempty"`
	LatestVersion    *String    `xmlrpc:"latest_version,omptempty"`
	License          *Selection `xmlrpc:"license,omptempty"`
	Maintainer       *String    `xmlrpc:"maintainer,omptempty"`
	MenusByModule    *String    `xmlrpc:"menus_by_module,omptempty"`
	Name             *String    `xmlrpc:"name,omptempty"`
	PublishedVersion *String    `xmlrpc:"published_version,omptempty"`
	ReportsByModule  *String    `xmlrpc:"reports_by_module,omptempty"`
	Sequence         *Int       `xmlrpc:"sequence,omptempty"`
	Shortdesc        *String    `xmlrpc:"shortdesc,omptempty"`
	State            *Selection `xmlrpc:"state,omptempty"`
	Summary          *String    `xmlrpc:"summary,omptempty"`
	Url              *String    `xmlrpc:"url,omptempty"`
	ViewsByModule    *String    `xmlrpc:"views_by_module,omptempty"`
	Website          *String    `xmlrpc:"website,omptempty"`
	WriteDate        *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrModuleModule represents ir.module.module model.

func (*IrModuleModule) Many2One

func (imm *IrModuleModule) Many2One() *Many2One

Many2One convert IrModuleModule to *Many2One.

type IrModuleModuleDependency

type IrModuleModuleDependency struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DependId    *Many2One  `xmlrpc:"depend_id,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	ModuleId    *Many2One  `xmlrpc:"module_id,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	State       *Selection `xmlrpc:"state,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrModuleModuleDependency represents ir.module.module.dependency model.

func (*IrModuleModuleDependency) Many2One

func (immd *IrModuleModuleDependency) Many2One() *Many2One

Many2One convert IrModuleModuleDependency to *Many2One.

type IrModuleModuleDependencys

type IrModuleModuleDependencys []IrModuleModuleDependency

IrModuleModuleDependencys represents array of ir.module.module.dependency model.

type IrModuleModuleExclusion

type IrModuleModuleExclusion struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	ExclusionId *Many2One  `xmlrpc:"exclusion_id,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	ModuleId    *Many2One  `xmlrpc:"module_id,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	State       *Selection `xmlrpc:"state,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrModuleModuleExclusion represents ir.module.module.exclusion model.

func (*IrModuleModuleExclusion) Many2One

func (imme *IrModuleModuleExclusion) Many2One() *Many2One

Many2One convert IrModuleModuleExclusion to *Many2One.

type IrModuleModuleExclusions

type IrModuleModuleExclusions []IrModuleModuleExclusion

IrModuleModuleExclusions represents array of ir.module.module.exclusion model.

type IrModuleModules

type IrModuleModules []IrModuleModule

IrModuleModules represents array of ir.module.module model.

type IrProperty

type IrProperty struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	FieldsId       *Many2One  `xmlrpc:"fields_id,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	ResId          *String    `xmlrpc:"res_id,omptempty"`
	Type           *Selection `xmlrpc:"type,omptempty"`
	ValueBinary    *String    `xmlrpc:"value_binary,omptempty"`
	ValueDatetime  *Time      `xmlrpc:"value_datetime,omptempty"`
	ValueFloat     *Float     `xmlrpc:"value_float,omptempty"`
	ValueInteger   *Int       `xmlrpc:"value_integer,omptempty"`
	ValueReference *String    `xmlrpc:"value_reference,omptempty"`
	ValueText      *String    `xmlrpc:"value_text,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrProperty represents ir.property model.

func (*IrProperty) Many2One

func (ip *IrProperty) Many2One() *Many2One

Many2One convert IrProperty to *Many2One.

type IrPropertys

type IrPropertys []IrProperty

IrPropertys represents array of ir.property model.

type IrQweb

type IrQweb struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQweb represents ir.qweb model.

func (*IrQweb) Many2One

func (iq *IrQweb) Many2One() *Many2One

Many2One convert IrQweb to *Many2One.

type IrQwebField

type IrQwebField struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebField represents ir.qweb.field model.

func (*IrQwebField) Many2One

func (iqf *IrQwebField) Many2One() *Many2One

Many2One convert IrQwebField to *Many2One.

type IrQwebFieldBarcode

type IrQwebFieldBarcode struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldBarcode represents ir.qweb.field.barcode model.

func (*IrQwebFieldBarcode) Many2One

func (iqfb *IrQwebFieldBarcode) Many2One() *Many2One

Many2One convert IrQwebFieldBarcode to *Many2One.

type IrQwebFieldBarcodes

type IrQwebFieldBarcodes []IrQwebFieldBarcode

IrQwebFieldBarcodes represents array of ir.qweb.field.barcode model.

type IrQwebFieldContact

type IrQwebFieldContact struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldContact represents ir.qweb.field.contact model.

func (*IrQwebFieldContact) Many2One

func (iqfc *IrQwebFieldContact) Many2One() *Many2One

Many2One convert IrQwebFieldContact to *Many2One.

type IrQwebFieldContacts

type IrQwebFieldContacts []IrQwebFieldContact

IrQwebFieldContacts represents array of ir.qweb.field.contact model.

type IrQwebFieldDate

type IrQwebFieldDate struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldDate represents ir.qweb.field.date model.

func (*IrQwebFieldDate) Many2One

func (iqfd *IrQwebFieldDate) Many2One() *Many2One

Many2One convert IrQwebFieldDate to *Many2One.

type IrQwebFieldDates

type IrQwebFieldDates []IrQwebFieldDate

IrQwebFieldDates represents array of ir.qweb.field.date model.

type IrQwebFieldDatetime

type IrQwebFieldDatetime struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldDatetime represents ir.qweb.field.datetime model.

func (*IrQwebFieldDatetime) Many2One

func (iqfd *IrQwebFieldDatetime) Many2One() *Many2One

Many2One convert IrQwebFieldDatetime to *Many2One.

type IrQwebFieldDatetimes

type IrQwebFieldDatetimes []IrQwebFieldDatetime

IrQwebFieldDatetimes represents array of ir.qweb.field.datetime model.

type IrQwebFieldDuration

type IrQwebFieldDuration struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldDuration represents ir.qweb.field.duration model.

func (*IrQwebFieldDuration) Many2One

func (iqfd *IrQwebFieldDuration) Many2One() *Many2One

Many2One convert IrQwebFieldDuration to *Many2One.

type IrQwebFieldDurations

type IrQwebFieldDurations []IrQwebFieldDuration

IrQwebFieldDurations represents array of ir.qweb.field.duration model.

type IrQwebFieldFloat

type IrQwebFieldFloat struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldFloat represents ir.qweb.field.float model.

func (*IrQwebFieldFloat) Many2One

func (iqff *IrQwebFieldFloat) Many2One() *Many2One

Many2One convert IrQwebFieldFloat to *Many2One.

type IrQwebFieldFloatTime

type IrQwebFieldFloatTime struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldFloatTime represents ir.qweb.field.float_time model.

func (*IrQwebFieldFloatTime) Many2One

func (iqff *IrQwebFieldFloatTime) Many2One() *Many2One

Many2One convert IrQwebFieldFloatTime to *Many2One.

type IrQwebFieldFloatTimes

type IrQwebFieldFloatTimes []IrQwebFieldFloatTime

IrQwebFieldFloatTimes represents array of ir.qweb.field.float_time model.

type IrQwebFieldFloats

type IrQwebFieldFloats []IrQwebFieldFloat

IrQwebFieldFloats represents array of ir.qweb.field.float model.

type IrQwebFieldHtml

type IrQwebFieldHtml struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldHtml represents ir.qweb.field.html model.

func (*IrQwebFieldHtml) Many2One

func (iqfh *IrQwebFieldHtml) Many2One() *Many2One

Many2One convert IrQwebFieldHtml to *Many2One.

type IrQwebFieldHtmls

type IrQwebFieldHtmls []IrQwebFieldHtml

IrQwebFieldHtmls represents array of ir.qweb.field.html model.

type IrQwebFieldImage

type IrQwebFieldImage struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldImage represents ir.qweb.field.image model.

func (*IrQwebFieldImage) Many2One

func (iqfi *IrQwebFieldImage) Many2One() *Many2One

Many2One convert IrQwebFieldImage to *Many2One.

type IrQwebFieldImages

type IrQwebFieldImages []IrQwebFieldImage

IrQwebFieldImages represents array of ir.qweb.field.image model.

type IrQwebFieldInteger

type IrQwebFieldInteger struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldInteger represents ir.qweb.field.integer model.

func (*IrQwebFieldInteger) Many2One

func (iqfi *IrQwebFieldInteger) Many2One() *Many2One

Many2One convert IrQwebFieldInteger to *Many2One.

type IrQwebFieldIntegers

type IrQwebFieldIntegers []IrQwebFieldInteger

IrQwebFieldIntegers represents array of ir.qweb.field.integer model.

type IrQwebFieldMany2One

type IrQwebFieldMany2One struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldMany2One represents ir.qweb.field.many2one model.

func (*IrQwebFieldMany2One) Many2One

func (iqfm *IrQwebFieldMany2One) Many2One() *Many2One

Many2One convert IrQwebFieldMany2One to *Many2One.

type IrQwebFieldMany2Ones

type IrQwebFieldMany2Ones []IrQwebFieldMany2One

IrQwebFieldMany2Ones represents array of ir.qweb.field.many2one model.

type IrQwebFieldMonetary

type IrQwebFieldMonetary struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldMonetary represents ir.qweb.field.monetary model.

func (*IrQwebFieldMonetary) Many2One

func (iqfm *IrQwebFieldMonetary) Many2One() *Many2One

Many2One convert IrQwebFieldMonetary to *Many2One.

type IrQwebFieldMonetarys

type IrQwebFieldMonetarys []IrQwebFieldMonetary

IrQwebFieldMonetarys represents array of ir.qweb.field.monetary model.

type IrQwebFieldQweb

type IrQwebFieldQweb struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldQweb represents ir.qweb.field.qweb model.

func (*IrQwebFieldQweb) Many2One

func (iqfq *IrQwebFieldQweb) Many2One() *Many2One

Many2One convert IrQwebFieldQweb to *Many2One.

type IrQwebFieldQwebs

type IrQwebFieldQwebs []IrQwebFieldQweb

IrQwebFieldQwebs represents array of ir.qweb.field.qweb model.

type IrQwebFieldRelative

type IrQwebFieldRelative struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldRelative represents ir.qweb.field.relative model.

func (*IrQwebFieldRelative) Many2One

func (iqfr *IrQwebFieldRelative) Many2One() *Many2One

Many2One convert IrQwebFieldRelative to *Many2One.

type IrQwebFieldRelatives

type IrQwebFieldRelatives []IrQwebFieldRelative

IrQwebFieldRelatives represents array of ir.qweb.field.relative model.

type IrQwebFieldSelection

type IrQwebFieldSelection struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldSelection represents ir.qweb.field.selection model.

func (*IrQwebFieldSelection) Many2One

func (iqfs *IrQwebFieldSelection) Many2One() *Many2One

Many2One convert IrQwebFieldSelection to *Many2One.

type IrQwebFieldSelections

type IrQwebFieldSelections []IrQwebFieldSelection

IrQwebFieldSelections represents array of ir.qweb.field.selection model.

type IrQwebFieldText

type IrQwebFieldText struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

IrQwebFieldText represents ir.qweb.field.text model.

func (*IrQwebFieldText) Many2One

func (iqft *IrQwebFieldText) Many2One() *Many2One

Many2One convert IrQwebFieldText to *Many2One.

type IrQwebFieldTexts

type IrQwebFieldTexts []IrQwebFieldText

IrQwebFieldTexts represents array of ir.qweb.field.text model.

type IrQwebFields

type IrQwebFields []IrQwebField

IrQwebFields represents array of ir.qweb.field model.

type IrQwebs

type IrQwebs []IrQweb

IrQwebs represents array of ir.qweb model.

type IrRule

type IrRule struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	DomainForce *String   `xmlrpc:"domain_force,omptempty"`
	Global      *Bool     `xmlrpc:"global,omptempty"`
	Groups      *Relation `xmlrpc:"groups,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	ModelId     *Many2One `xmlrpc:"model_id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	PermCreate  *Bool     `xmlrpc:"perm_create,omptempty"`
	PermRead    *Bool     `xmlrpc:"perm_read,omptempty"`
	PermUnlink  *Bool     `xmlrpc:"perm_unlink,omptempty"`
	PermWrite   *Bool     `xmlrpc:"perm_write,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrRule represents ir.rule model.

func (*IrRule) Many2One

func (ir *IrRule) Many2One() *Many2One

Many2One convert IrRule to *Many2One.

type IrRules

type IrRules []IrRule

IrRules represents array of ir.rule model.

type IrSequence

type IrSequence struct {
	LastUpdate       *Time      `xmlrpc:"__last_update,omptempty"`
	Active           *Bool      `xmlrpc:"active,omptempty"`
	Code             *String    `xmlrpc:"code,omptempty"`
	CompanyId        *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate       *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateRangeIds     *Relation  `xmlrpc:"date_range_ids,omptempty"`
	DisplayName      *String    `xmlrpc:"display_name,omptempty"`
	Id               *Int       `xmlrpc:"id,omptempty"`
	Implementation   *Selection `xmlrpc:"implementation,omptempty"`
	Name             *String    `xmlrpc:"name,omptempty"`
	NumberIncrement  *Int       `xmlrpc:"number_increment,omptempty"`
	NumberNext       *Int       `xmlrpc:"number_next,omptempty"`
	NumberNextActual *Int       `xmlrpc:"number_next_actual,omptempty"`
	Padding          *Int       `xmlrpc:"padding,omptempty"`
	Prefix           *String    `xmlrpc:"prefix,omptempty"`
	Suffix           *String    `xmlrpc:"suffix,omptempty"`
	UseDateRange     *Bool      `xmlrpc:"use_date_range,omptempty"`
	WriteDate        *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrSequence represents ir.sequence model.

func (*IrSequence) Many2One

func (is *IrSequence) Many2One() *Many2One

Many2One convert IrSequence to *Many2One.

type IrSequenceDateRange

type IrSequenceDateRange struct {
	LastUpdate       *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate       *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One `xmlrpc:"create_uid,omptempty"`
	DateFrom         *Time     `xmlrpc:"date_from,omptempty"`
	DateTo           *Time     `xmlrpc:"date_to,omptempty"`
	DisplayName      *String   `xmlrpc:"display_name,omptempty"`
	Id               *Int      `xmlrpc:"id,omptempty"`
	NumberNext       *Int      `xmlrpc:"number_next,omptempty"`
	NumberNextActual *Int      `xmlrpc:"number_next_actual,omptempty"`
	SequenceId       *Many2One `xmlrpc:"sequence_id,omptempty"`
	WriteDate        *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrSequenceDateRange represents ir.sequence.date_range model.

func (*IrSequenceDateRange) Many2One

func (isd *IrSequenceDateRange) Many2One() *Many2One

Many2One convert IrSequenceDateRange to *Many2One.

type IrSequenceDateRanges

type IrSequenceDateRanges []IrSequenceDateRange

IrSequenceDateRanges represents array of ir.sequence.date_range model.

type IrSequences

type IrSequences []IrSequence

IrSequences represents array of ir.sequence model.

type IrServerObjectLines

type IrServerObjectLines struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	Col1        *Many2One  `xmlrpc:"col1,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	ServerId    *Many2One  `xmlrpc:"server_id,omptempty"`
	Type        *Selection `xmlrpc:"type,omptempty"`
	Value       *String    `xmlrpc:"value,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

IrServerObjectLines represents ir.server.object.lines model.

func (*IrServerObjectLines) Many2One

func (isol *IrServerObjectLines) Many2One() *Many2One

Many2One convert IrServerObjectLines to *Many2One.

type IrServerObjectLiness

type IrServerObjectLiness []IrServerObjectLines

IrServerObjectLiness represents array of ir.server.object.lines model.

type IrTranslation

type IrTranslation struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	Comments    *String    `xmlrpc:"comments,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Lang        *Selection `xmlrpc:"lang,omptempty"`
	Module      *String    `xmlrpc:"module,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	ResId       *Int       `xmlrpc:"res_id,omptempty"`
	Source      *String    `xmlrpc:"source,omptempty"`
	Src         *String    `xmlrpc:"src,omptempty"`
	State       *Selection `xmlrpc:"state,omptempty"`
	Type        *Selection `xmlrpc:"type,omptempty"`
	Value       *String    `xmlrpc:"value,omptempty"`
}

IrTranslation represents ir.translation model.

func (*IrTranslation) Many2One

func (it *IrTranslation) Many2One() *Many2One

Many2One convert IrTranslation to *Many2One.

type IrTranslations

type IrTranslations []IrTranslation

IrTranslations represents array of ir.translation model.

type IrUiMenu

type IrUiMenu struct {
	LastUpdate   *Time     `xmlrpc:"__last_update,omptempty"`
	Action       *String   `xmlrpc:"action,omptempty"`
	Active       *Bool     `xmlrpc:"active,omptempty"`
	ChildId      *Relation `xmlrpc:"child_id,omptempty"`
	CompleteName *String   `xmlrpc:"complete_name,omptempty"`
	CreateDate   *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName  *String   `xmlrpc:"display_name,omptempty"`
	GroupsId     *Relation `xmlrpc:"groups_id,omptempty"`
	Id           *Int      `xmlrpc:"id,omptempty"`
	Name         *String   `xmlrpc:"name,omptempty"`
	ParentId     *Many2One `xmlrpc:"parent_id,omptempty"`
	ParentLeft   *Int      `xmlrpc:"parent_left,omptempty"`
	ParentRight  *Int      `xmlrpc:"parent_right,omptempty"`
	Sequence     *Int      `xmlrpc:"sequence,omptempty"`
	WebIcon      *String   `xmlrpc:"web_icon,omptempty"`
	WebIconData  *String   `xmlrpc:"web_icon_data,omptempty"`
	WriteDate    *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrUiMenu represents ir.ui.menu model.

func (*IrUiMenu) Many2One

func (ium *IrUiMenu) Many2One() *Many2One

Many2One convert IrUiMenu to *Many2One.

type IrUiMenus

type IrUiMenus []IrUiMenu

IrUiMenus represents array of ir.ui.menu model.

type IrUiView

type IrUiView struct {
	LastUpdate         *Time      `xmlrpc:"__last_update,omptempty"`
	Active             *Bool      `xmlrpc:"active,omptempty"`
	Arch               *String    `xmlrpc:"arch,omptempty"`
	ArchBase           *String    `xmlrpc:"arch_base,omptempty"`
	ArchDb             *String    `xmlrpc:"arch_db,omptempty"`
	ArchFs             *String    `xmlrpc:"arch_fs,omptempty"`
	CreateDate         *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid          *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName        *String    `xmlrpc:"display_name,omptempty"`
	FieldParent        *String    `xmlrpc:"field_parent,omptempty"`
	GroupsId           *Relation  `xmlrpc:"groups_id,omptempty"`
	Id                 *Int       `xmlrpc:"id,omptempty"`
	InheritChildrenIds *Relation  `xmlrpc:"inherit_children_ids,omptempty"`
	InheritId          *Many2One  `xmlrpc:"inherit_id,omptempty"`
	Key                *String    `xmlrpc:"key,omptempty"`
	Mode               *Selection `xmlrpc:"mode,omptempty"`
	Model              *String    `xmlrpc:"model,omptempty"`
	ModelDataId        *Many2One  `xmlrpc:"model_data_id,omptempty"`
	ModelIds           *Relation  `xmlrpc:"model_ids,omptempty"`
	Name               *String    `xmlrpc:"name,omptempty"`
	Priority           *Int       `xmlrpc:"priority,omptempty"`
	Type               *Selection `xmlrpc:"type,omptempty"`
	WriteDate          *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid           *Many2One  `xmlrpc:"write_uid,omptempty"`
	XmlId              *String    `xmlrpc:"xml_id,omptempty"`
}

IrUiView represents ir.ui.view model.

func (*IrUiView) Many2One

func (iuv *IrUiView) Many2One() *Many2One

Many2One convert IrUiView to *Many2One.

type IrUiViewCustom

type IrUiViewCustom struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Arch        *String   `xmlrpc:"arch,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	RefId       *Many2One `xmlrpc:"ref_id,omptempty"`
	UserId      *Many2One `xmlrpc:"user_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

IrUiViewCustom represents ir.ui.view.custom model.

func (*IrUiViewCustom) Many2One

func (iuvc *IrUiViewCustom) Many2One() *Many2One

Many2One convert IrUiViewCustom to *Many2One.

type IrUiViewCustoms

type IrUiViewCustoms []IrUiViewCustom

IrUiViewCustoms represents array of ir.ui.view.custom model.

type IrUiViews

type IrUiViews []IrUiView

IrUiViews represents array of ir.ui.view model.

type LinkTracker

type LinkTracker struct {
	LastUpdate            *Time     `xmlrpc:"__last_update,omptempty"`
	CampaignId            *Many2One `xmlrpc:"campaign_id,omptempty"`
	Code                  *String   `xmlrpc:"code,omptempty"`
	Count                 *Int      `xmlrpc:"count,omptempty"`
	CreateDate            *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid             *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName           *String   `xmlrpc:"display_name,omptempty"`
	Favicon               *String   `xmlrpc:"favicon,omptempty"`
	IconSrc               *String   `xmlrpc:"icon_src,omptempty"`
	Id                    *Int      `xmlrpc:"id,omptempty"`
	LinkClickIds          *Relation `xmlrpc:"link_click_ids,omptempty"`
	LinkCodeIds           *Relation `xmlrpc:"link_code_ids,omptempty"`
	MassMailingCampaignId *Many2One `xmlrpc:"mass_mailing_campaign_id,omptempty"`
	MassMailingId         *Many2One `xmlrpc:"mass_mailing_id,omptempty"`
	MediumId              *Many2One `xmlrpc:"medium_id,omptempty"`
	RedirectedUrl         *String   `xmlrpc:"redirected_url,omptempty"`
	ShortUrl              *String   `xmlrpc:"short_url,omptempty"`
	ShortUrlHost          *String   `xmlrpc:"short_url_host,omptempty"`
	SourceId              *Many2One `xmlrpc:"source_id,omptempty"`
	Title                 *String   `xmlrpc:"title,omptempty"`
	Url                   *String   `xmlrpc:"url,omptempty"`
	WriteDate             *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid              *Many2One `xmlrpc:"write_uid,omptempty"`
}

LinkTracker represents link.tracker model.

func (*LinkTracker) Many2One

func (lt *LinkTracker) Many2One() *Many2One

Many2One convert LinkTracker to *Many2One.

type LinkTrackerClick

type LinkTrackerClick struct {
	LastUpdate            *Time     `xmlrpc:"__last_update,omptempty"`
	ClickDate             *Time     `xmlrpc:"click_date,omptempty"`
	CountryId             *Many2One `xmlrpc:"country_id,omptempty"`
	CreateDate            *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid             *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName           *String   `xmlrpc:"display_name,omptempty"`
	Id                    *Int      `xmlrpc:"id,omptempty"`
	Ip                    *String   `xmlrpc:"ip,omptempty"`
	LinkId                *Many2One `xmlrpc:"link_id,omptempty"`
	MailStatId            *Many2One `xmlrpc:"mail_stat_id,omptempty"`
	MassMailingCampaignId *Many2One `xmlrpc:"mass_mailing_campaign_id,omptempty"`
	MassMailingId         *Many2One `xmlrpc:"mass_mailing_id,omptempty"`
	WriteDate             *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid              *Many2One `xmlrpc:"write_uid,omptempty"`
}

LinkTrackerClick represents link.tracker.click model.

func (*LinkTrackerClick) Many2One

func (ltc *LinkTrackerClick) Many2One() *Many2One

Many2One convert LinkTrackerClick to *Many2One.

type LinkTrackerClicks

type LinkTrackerClicks []LinkTrackerClick

LinkTrackerClicks represents array of link.tracker.click model.

type LinkTrackerCode

type LinkTrackerCode struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Code        *String   `xmlrpc:"code,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	LinkId      *Many2One `xmlrpc:"link_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

LinkTrackerCode represents link.tracker.code model.

func (*LinkTrackerCode) Many2One

func (ltc *LinkTrackerCode) Many2One() *Many2One

Many2One convert LinkTrackerCode to *Many2One.

type LinkTrackerCodes

type LinkTrackerCodes []LinkTrackerCode

LinkTrackerCodes represents array of link.tracker.code model.

type LinkTrackers

type LinkTrackers []LinkTracker

LinkTrackers represents array of link.tracker model.

type MailActivity

type MailActivity struct {
	LastUpdate                *Time      `xmlrpc:"__last_update,omptempty"`
	ActivityCategory          *Selection `xmlrpc:"activity_category,omptempty"`
	ActivityTypeId            *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	CalendarEventId           *Many2One  `xmlrpc:"calendar_event_id,omptempty"`
	CreateDate                *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                 *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateDeadline              *Time      `xmlrpc:"date_deadline,omptempty"`
	DisplayName               *String    `xmlrpc:"display_name,omptempty"`
	Feedback                  *String    `xmlrpc:"feedback,omptempty"`
	HasRecommendedActivities  *Bool      `xmlrpc:"has_recommended_activities,omptempty"`
	Icon                      *String    `xmlrpc:"icon,omptempty"`
	Id                        *Int       `xmlrpc:"id,omptempty"`
	Note                      *String    `xmlrpc:"note,omptempty"`
	PreviousActivityTypeId    *Many2One  `xmlrpc:"previous_activity_type_id,omptempty"`
	RecommendedActivityTypeId *Many2One  `xmlrpc:"recommended_activity_type_id,omptempty"`
	ResId                     *Int       `xmlrpc:"res_id,omptempty"`
	ResModel                  *String    `xmlrpc:"res_model,omptempty"`
	ResModelId                *Many2One  `xmlrpc:"res_model_id,omptempty"`
	ResName                   *String    `xmlrpc:"res_name,omptempty"`
	State                     *Selection `xmlrpc:"state,omptempty"`
	Summary                   *String    `xmlrpc:"summary,omptempty"`
	UserId                    *Many2One  `xmlrpc:"user_id,omptempty"`
	WriteDate                 *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                  *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailActivity represents mail.activity model.

func (*MailActivity) Many2One

func (ma *MailActivity) Many2One() *Many2One

Many2One convert MailActivity to *Many2One.

type MailActivityMixin

type MailActivityMixin struct {
	LastUpdate           *Time      `xmlrpc:"__last_update,omptempty"`
	ActivityDateDeadline *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds          *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState        *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary      *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId       *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId       *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	DisplayName          *String    `xmlrpc:"display_name,omptempty"`
	Id                   *Int       `xmlrpc:"id,omptempty"`
}

MailActivityMixin represents mail.activity.mixin model.

func (*MailActivityMixin) Many2One

func (mam *MailActivityMixin) Many2One() *Many2One

Many2One convert MailActivityMixin to *Many2One.

type MailActivityMixins

type MailActivityMixins []MailActivityMixin

MailActivityMixins represents array of mail.activity.mixin model.

type MailActivityType

type MailActivityType struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	Category        *Selection `xmlrpc:"category,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	Days            *Int       `xmlrpc:"days,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	Icon            *String    `xmlrpc:"icon,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	Name            *String    `xmlrpc:"name,omptempty"`
	NextTypeIds     *Relation  `xmlrpc:"next_type_ids,omptempty"`
	PreviousTypeIds *Relation  `xmlrpc:"previous_type_ids,omptempty"`
	ResModelId      *Many2One  `xmlrpc:"res_model_id,omptempty"`
	Sequence        *Int       `xmlrpc:"sequence,omptempty"`
	Summary         *String    `xmlrpc:"summary,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailActivityType represents mail.activity.type model.

func (*MailActivityType) Many2One

func (mat *MailActivityType) Many2One() *Many2One

Many2One convert MailActivityType to *Many2One.

type MailActivityTypes

type MailActivityTypes []MailActivityType

MailActivityTypes represents array of mail.activity.type model.

type MailActivitys

type MailActivitys []MailActivity

MailActivitys represents array of mail.activity model.

type MailAlias

type MailAlias struct {
	LastUpdate          *Time      `xmlrpc:"__last_update,omptempty"`
	AliasContact        *Selection `xmlrpc:"alias_contact,omptempty"`
	AliasDefaults       *String    `xmlrpc:"alias_defaults,omptempty"`
	AliasDomain         *String    `xmlrpc:"alias_domain,omptempty"`
	AliasForceThreadId  *Int       `xmlrpc:"alias_force_thread_id,omptempty"`
	AliasModelId        *Many2One  `xmlrpc:"alias_model_id,omptempty"`
	AliasName           *String    `xmlrpc:"alias_name,omptempty"`
	AliasParentModelId  *Many2One  `xmlrpc:"alias_parent_model_id,omptempty"`
	AliasParentThreadId *Int       `xmlrpc:"alias_parent_thread_id,omptempty"`
	AliasUserId         *Many2One  `xmlrpc:"alias_user_id,omptempty"`
	CreateDate          *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid           *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName         *String    `xmlrpc:"display_name,omptempty"`
	Id                  *Int       `xmlrpc:"id,omptempty"`
	WriteDate           *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid            *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailAlias represents mail.alias model.

func (*MailAlias) Many2One

func (ma *MailAlias) Many2One() *Many2One

Many2One convert MailAlias to *Many2One.

type MailAliasMixin

type MailAliasMixin struct {
	LastUpdate          *Time      `xmlrpc:"__last_update,omptempty"`
	AliasContact        *Selection `xmlrpc:"alias_contact,omptempty"`
	AliasDefaults       *String    `xmlrpc:"alias_defaults,omptempty"`
	AliasDomain         *String    `xmlrpc:"alias_domain,omptempty"`
	AliasForceThreadId  *Int       `xmlrpc:"alias_force_thread_id,omptempty"`
	AliasId             *Many2One  `xmlrpc:"alias_id,omptempty"`
	AliasModelId        *Many2One  `xmlrpc:"alias_model_id,omptempty"`
	AliasName           *String    `xmlrpc:"alias_name,omptempty"`
	AliasParentModelId  *Many2One  `xmlrpc:"alias_parent_model_id,omptempty"`
	AliasParentThreadId *Int       `xmlrpc:"alias_parent_thread_id,omptempty"`
	AliasUserId         *Many2One  `xmlrpc:"alias_user_id,omptempty"`
	CreateDate          *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid           *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName         *String    `xmlrpc:"display_name,omptempty"`
	Id                  *Int       `xmlrpc:"id,omptempty"`
	WriteDate           *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid            *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailAliasMixin represents mail.alias.mixin model.

func (*MailAliasMixin) Many2One

func (mam *MailAliasMixin) Many2One() *Many2One

Many2One convert MailAliasMixin to *Many2One.

type MailAliasMixins

type MailAliasMixins []MailAliasMixin

MailAliasMixins represents array of mail.alias.mixin model.

type MailAliass

type MailAliass []MailAlias

MailAliass represents array of mail.alias model.

type MailChannel

type MailChannel struct {
	LastUpdate                *Time      `xmlrpc:"__last_update,omptempty"`
	AliasContact              *Selection `xmlrpc:"alias_contact,omptempty"`
	AliasDefaults             *String    `xmlrpc:"alias_defaults,omptempty"`
	AliasDomain               *String    `xmlrpc:"alias_domain,omptempty"`
	AliasForceThreadId        *Int       `xmlrpc:"alias_force_thread_id,omptempty"`
	AliasId                   *Many2One  `xmlrpc:"alias_id,omptempty"`
	AliasModelId              *Many2One  `xmlrpc:"alias_model_id,omptempty"`
	AliasName                 *String    `xmlrpc:"alias_name,omptempty"`
	AliasParentModelId        *Many2One  `xmlrpc:"alias_parent_model_id,omptempty"`
	AliasParentThreadId       *Int       `xmlrpc:"alias_parent_thread_id,omptempty"`
	AliasUserId               *Many2One  `xmlrpc:"alias_user_id,omptempty"`
	AnonymousName             *String    `xmlrpc:"anonymous_name,omptempty"`
	ChannelLastSeenPartnerIds *Relation  `xmlrpc:"channel_last_seen_partner_ids,omptempty"`
	ChannelMessageIds         *Relation  `xmlrpc:"channel_message_ids,omptempty"`
	ChannelPartnerIds         *Relation  `xmlrpc:"channel_partner_ids,omptempty"`
	ChannelType               *Selection `xmlrpc:"channel_type,omptempty"`
	CreateDate                *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                 *Many2One  `xmlrpc:"create_uid,omptempty"`
	Description               *String    `xmlrpc:"description,omptempty"`
	DisplayName               *String    `xmlrpc:"display_name,omptempty"`
	EmailSend                 *Bool      `xmlrpc:"email_send,omptempty"`
	GroupIds                  *Relation  `xmlrpc:"group_ids,omptempty"`
	GroupPublicId             *Many2One  `xmlrpc:"group_public_id,omptempty"`
	Id                        *Int       `xmlrpc:"id,omptempty"`
	Image                     *String    `xmlrpc:"image,omptempty"`
	ImageMedium               *String    `xmlrpc:"image_medium,omptempty"`
	ImageSmall                *String    `xmlrpc:"image_small,omptempty"`
	IsMember                  *Bool      `xmlrpc:"is_member,omptempty"`
	IsSubscribed              *Bool      `xmlrpc:"is_subscribed,omptempty"`
	LivechatChannelId         *Many2One  `xmlrpc:"livechat_channel_id,omptempty"`
	MessageChannelIds         *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds        *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds                *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower         *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost           *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction         *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter  *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds         *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread             *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter      *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                      *String    `xmlrpc:"name,omptempty"`
	Public                    *Selection `xmlrpc:"public,omptempty"`
	RatingCount               *Int       `xmlrpc:"rating_count,omptempty"`
	RatingIds                 *Relation  `xmlrpc:"rating_ids,omptempty"`
	RatingLastFeedback        *String    `xmlrpc:"rating_last_feedback,omptempty"`
	RatingLastImage           *String    `xmlrpc:"rating_last_image,omptempty"`
	RatingLastValue           *Float     `xmlrpc:"rating_last_value,omptempty"`
	Uuid                      *String    `xmlrpc:"uuid,omptempty"`
	WebsiteMessageIds         *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                 *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                  *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailChannel represents mail.channel model.

func (*MailChannel) Many2One

func (mc *MailChannel) Many2One() *Many2One

Many2One convert MailChannel to *Many2One.

type MailChannelPartner

type MailChannelPartner struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	ChannelId     *Many2One  `xmlrpc:"channel_id,omptempty"`
	CreateDate    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	FoldState     *Selection `xmlrpc:"fold_state,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	IsMinimized   *Bool      `xmlrpc:"is_minimized,omptempty"`
	IsPinned      *Bool      `xmlrpc:"is_pinned,omptempty"`
	PartnerEmail  *String    `xmlrpc:"partner_email,omptempty"`
	PartnerId     *Many2One  `xmlrpc:"partner_id,omptempty"`
	SeenMessageId *Many2One  `xmlrpc:"seen_message_id,omptempty"`
	WriteDate     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailChannelPartner represents mail.channel.partner model.

func (*MailChannelPartner) Many2One

func (mcp *MailChannelPartner) Many2One() *Many2One

Many2One convert MailChannelPartner to *Many2One.

type MailChannelPartners

type MailChannelPartners []MailChannelPartner

MailChannelPartners represents array of mail.channel.partner model.

type MailChannels

type MailChannels []MailChannel

MailChannels represents array of mail.channel model.

type MailComposeMessage

type MailComposeMessage struct {
	LastUpdate            *Time      `xmlrpc:"__last_update,omptempty"`
	ActiveDomain          *String    `xmlrpc:"active_domain,omptempty"`
	AttachmentIds         *Relation  `xmlrpc:"attachment_ids,omptempty"`
	AuthorAvatar          *String    `xmlrpc:"author_avatar,omptempty"`
	AuthorId              *Many2One  `xmlrpc:"author_id,omptempty"`
	AutoDelete            *Bool      `xmlrpc:"auto_delete,omptempty"`
	AutoDeleteMessage     *Bool      `xmlrpc:"auto_delete_message,omptempty"`
	Body                  *String    `xmlrpc:"body,omptempty"`
	ChannelIds            *Relation  `xmlrpc:"channel_ids,omptempty"`
	ChildIds              *Relation  `xmlrpc:"child_ids,omptempty"`
	CompositionMode       *Selection `xmlrpc:"composition_mode,omptempty"`
	CreateDate            *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid             *Many2One  `xmlrpc:"create_uid,omptempty"`
	Date                  *Time      `xmlrpc:"date,omptempty"`
	DisplayName           *String    `xmlrpc:"display_name,omptempty"`
	EmailFrom             *String    `xmlrpc:"email_from,omptempty"`
	Id                    *Int       `xmlrpc:"id,omptempty"`
	IsLog                 *Bool      `xmlrpc:"is_log,omptempty"`
	MailActivityTypeId    *Many2One  `xmlrpc:"mail_activity_type_id,omptempty"`
	MailServerId          *Many2One  `xmlrpc:"mail_server_id,omptempty"`
	MailingListIds        *Relation  `xmlrpc:"mailing_list_ids,omptempty"`
	MassMailingCampaignId *Many2One  `xmlrpc:"mass_mailing_campaign_id,omptempty"`
	MassMailingId         *Many2One  `xmlrpc:"mass_mailing_id,omptempty"`
	MassMailingName       *String    `xmlrpc:"mass_mailing_name,omptempty"`
	MessageId             *String    `xmlrpc:"message_id,omptempty"`
	MessageType           *Selection `xmlrpc:"message_type,omptempty"`
	Model                 *String    `xmlrpc:"model,omptempty"`
	Needaction            *Bool      `xmlrpc:"needaction,omptempty"`
	NeedactionPartnerIds  *Relation  `xmlrpc:"needaction_partner_ids,omptempty"`
	NoAutoThread          *Bool      `xmlrpc:"no_auto_thread,omptempty"`
	NotificationIds       *Relation  `xmlrpc:"notification_ids,omptempty"`
	Notify                *Bool      `xmlrpc:"notify,omptempty"`
	ParentId              *Many2One  `xmlrpc:"parent_id,omptempty"`
	PartnerIds            *Relation  `xmlrpc:"partner_ids,omptempty"`
	RatingIds             *Relation  `xmlrpc:"rating_ids,omptempty"`
	RatingValue           *Float     `xmlrpc:"rating_value,omptempty"`
	RecordName            *String    `xmlrpc:"record_name,omptempty"`
	ReplyTo               *String    `xmlrpc:"reply_to,omptempty"`
	ResId                 *Int       `xmlrpc:"res_id,omptempty"`
	Starred               *Bool      `xmlrpc:"starred,omptempty"`
	StarredPartnerIds     *Relation  `xmlrpc:"starred_partner_ids,omptempty"`
	Subject               *String    `xmlrpc:"subject,omptempty"`
	SubtypeId             *Many2One  `xmlrpc:"subtype_id,omptempty"`
	TemplateId            *Many2One  `xmlrpc:"template_id,omptempty"`
	TrackingValueIds      *Relation  `xmlrpc:"tracking_value_ids,omptempty"`
	UseActiveDomain       *Bool      `xmlrpc:"use_active_domain,omptempty"`
	WriteDate             *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid              *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailComposeMessage represents mail.compose.message model.

func (*MailComposeMessage) Many2One

func (mcm *MailComposeMessage) Many2One() *Many2One

Many2One convert MailComposeMessage to *Many2One.

type MailComposeMessages

type MailComposeMessages []MailComposeMessage

MailComposeMessages represents array of mail.compose.message model.

type MailFollowers

type MailFollowers struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	ChannelId   *Many2One `xmlrpc:"channel_id,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	PartnerId   *Many2One `xmlrpc:"partner_id,omptempty"`
	ResId       *Int      `xmlrpc:"res_id,omptempty"`
	ResModel    *String   `xmlrpc:"res_model,omptempty"`
	SubtypeIds  *Relation `xmlrpc:"subtype_ids,omptempty"`
}

MailFollowers represents mail.followers model.

func (*MailFollowers) Many2One

func (mf *MailFollowers) Many2One() *Many2One

Many2One convert MailFollowers to *Many2One.

type MailFollowerss

type MailFollowerss []MailFollowers

MailFollowerss represents array of mail.followers model.

type MailMail

type MailMail struct {
	LastUpdate           *Time      `xmlrpc:"__last_update,omptempty"`
	AttachmentIds        *Relation  `xmlrpc:"attachment_ids,omptempty"`
	AuthorAvatar         *String    `xmlrpc:"author_avatar,omptempty"`
	AuthorId             *Many2One  `xmlrpc:"author_id,omptempty"`
	AutoDelete           *Bool      `xmlrpc:"auto_delete,omptempty"`
	Body                 *String    `xmlrpc:"body,omptempty"`
	BodyHtml             *String    `xmlrpc:"body_html,omptempty"`
	ChannelIds           *Relation  `xmlrpc:"channel_ids,omptempty"`
	ChildIds             *Relation  `xmlrpc:"child_ids,omptempty"`
	CreateDate           *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid            *Many2One  `xmlrpc:"create_uid,omptempty"`
	Date                 *Time      `xmlrpc:"date,omptempty"`
	DisplayName          *String    `xmlrpc:"display_name,omptempty"`
	EmailCc              *String    `xmlrpc:"email_cc,omptempty"`
	EmailFrom            *String    `xmlrpc:"email_from,omptempty"`
	EmailTo              *String    `xmlrpc:"email_to,omptempty"`
	FailureReason        *String    `xmlrpc:"failure_reason,omptempty"`
	FetchmailServerId    *Many2One  `xmlrpc:"fetchmail_server_id,omptempty"`
	Headers              *String    `xmlrpc:"headers,omptempty"`
	Id                   *Int       `xmlrpc:"id,omptempty"`
	MailActivityTypeId   *Many2One  `xmlrpc:"mail_activity_type_id,omptempty"`
	MailMessageId        *Many2One  `xmlrpc:"mail_message_id,omptempty"`
	MailServerId         *Many2One  `xmlrpc:"mail_server_id,omptempty"`
	MailingId            *Many2One  `xmlrpc:"mailing_id,omptempty"`
	MessageId            *String    `xmlrpc:"message_id,omptempty"`
	MessageType          *Selection `xmlrpc:"message_type,omptempty"`
	Model                *String    `xmlrpc:"model,omptempty"`
	Needaction           *Bool      `xmlrpc:"needaction,omptempty"`
	NeedactionPartnerIds *Relation  `xmlrpc:"needaction_partner_ids,omptempty"`
	NoAutoThread         *Bool      `xmlrpc:"no_auto_thread,omptempty"`
	Notification         *Bool      `xmlrpc:"notification,omptempty"`
	NotificationIds      *Relation  `xmlrpc:"notification_ids,omptempty"`
	ParentId             *Many2One  `xmlrpc:"parent_id,omptempty"`
	PartnerIds           *Relation  `xmlrpc:"partner_ids,omptempty"`
	RatingIds            *Relation  `xmlrpc:"rating_ids,omptempty"`
	RatingValue          *Float     `xmlrpc:"rating_value,omptempty"`
	RecipientIds         *Relation  `xmlrpc:"recipient_ids,omptempty"`
	RecordName           *String    `xmlrpc:"record_name,omptempty"`
	References           *String    `xmlrpc:"references,omptempty"`
	ReplyTo              *String    `xmlrpc:"reply_to,omptempty"`
	ResId                *Int       `xmlrpc:"res_id,omptempty"`
	ScheduledDate        *String    `xmlrpc:"scheduled_date,omptempty"`
	Starred              *Bool      `xmlrpc:"starred,omptempty"`
	StarredPartnerIds    *Relation  `xmlrpc:"starred_partner_ids,omptempty"`
	State                *Selection `xmlrpc:"state,omptempty"`
	StatisticsIds        *Relation  `xmlrpc:"statistics_ids,omptempty"`
	Subject              *String    `xmlrpc:"subject,omptempty"`
	SubtypeId            *Many2One  `xmlrpc:"subtype_id,omptempty"`
	TrackingValueIds     *Relation  `xmlrpc:"tracking_value_ids,omptempty"`
	WriteDate            *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid             *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailMail represents mail.mail model.

func (*MailMail) Many2One

func (mm *MailMail) Many2One() *Many2One

Many2One convert MailMail to *Many2One.

type MailMailStatistics

type MailMailStatistics struct {
	LastUpdate            *Time      `xmlrpc:"__last_update,omptempty"`
	Bounced               *Time      `xmlrpc:"bounced,omptempty"`
	Clicked               *Time      `xmlrpc:"clicked,omptempty"`
	CreateDate            *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid             *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName           *String    `xmlrpc:"display_name,omptempty"`
	Exception             *Time      `xmlrpc:"exception,omptempty"`
	Id                    *Int       `xmlrpc:"id,omptempty"`
	LinksClickIds         *Relation  `xmlrpc:"links_click_ids,omptempty"`
	MailMailId            *Many2One  `xmlrpc:"mail_mail_id,omptempty"`
	MailMailIdInt         *Int       `xmlrpc:"mail_mail_id_int,omptempty"`
	MassMailingCampaignId *Many2One  `xmlrpc:"mass_mailing_campaign_id,omptempty"`
	MassMailingId         *Many2One  `xmlrpc:"mass_mailing_id,omptempty"`
	MessageId             *String    `xmlrpc:"message_id,omptempty"`
	Model                 *String    `xmlrpc:"model,omptempty"`
	Opened                *Time      `xmlrpc:"opened,omptempty"`
	Recipient             *String    `xmlrpc:"recipient,omptempty"`
	Replied               *Time      `xmlrpc:"replied,omptempty"`
	ResId                 *Int       `xmlrpc:"res_id,omptempty"`
	Scheduled             *Time      `xmlrpc:"scheduled,omptempty"`
	Sent                  *Time      `xmlrpc:"sent,omptempty"`
	State                 *Selection `xmlrpc:"state,omptempty"`
	StateUpdate           *Time      `xmlrpc:"state_update,omptempty"`
	WriteDate             *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid              *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailMailStatistics represents mail.mail.statistics model.

func (*MailMailStatistics) Many2One

func (mms *MailMailStatistics) Many2One() *Many2One

Many2One convert MailMailStatistics to *Many2One.

type MailMailStatisticss

type MailMailStatisticss []MailMailStatistics

MailMailStatisticss represents array of mail.mail.statistics model.

type MailMails

type MailMails []MailMail

MailMails represents array of mail.mail model.

type MailMassMailing

type MailMassMailing struct {
	LastUpdate            *Time      `xmlrpc:"__last_update,omptempty"`
	Active                *Bool      `xmlrpc:"active,omptempty"`
	AttachmentIds         *Relation  `xmlrpc:"attachment_ids,omptempty"`
	BodyHtml              *String    `xmlrpc:"body_html,omptempty"`
	Bounced               *Int       `xmlrpc:"bounced,omptempty"`
	BouncedRatio          *Int       `xmlrpc:"bounced_ratio,omptempty"`
	CampaignId            *Many2One  `xmlrpc:"campaign_id,omptempty"`
	ClicksRatio           *Int       `xmlrpc:"clicks_ratio,omptempty"`
	Color                 *Int       `xmlrpc:"color,omptempty"`
	ContactAbPc           *Int       `xmlrpc:"contact_ab_pc,omptempty"`
	ContactListIds        *Relation  `xmlrpc:"contact_list_ids,omptempty"`
	CreateDate            *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid             *Many2One  `xmlrpc:"create_uid,omptempty"`
	Delivered             *Int       `xmlrpc:"delivered,omptempty"`
	DisplayName           *String    `xmlrpc:"display_name,omptempty"`
	EmailFrom             *String    `xmlrpc:"email_from,omptempty"`
	Failed                *Int       `xmlrpc:"failed,omptempty"`
	Id                    *Int       `xmlrpc:"id,omptempty"`
	KeepArchives          *Bool      `xmlrpc:"keep_archives,omptempty"`
	MailingDomain         *String    `xmlrpc:"mailing_domain,omptempty"`
	MailingModelId        *Many2One  `xmlrpc:"mailing_model_id,omptempty"`
	MailingModelName      *String    `xmlrpc:"mailing_model_name,omptempty"`
	MailingModelReal      *String    `xmlrpc:"mailing_model_real,omptempty"`
	MassMailingCampaignId *Many2One  `xmlrpc:"mass_mailing_campaign_id,omptempty"`
	MediumId              *Many2One  `xmlrpc:"medium_id,omptempty"`
	Name                  *String    `xmlrpc:"name,omptempty"`
	NextDeparture         *Time      `xmlrpc:"next_departure,omptempty"`
	Opened                *Int       `xmlrpc:"opened,omptempty"`
	OpenedRatio           *Int       `xmlrpc:"opened_ratio,omptempty"`
	ReceivedRatio         *Int       `xmlrpc:"received_ratio,omptempty"`
	Replied               *Int       `xmlrpc:"replied,omptempty"`
	RepliedRatio          *Int       `xmlrpc:"replied_ratio,omptempty"`
	ReplyTo               *String    `xmlrpc:"reply_to,omptempty"`
	ReplyToMode           *Selection `xmlrpc:"reply_to_mode,omptempty"`
	ScheduleDate          *Time      `xmlrpc:"schedule_date,omptempty"`
	Scheduled             *Int       `xmlrpc:"scheduled,omptempty"`
	Sent                  *Int       `xmlrpc:"sent,omptempty"`
	SentDate              *Time      `xmlrpc:"sent_date,omptempty"`
	SourceId              *Many2One  `xmlrpc:"source_id,omptempty"`
	State                 *Selection `xmlrpc:"state,omptempty"`
	StatisticsIds         *Relation  `xmlrpc:"statistics_ids,omptempty"`
	Total                 *Int       `xmlrpc:"total,omptempty"`
	WriteDate             *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid              *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailMassMailing represents mail.mass_mailing model.

func (*MailMassMailing) Many2One

func (mm *MailMassMailing) Many2One() *Many2One

Many2One convert MailMassMailing to *Many2One.

type MailMassMailingCampaign

type MailMassMailingCampaign struct {
	LastUpdate      *Time     `xmlrpc:"__last_update,omptempty"`
	Bounced         *Int      `xmlrpc:"bounced,omptempty"`
	BouncedRatio    *Int      `xmlrpc:"bounced_ratio,omptempty"`
	CampaignId      *Many2One `xmlrpc:"campaign_id,omptempty"`
	ClicksRatio     *Int      `xmlrpc:"clicks_ratio,omptempty"`
	Color           *Int      `xmlrpc:"color,omptempty"`
	CreateDate      *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One `xmlrpc:"create_uid,omptempty"`
	Delivered       *Int      `xmlrpc:"delivered,omptempty"`
	DisplayName     *String   `xmlrpc:"display_name,omptempty"`
	Failed          *Int      `xmlrpc:"failed,omptempty"`
	Id              *Int      `xmlrpc:"id,omptempty"`
	MassMailingIds  *Relation `xmlrpc:"mass_mailing_ids,omptempty"`
	MediumId        *Many2One `xmlrpc:"medium_id,omptempty"`
	Name            *String   `xmlrpc:"name,omptempty"`
	Opened          *Int      `xmlrpc:"opened,omptempty"`
	OpenedRatio     *Int      `xmlrpc:"opened_ratio,omptempty"`
	ReceivedRatio   *Int      `xmlrpc:"received_ratio,omptempty"`
	Replied         *Int      `xmlrpc:"replied,omptempty"`
	RepliedRatio    *Int      `xmlrpc:"replied_ratio,omptempty"`
	Scheduled       *Int      `xmlrpc:"scheduled,omptempty"`
	Sent            *Int      `xmlrpc:"sent,omptempty"`
	SourceId        *Many2One `xmlrpc:"source_id,omptempty"`
	StageId         *Many2One `xmlrpc:"stage_id,omptempty"`
	TagIds          *Relation `xmlrpc:"tag_ids,omptempty"`
	Total           *Int      `xmlrpc:"total,omptempty"`
	TotalMailings   *Int      `xmlrpc:"total_mailings,omptempty"`
	UniqueAbTesting *Bool     `xmlrpc:"unique_ab_testing,omptempty"`
	UserId          *Many2One `xmlrpc:"user_id,omptempty"`
	WriteDate       *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailMassMailingCampaign represents mail.mass_mailing.campaign model.

func (*MailMassMailingCampaign) Many2One

func (mmc *MailMassMailingCampaign) Many2One() *Many2One

Many2One convert MailMassMailingCampaign to *Many2One.

type MailMassMailingCampaigns

type MailMassMailingCampaigns []MailMassMailingCampaign

MailMassMailingCampaigns represents array of mail.mass_mailing.campaign model.

type MailMassMailingContact

type MailMassMailingContact struct {
	LastUpdate               *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyName              *String   `xmlrpc:"company_name,omptempty"`
	CountryId                *Many2One `xmlrpc:"country_id,omptempty"`
	CreateDate               *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName              *String   `xmlrpc:"display_name,omptempty"`
	Email                    *String   `xmlrpc:"email,omptempty"`
	Id                       *Int      `xmlrpc:"id,omptempty"`
	ListIds                  *Relation `xmlrpc:"list_ids,omptempty"`
	MessageBounce            *Int      `xmlrpc:"message_bounce,omptempty"`
	MessageChannelIds        *Relation `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool     `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time     `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool     `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int      `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool     `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int      `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String   `xmlrpc:"name,omptempty"`
	OptOut                   *Bool     `xmlrpc:"opt_out,omptempty"`
	TagIds                   *Relation `xmlrpc:"tag_ids,omptempty"`
	TitleId                  *Many2One `xmlrpc:"title_id,omptempty"`
	UnsubscriptionDate       *Time     `xmlrpc:"unsubscription_date,omptempty"`
	WebsiteMessageIds        *Relation `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailMassMailingContact represents mail.mass_mailing.contact model.

func (*MailMassMailingContact) Many2One

func (mmc *MailMassMailingContact) Many2One() *Many2One

Many2One convert MailMassMailingContact to *Many2One.

type MailMassMailingContacts

type MailMassMailingContacts []MailMassMailingContact

MailMassMailingContacts represents array of mail.mass_mailing.contact model.

type MailMassMailingList

type MailMassMailingList struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	ContactNbr  *Int      `xmlrpc:"contact_nbr,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailMassMailingList represents mail.mass_mailing.list model.

func (*MailMassMailingList) Many2One

func (mml *MailMassMailingList) Many2One() *Many2One

Many2One convert MailMassMailingList to *Many2One.

type MailMassMailingLists

type MailMassMailingLists []MailMassMailingList

MailMassMailingLists represents array of mail.mass_mailing.list model.

type MailMassMailingStage

type MailMassMailingStage struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Sequence    *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailMassMailingStage represents mail.mass_mailing.stage model.

func (*MailMassMailingStage) Many2One

func (mms *MailMassMailingStage) Many2One() *Many2One

Many2One convert MailMassMailingStage to *Many2One.

type MailMassMailingStages

type MailMassMailingStages []MailMassMailingStage

MailMassMailingStages represents array of mail.mass_mailing.stage model.

type MailMassMailingTag

type MailMassMailingTag struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Color       *Int      `xmlrpc:"color,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailMassMailingTag represents mail.mass_mailing.tag model.

func (*MailMassMailingTag) Many2One

func (mmt *MailMassMailingTag) Many2One() *Many2One

Many2One convert MailMassMailingTag to *Many2One.

type MailMassMailingTags

type MailMassMailingTags []MailMassMailingTag

MailMassMailingTags represents array of mail.mass_mailing.tag model.

type MailMassMailings

type MailMassMailings []MailMassMailing

MailMassMailings represents array of mail.mass_mailing model.

type MailMessage

type MailMessage struct {
	LastUpdate           *Time      `xmlrpc:"__last_update,omptempty"`
	AttachmentIds        *Relation  `xmlrpc:"attachment_ids,omptempty"`
	AuthorAvatar         *String    `xmlrpc:"author_avatar,omptempty"`
	AuthorId             *Many2One  `xmlrpc:"author_id,omptempty"`
	Body                 *String    `xmlrpc:"body,omptempty"`
	ChannelIds           *Relation  `xmlrpc:"channel_ids,omptempty"`
	ChildIds             *Relation  `xmlrpc:"child_ids,omptempty"`
	CreateDate           *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid            *Many2One  `xmlrpc:"create_uid,omptempty"`
	Date                 *Time      `xmlrpc:"date,omptempty"`
	DisplayName          *String    `xmlrpc:"display_name,omptempty"`
	EmailFrom            *String    `xmlrpc:"email_from,omptempty"`
	Id                   *Int       `xmlrpc:"id,omptempty"`
	MailActivityTypeId   *Many2One  `xmlrpc:"mail_activity_type_id,omptempty"`
	MailServerId         *Many2One  `xmlrpc:"mail_server_id,omptempty"`
	MessageId            *String    `xmlrpc:"message_id,omptempty"`
	MessageType          *Selection `xmlrpc:"message_type,omptempty"`
	Model                *String    `xmlrpc:"model,omptempty"`
	Needaction           *Bool      `xmlrpc:"needaction,omptempty"`
	NeedactionPartnerIds *Relation  `xmlrpc:"needaction_partner_ids,omptempty"`
	NoAutoThread         *Bool      `xmlrpc:"no_auto_thread,omptempty"`
	NotificationIds      *Relation  `xmlrpc:"notification_ids,omptempty"`
	ParentId             *Many2One  `xmlrpc:"parent_id,omptempty"`
	PartnerIds           *Relation  `xmlrpc:"partner_ids,omptempty"`
	RatingIds            *Relation  `xmlrpc:"rating_ids,omptempty"`
	RatingValue          *Float     `xmlrpc:"rating_value,omptempty"`
	RecordName           *String    `xmlrpc:"record_name,omptempty"`
	ReplyTo              *String    `xmlrpc:"reply_to,omptempty"`
	ResId                *Int       `xmlrpc:"res_id,omptempty"`
	Starred              *Bool      `xmlrpc:"starred,omptempty"`
	StarredPartnerIds    *Relation  `xmlrpc:"starred_partner_ids,omptempty"`
	Subject              *String    `xmlrpc:"subject,omptempty"`
	SubtypeId            *Many2One  `xmlrpc:"subtype_id,omptempty"`
	TrackingValueIds     *Relation  `xmlrpc:"tracking_value_ids,omptempty"`
	WriteDate            *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid             *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailMessage represents mail.message model.

func (*MailMessage) Many2One

func (mm *MailMessage) Many2One() *Many2One

Many2One convert MailMessage to *Many2One.

type MailMessageSubtype

type MailMessageSubtype struct {
	LastUpdate    *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate    *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One `xmlrpc:"create_uid,omptempty"`
	Default       *Bool     `xmlrpc:"default,omptempty"`
	Description   *String   `xmlrpc:"description,omptempty"`
	DisplayName   *String   `xmlrpc:"display_name,omptempty"`
	Hidden        *Bool     `xmlrpc:"hidden,omptempty"`
	Id            *Int      `xmlrpc:"id,omptempty"`
	Internal      *Bool     `xmlrpc:"internal,omptempty"`
	Name          *String   `xmlrpc:"name,omptempty"`
	ParentId      *Many2One `xmlrpc:"parent_id,omptempty"`
	RelationField *String   `xmlrpc:"relation_field,omptempty"`
	ResModel      *String   `xmlrpc:"res_model,omptempty"`
	Sequence      *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate     *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailMessageSubtype represents mail.message.subtype model.

func (*MailMessageSubtype) Many2One

func (mms *MailMessageSubtype) Many2One() *Many2One

Many2One convert MailMessageSubtype to *Many2One.

type MailMessageSubtypes

type MailMessageSubtypes []MailMessageSubtype

MailMessageSubtypes represents array of mail.message.subtype model.

type MailMessages

type MailMessages []MailMessage

MailMessages represents array of mail.message model.

type MailNotification

type MailNotification struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	EmailStatus   *Selection `xmlrpc:"email_status,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	IsEmail       *Bool      `xmlrpc:"is_email,omptempty"`
	IsRead        *Bool      `xmlrpc:"is_read,omptempty"`
	MailMessageId *Many2One  `xmlrpc:"mail_message_id,omptempty"`
	ResPartnerId  *Many2One  `xmlrpc:"res_partner_id,omptempty"`
}

MailNotification represents mail.notification model.

func (*MailNotification) Many2One

func (mn *MailNotification) Many2One() *Many2One

Many2One convert MailNotification to *Many2One.

type MailNotifications

type MailNotifications []MailNotification

MailNotifications represents array of mail.notification model.

type MailShortcode

type MailShortcode struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One  `xmlrpc:"create_uid,omptempty"`
	Description   *String    `xmlrpc:"description,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	ShortcodeType *Selection `xmlrpc:"shortcode_type,omptempty"`
	Source        *String    `xmlrpc:"source,omptempty"`
	Substitution  *String    `xmlrpc:"substitution,omptempty"`
	UnicodeSource *String    `xmlrpc:"unicode_source,omptempty"`
	WriteDate     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One  `xmlrpc:"write_uid,omptempty"`
}

MailShortcode represents mail.shortcode model.

func (*MailShortcode) Many2One

func (ms *MailShortcode) Many2One() *Many2One

Many2One convert MailShortcode to *Many2One.

type MailShortcodes

type MailShortcodes []MailShortcode

MailShortcodes represents array of mail.shortcode model.

type MailStatisticsReport

type MailStatisticsReport struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	Bounced       *Int       `xmlrpc:"bounced,omptempty"`
	Campaign      *String    `xmlrpc:"campaign,omptempty"`
	Delivered     *Int       `xmlrpc:"delivered,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	EmailFrom     *String    `xmlrpc:"email_from,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	Name          *String    `xmlrpc:"name,omptempty"`
	Opened        *Int       `xmlrpc:"opened,omptempty"`
	Replied       *Int       `xmlrpc:"replied,omptempty"`
	ScheduledDate *Time      `xmlrpc:"scheduled_date,omptempty"`
	Sent          *Int       `xmlrpc:"sent,omptempty"`
	State         *Selection `xmlrpc:"state,omptempty"`
}

MailStatisticsReport represents mail.statistics.report model.

func (*MailStatisticsReport) Many2One

func (msr *MailStatisticsReport) Many2One() *Many2One

Many2One convert MailStatisticsReport to *Many2One.

type MailStatisticsReports

type MailStatisticsReports []MailStatisticsReport

MailStatisticsReports represents array of mail.statistics.report model.

type MailTemplate

type MailTemplate struct {
	LastUpdate          *Time     `xmlrpc:"__last_update,omptempty"`
	AttachmentIds       *Relation `xmlrpc:"attachment_ids,omptempty"`
	AutoDelete          *Bool     `xmlrpc:"auto_delete,omptempty"`
	BodyHtml            *String   `xmlrpc:"body_html,omptempty"`
	Copyvalue           *String   `xmlrpc:"copyvalue,omptempty"`
	CreateDate          *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid           *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName         *String   `xmlrpc:"display_name,omptempty"`
	EmailCc             *String   `xmlrpc:"email_cc,omptempty"`
	EmailFrom           *String   `xmlrpc:"email_from,omptempty"`
	EmailTo             *String   `xmlrpc:"email_to,omptempty"`
	Id                  *Int      `xmlrpc:"id,omptempty"`
	Lang                *String   `xmlrpc:"lang,omptempty"`
	MailServerId        *Many2One `xmlrpc:"mail_server_id,omptempty"`
	Model               *String   `xmlrpc:"model,omptempty"`
	ModelId             *Many2One `xmlrpc:"model_id,omptempty"`
	ModelObjectField    *Many2One `xmlrpc:"model_object_field,omptempty"`
	Name                *String   `xmlrpc:"name,omptempty"`
	NullValue           *String   `xmlrpc:"null_value,omptempty"`
	PartnerTo           *String   `xmlrpc:"partner_to,omptempty"`
	RefIrActWindow      *Many2One `xmlrpc:"ref_ir_act_window,omptempty"`
	ReplyTo             *String   `xmlrpc:"reply_to,omptempty"`
	ReportName          *String   `xmlrpc:"report_name,omptempty"`
	ReportTemplate      *Many2One `xmlrpc:"report_template,omptempty"`
	ScheduledDate       *String   `xmlrpc:"scheduled_date,omptempty"`
	SubModelObjectField *Many2One `xmlrpc:"sub_model_object_field,omptempty"`
	SubObject           *Many2One `xmlrpc:"sub_object,omptempty"`
	Subject             *String   `xmlrpc:"subject,omptempty"`
	UseDefaultTo        *Bool     `xmlrpc:"use_default_to,omptempty"`
	UserSignature       *Bool     `xmlrpc:"user_signature,omptempty"`
	WriteDate           *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid            *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailTemplate represents mail.template model.

func (*MailTemplate) Many2One

func (mt *MailTemplate) Many2One() *Many2One

Many2One convert MailTemplate to *Many2One.

type MailTemplates

type MailTemplates []MailTemplate

MailTemplates represents array of mail.template model.

type MailTestSimple

type MailTestSimple struct {
	LastUpdate               *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate               *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One `xmlrpc:"create_uid,omptempty"`
	Description              *String   `xmlrpc:"description,omptempty"`
	DisplayName              *String   `xmlrpc:"display_name,omptempty"`
	EmailFrom                *String   `xmlrpc:"email_from,omptempty"`
	Id                       *Int      `xmlrpc:"id,omptempty"`
	MessageChannelIds        *Relation `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool     `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time     `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool     `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int      `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool     `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int      `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String   `xmlrpc:"name,omptempty"`
	WebsiteMessageIds        *Relation `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailTestSimple represents mail.test.simple model.

func (*MailTestSimple) Many2One

func (mts *MailTestSimple) Many2One() *Many2One

Many2One convert MailTestSimple to *Many2One.

type MailTestSimples

type MailTestSimples []MailTestSimple

MailTestSimples represents array of mail.test.simple model.

type MailThread

type MailThread struct {
	LastUpdate               *Time     `xmlrpc:"__last_update,omptempty"`
	DisplayName              *String   `xmlrpc:"display_name,omptempty"`
	Id                       *Int      `xmlrpc:"id,omptempty"`
	MessageChannelIds        *Relation `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool     `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time     `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool     `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int      `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool     `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int      `xmlrpc:"message_unread_counter,omptempty"`
	WebsiteMessageIds        *Relation `xmlrpc:"website_message_ids,omptempty"`
}

MailThread represents mail.thread model.

func (*MailThread) Many2One

func (mt *MailThread) Many2One() *Many2One

Many2One convert MailThread to *Many2One.

type MailThreads

type MailThreads []MailThread

MailThreads represents array of mail.thread model.

type MailTrackingValue

type MailTrackingValue struct {
	LastUpdate       *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate       *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName      *String   `xmlrpc:"display_name,omptempty"`
	Field            *String   `xmlrpc:"field,omptempty"`
	FieldDesc        *String   `xmlrpc:"field_desc,omptempty"`
	FieldType        *String   `xmlrpc:"field_type,omptempty"`
	Id               *Int      `xmlrpc:"id,omptempty"`
	MailMessageId    *Many2One `xmlrpc:"mail_message_id,omptempty"`
	NewValueChar     *String   `xmlrpc:"new_value_char,omptempty"`
	NewValueDatetime *Time     `xmlrpc:"new_value_datetime,omptempty"`
	NewValueFloat    *Float    `xmlrpc:"new_value_float,omptempty"`
	NewValueInteger  *Int      `xmlrpc:"new_value_integer,omptempty"`
	NewValueMonetary *Float    `xmlrpc:"new_value_monetary,omptempty"`
	NewValueText     *String   `xmlrpc:"new_value_text,omptempty"`
	OldValueChar     *String   `xmlrpc:"old_value_char,omptempty"`
	OldValueDatetime *Time     `xmlrpc:"old_value_datetime,omptempty"`
	OldValueFloat    *Float    `xmlrpc:"old_value_float,omptempty"`
	OldValueInteger  *Int      `xmlrpc:"old_value_integer,omptempty"`
	OldValueMonetary *Float    `xmlrpc:"old_value_monetary,omptempty"`
	OldValueText     *String   `xmlrpc:"old_value_text,omptempty"`
	WriteDate        *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailTrackingValue represents mail.tracking.value model.

func (*MailTrackingValue) Many2One

func (mtv *MailTrackingValue) Many2One() *Many2One

Many2One convert MailTrackingValue to *Many2One.

type MailTrackingValues

type MailTrackingValues []MailTrackingValue

MailTrackingValues represents array of mail.tracking.value model.

type MailWizardInvite

type MailWizardInvite struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	ChannelIds  *Relation `xmlrpc:"channel_ids,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Message     *String   `xmlrpc:"message,omptempty"`
	PartnerIds  *Relation `xmlrpc:"partner_ids,omptempty"`
	ResId       *Int      `xmlrpc:"res_id,omptempty"`
	ResModel    *String   `xmlrpc:"res_model,omptempty"`
	SendMail    *Bool     `xmlrpc:"send_mail,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

MailWizardInvite represents mail.wizard.invite model.

func (*MailWizardInvite) Many2One

func (mwi *MailWizardInvite) Many2One() *Many2One

Many2One convert MailWizardInvite to *Many2One.

type MailWizardInvites

type MailWizardInvites []MailWizardInvite

MailWizardInvites represents array of mail.wizard.invite model.

type Many2One

type Many2One struct {
	ID   int64
	Name string
}

Many2One represents odoo many2one type. https://www.odoo.com/documentation/13.0/reference/orm.html#relational-fields

func NewMany2One

func NewMany2One(id int64, name string) *Many2One

NewMany2One create a new *Many2One.

func (*Many2One) Get

func (m *Many2One) Get() int64

Get *Many2One value.

type Options

type Options map[string]interface{}

Options allow you to filter search results.

func NewOptions

func NewOptions() *Options

NewOptions creates a new *Options

func (*Options) Add

func (o *Options) Add(opt string, v interface{}) *Options

Add on option by providing option name and value.

func (*Options) AllFields

func (o *Options) AllFields(fields ...string) *Options

AllFields is useful for FieldsGet function. It represents the fields to document you want odoo to return. https://www.odoo.com/documentation/13.0/reference/orm.html#fields-views

func (*Options) Attributes

func (o *Options) Attributes(attributes ...string) *Options

Attributes is useful for FieldsGet function. It represents the attributes to document you want odoo to return. https://www.odoo.com/documentation/13.0/reference/orm.html#fields-views

func (*Options) FetchFields

func (o *Options) FetchFields(fields ...string) *Options

FetchFields allow you to precise the model fields you want odoo to return. https://www.odoo.com/documentation/13.0/webservices/odoo.html#search-and-read

func (*Options) Limit

func (o *Options) Limit(limit int) *Options

Limit adds the limit options. https://www.odoo.com/documentation/13.0/webservices/odoo.html#pagination

func (*Options) Offset

func (o *Options) Offset(offset int) *Options

Offset adds the offset options. https://www.odoo.com/documentation/13.0/webservices/odoo.html#pagination

type PaymentAcquirer

type PaymentAcquirer struct {
	LastUpdate                 *Time      `xmlrpc:"__last_update,omptempty"`
	AuthorizeImplemented       *Bool      `xmlrpc:"authorize_implemented,omptempty"`
	CancelMsg                  *String    `xmlrpc:"cancel_msg,omptempty"`
	CaptureManually            *Bool      `xmlrpc:"capture_manually,omptempty"`
	CompanyId                  *Many2One  `xmlrpc:"company_id,omptempty"`
	CountryIds                 *Relation  `xmlrpc:"country_ids,omptempty"`
	CreateDate                 *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                  *Many2One  `xmlrpc:"create_uid,omptempty"`
	Description                *String    `xmlrpc:"description,omptempty"`
	DisplayName                *String    `xmlrpc:"display_name,omptempty"`
	DoneMsg                    *String    `xmlrpc:"done_msg,omptempty"`
	Environment                *Selection `xmlrpc:"environment,omptempty"`
	ErrorMsg                   *String    `xmlrpc:"error_msg,omptempty"`
	FeesActive                 *Bool      `xmlrpc:"fees_active,omptempty"`
	FeesDomFixed               *Float     `xmlrpc:"fees_dom_fixed,omptempty"`
	FeesDomVar                 *Float     `xmlrpc:"fees_dom_var,omptempty"`
	FeesImplemented            *Bool      `xmlrpc:"fees_implemented,omptempty"`
	FeesIntFixed               *Float     `xmlrpc:"fees_int_fixed,omptempty"`
	FeesIntVar                 *Float     `xmlrpc:"fees_int_var,omptempty"`
	Id                         *Int       `xmlrpc:"id,omptempty"`
	Image                      *String    `xmlrpc:"image,omptempty"`
	ImageMedium                *String    `xmlrpc:"image_medium,omptempty"`
	ImageSmall                 *String    `xmlrpc:"image_small,omptempty"`
	JournalId                  *Many2One  `xmlrpc:"journal_id,omptempty"`
	ModuleId                   *Many2One  `xmlrpc:"module_id,omptempty"`
	ModuleState                *Selection `xmlrpc:"module_state,omptempty"`
	Name                       *String    `xmlrpc:"name,omptempty"`
	PaymentFlow                *Selection `xmlrpc:"payment_flow,omptempty"`
	PaymentIconIds             *Relation  `xmlrpc:"payment_icon_ids,omptempty"`
	PendingMsg                 *String    `xmlrpc:"pending_msg,omptempty"`
	PostMsg                    *String    `xmlrpc:"post_msg,omptempty"`
	PreMsg                     *String    `xmlrpc:"pre_msg,omptempty"`
	Provider                   *Selection `xmlrpc:"provider,omptempty"`
	RegistrationViewTemplateId *Many2One  `xmlrpc:"registration_view_template_id,omptempty"`
	SaveToken                  *Selection `xmlrpc:"save_token,omptempty"`
	Sequence                   *Int       `xmlrpc:"sequence,omptempty"`
	SpecificCountries          *Bool      `xmlrpc:"specific_countries,omptempty"`
	TokenImplemented           *Bool      `xmlrpc:"token_implemented,omptempty"`
	ViewTemplateId             *Many2One  `xmlrpc:"view_template_id,omptempty"`
	WebsitePublished           *Bool      `xmlrpc:"website_published,omptempty"`
	WriteDate                  *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                   *Many2One  `xmlrpc:"write_uid,omptempty"`
}

PaymentAcquirer represents payment.acquirer model.

func (*PaymentAcquirer) Many2One

func (pa *PaymentAcquirer) Many2One() *Many2One

Many2One convert PaymentAcquirer to *Many2One.

type PaymentAcquirers

type PaymentAcquirers []PaymentAcquirer

PaymentAcquirers represents array of payment.acquirer model.

type PaymentIcon

type PaymentIcon struct {
	LastUpdate       *Time     `xmlrpc:"__last_update,omptempty"`
	AcquirerIds      *Relation `xmlrpc:"acquirer_ids,omptempty"`
	CreateDate       *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName      *String   `xmlrpc:"display_name,omptempty"`
	Id               *Int      `xmlrpc:"id,omptempty"`
	Image            *String   `xmlrpc:"image,omptempty"`
	ImagePaymentForm *String   `xmlrpc:"image_payment_form,omptempty"`
	Name             *String   `xmlrpc:"name,omptempty"`
	WriteDate        *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One `xmlrpc:"write_uid,omptempty"`
}

PaymentIcon represents payment.icon model.

func (*PaymentIcon) Many2One

func (pi *PaymentIcon) Many2One() *Many2One

Many2One convert PaymentIcon to *Many2One.

type PaymentIcons

type PaymentIcons []PaymentIcon

PaymentIcons represents array of payment.icon model.

type PaymentToken

type PaymentToken struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	AcquirerId  *Many2One `xmlrpc:"acquirer_id,omptempty"`
	AcquirerRef *String   `xmlrpc:"acquirer_ref,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	PartnerId   *Many2One `xmlrpc:"partner_id,omptempty"`
	PaymentIds  *Relation `xmlrpc:"payment_ids,omptempty"`
	ShortName   *String   `xmlrpc:"short_name,omptempty"`
	Verified    *Bool     `xmlrpc:"verified,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

PaymentToken represents payment.token model.

func (*PaymentToken) Many2One

func (pt *PaymentToken) Many2One() *Many2One

Many2One convert PaymentToken to *Many2One.

type PaymentTokens

type PaymentTokens []PaymentToken

PaymentTokens represents array of payment.token model.

type PaymentTransaction

type PaymentTransaction struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	AcquirerId        *Many2One  `xmlrpc:"acquirer_id,omptempty"`
	AcquirerReference *String    `xmlrpc:"acquirer_reference,omptempty"`
	Amount            *Float     `xmlrpc:"amount,omptempty"`
	CallbackHash      *String    `xmlrpc:"callback_hash,omptempty"`
	CallbackMethod    *String    `xmlrpc:"callback_method,omptempty"`
	CallbackModelId   *Many2One  `xmlrpc:"callback_model_id,omptempty"`
	CallbackResId     *Int       `xmlrpc:"callback_res_id,omptempty"`
	CreateDate        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId        *Many2One  `xmlrpc:"currency_id,omptempty"`
	DateValidate      *Time      `xmlrpc:"date_validate,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	Fees              *Float     `xmlrpc:"fees,omptempty"`
	Html3Ds           *String    `xmlrpc:"html_3ds,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	PartnerAddress    *String    `xmlrpc:"partner_address,omptempty"`
	PartnerCity       *String    `xmlrpc:"partner_city,omptempty"`
	PartnerCountryId  *Many2One  `xmlrpc:"partner_country_id,omptempty"`
	PartnerEmail      *String    `xmlrpc:"partner_email,omptempty"`
	PartnerId         *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerLang       *Selection `xmlrpc:"partner_lang,omptempty"`
	PartnerName       *String    `xmlrpc:"partner_name,omptempty"`
	PartnerPhone      *String    `xmlrpc:"partner_phone,omptempty"`
	PartnerZip        *String    `xmlrpc:"partner_zip,omptempty"`
	PaymentTokenId    *Many2One  `xmlrpc:"payment_token_id,omptempty"`
	Provider          *Selection `xmlrpc:"provider,omptempty"`
	Reference         *String    `xmlrpc:"reference,omptempty"`
	State             *Selection `xmlrpc:"state,omptempty"`
	StateMessage      *String    `xmlrpc:"state_message,omptempty"`
	Type              *Selection `xmlrpc:"type,omptempty"`
	WriteDate         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One  `xmlrpc:"write_uid,omptempty"`
}

PaymentTransaction represents payment.transaction model.

func (*PaymentTransaction) Many2One

func (pt *PaymentTransaction) Many2One() *Many2One

Many2One convert PaymentTransaction to *Many2One.

type PaymentTransactions

type PaymentTransactions []PaymentTransaction

PaymentTransactions represents array of payment.transaction model.

type PortalMixin

type PortalMixin struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
	PortalUrl   *String `xmlrpc:"portal_url,omptempty"`
}

PortalMixin represents portal.mixin model.

func (*PortalMixin) Many2One

func (pm *PortalMixin) Many2One() *Many2One

Many2One convert PortalMixin to *Many2One.

type PortalMixins

type PortalMixins []PortalMixin

PortalMixins represents array of portal.mixin model.

type PortalWizard

type PortalWizard struct {
	LastUpdate     *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate     *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String   `xmlrpc:"display_name,omptempty"`
	Id             *Int      `xmlrpc:"id,omptempty"`
	PortalId       *Many2One `xmlrpc:"portal_id,omptempty"`
	UserIds        *Relation `xmlrpc:"user_ids,omptempty"`
	WelcomeMessage *String   `xmlrpc:"welcome_message,omptempty"`
	WriteDate      *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One `xmlrpc:"write_uid,omptempty"`
}

PortalWizard represents portal.wizard model.

func (*PortalWizard) Many2One

func (pw *PortalWizard) Many2One() *Many2One

Many2One convert PortalWizard to *Many2One.

type PortalWizardUser

type PortalWizardUser struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Email       *String   `xmlrpc:"email,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	InPortal    *Bool     `xmlrpc:"in_portal,omptempty"`
	PartnerId   *Many2One `xmlrpc:"partner_id,omptempty"`
	UserId      *Many2One `xmlrpc:"user_id,omptempty"`
	WizardId    *Many2One `xmlrpc:"wizard_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

PortalWizardUser represents portal.wizard.user model.

func (*PortalWizardUser) Many2One

func (pwu *PortalWizardUser) Many2One() *Many2One

Many2One convert PortalWizardUser to *Many2One.

type PortalWizardUsers

type PortalWizardUsers []PortalWizardUser

PortalWizardUsers represents array of portal.wizard.user model.

type PortalWizards

type PortalWizards []PortalWizard

PortalWizards represents array of portal.wizard model.

type ProcurementGroup

type ProcurementGroup struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	MoveType    *Selection `xmlrpc:"move_type,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	PartnerId   *Many2One  `xmlrpc:"partner_id,omptempty"`
	SaleId      *Many2One  `xmlrpc:"sale_id,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ProcurementGroup represents procurement.group model.

func (*ProcurementGroup) Many2One

func (pg *ProcurementGroup) Many2One() *Many2One

Many2One convert ProcurementGroup to *Many2One.

type ProcurementGroups

type ProcurementGroups []ProcurementGroup

ProcurementGroups represents array of procurement.group model.

type ProcurementRule

type ProcurementRule struct {
	LastUpdate             *Time      `xmlrpc:"__last_update,omptempty"`
	Action                 *Selection `xmlrpc:"action,omptempty"`
	Active                 *Bool      `xmlrpc:"active,omptempty"`
	CompanyId              *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One  `xmlrpc:"create_uid,omptempty"`
	Delay                  *Int       `xmlrpc:"delay,omptempty"`
	DisplayName            *String    `xmlrpc:"display_name,omptempty"`
	GroupId                *Many2One  `xmlrpc:"group_id,omptempty"`
	GroupPropagationOption *Selection `xmlrpc:"group_propagation_option,omptempty"`
	Id                     *Int       `xmlrpc:"id,omptempty"`
	LocationId             *Many2One  `xmlrpc:"location_id,omptempty"`
	LocationSrcId          *Many2One  `xmlrpc:"location_src_id,omptempty"`
	Name                   *String    `xmlrpc:"name,omptempty"`
	PartnerAddressId       *Many2One  `xmlrpc:"partner_address_id,omptempty"`
	PickingTypeId          *Many2One  `xmlrpc:"picking_type_id,omptempty"`
	ProcureMethod          *Selection `xmlrpc:"procure_method,omptempty"`
	Propagate              *Bool      `xmlrpc:"propagate,omptempty"`
	PropagateWarehouseId   *Many2One  `xmlrpc:"propagate_warehouse_id,omptempty"`
	RouteId                *Many2One  `xmlrpc:"route_id,omptempty"`
	RouteSequence          *Int       `xmlrpc:"route_sequence,omptempty"`
	Sequence               *Int       `xmlrpc:"sequence,omptempty"`
	WarehouseId            *Many2One  `xmlrpc:"warehouse_id,omptempty"`
	WriteDate              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ProcurementRule represents procurement.rule model.

func (*ProcurementRule) Many2One

func (pr *ProcurementRule) Many2One() *Many2One

Many2One convert ProcurementRule to *Many2One.

type ProcurementRules

type ProcurementRules []ProcurementRule

ProcurementRules represents array of procurement.rule model.

type ProductAttribute

type ProductAttribute struct {
	LastUpdate       *Time     `xmlrpc:"__last_update,omptempty"`
	AttributeLineIds *Relation `xmlrpc:"attribute_line_ids,omptempty"`
	CreateDate       *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One `xmlrpc:"create_uid,omptempty"`
	CreateVariant    *Bool     `xmlrpc:"create_variant,omptempty"`
	DisplayName      *String   `xmlrpc:"display_name,omptempty"`
	Id               *Int      `xmlrpc:"id,omptempty"`
	Name             *String   `xmlrpc:"name,omptempty"`
	Sequence         *Int      `xmlrpc:"sequence,omptempty"`
	ValueIds         *Relation `xmlrpc:"value_ids,omptempty"`
	WriteDate        *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductAttribute represents product.attribute model.

func (*ProductAttribute) Many2One

func (pa *ProductAttribute) Many2One() *Many2One

Many2One convert ProductAttribute to *Many2One.

type ProductAttributeLine

type ProductAttributeLine struct {
	LastUpdate    *Time     `xmlrpc:"__last_update,omptempty"`
	AttributeId   *Many2One `xmlrpc:"attribute_id,omptempty"`
	CreateDate    *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName   *String   `xmlrpc:"display_name,omptempty"`
	Id            *Int      `xmlrpc:"id,omptempty"`
	ProductTmplId *Many2One `xmlrpc:"product_tmpl_id,omptempty"`
	ValueIds      *Relation `xmlrpc:"value_ids,omptempty"`
	WriteDate     *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductAttributeLine represents product.attribute.line model.

func (*ProductAttributeLine) Many2One

func (pal *ProductAttributeLine) Many2One() *Many2One

Many2One convert ProductAttributeLine to *Many2One.

type ProductAttributeLines

type ProductAttributeLines []ProductAttributeLine

ProductAttributeLines represents array of product.attribute.line model.

type ProductAttributePrice

type ProductAttributePrice struct {
	LastUpdate    *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate    *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName   *String   `xmlrpc:"display_name,omptempty"`
	Id            *Int      `xmlrpc:"id,omptempty"`
	PriceExtra    *Float    `xmlrpc:"price_extra,omptempty"`
	ProductTmplId *Many2One `xmlrpc:"product_tmpl_id,omptempty"`
	ValueId       *Many2One `xmlrpc:"value_id,omptempty"`
	WriteDate     *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductAttributePrice represents product.attribute.price model.

func (*ProductAttributePrice) Many2One

func (pap *ProductAttributePrice) Many2One() *Many2One

Many2One convert ProductAttributePrice to *Many2One.

type ProductAttributePrices

type ProductAttributePrices []ProductAttributePrice

ProductAttributePrices represents array of product.attribute.price model.

type ProductAttributeValue

type ProductAttributeValue struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	AttributeId *Many2One `xmlrpc:"attribute_id,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	PriceExtra  *Float    `xmlrpc:"price_extra,omptempty"`
	PriceIds    *Relation `xmlrpc:"price_ids,omptempty"`
	ProductIds  *Relation `xmlrpc:"product_ids,omptempty"`
	Sequence    *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductAttributeValue represents product.attribute.value model.

func (*ProductAttributeValue) Many2One

func (pav *ProductAttributeValue) Many2One() *Many2One

Many2One convert ProductAttributeValue to *Many2One.

type ProductAttributeValues

type ProductAttributeValues []ProductAttributeValue

ProductAttributeValues represents array of product.attribute.value model.

type ProductAttributes

type ProductAttributes []ProductAttribute

ProductAttributes represents array of product.attribute model.

type ProductCategory

type ProductCategory struct {
	LastUpdate                                  *Time      `xmlrpc:"__last_update,omptempty"`
	ChildId                                     *Relation  `xmlrpc:"child_id,omptempty"`
	CompleteName                                *String    `xmlrpc:"complete_name,omptempty"`
	CreateDate                                  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                                   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName                                 *String    `xmlrpc:"display_name,omptempty"`
	Id                                          *Int       `xmlrpc:"id,omptempty"`
	Name                                        *String    `xmlrpc:"name,omptempty"`
	ParentId                                    *Many2One  `xmlrpc:"parent_id,omptempty"`
	ParentLeft                                  *Int       `xmlrpc:"parent_left,omptempty"`
	ParentRight                                 *Int       `xmlrpc:"parent_right,omptempty"`
	ProductCount                                *Int       `xmlrpc:"product_count,omptempty"`
	PropertyAccountCreditorPriceDifferenceCateg *Many2One  `xmlrpc:"property_account_creditor_price_difference_categ,omptempty"`
	PropertyAccountExpenseCategId               *Many2One  `xmlrpc:"property_account_expense_categ_id,omptempty"`
	PropertyAccountIncomeCategId                *Many2One  `xmlrpc:"property_account_income_categ_id,omptempty"`
	PropertyCostMethod                          *Selection `xmlrpc:"property_cost_method,omptempty"`
	PropertyStockAccountInputCategId            *Many2One  `xmlrpc:"property_stock_account_input_categ_id,omptempty"`
	PropertyStockAccountOutputCategId           *Many2One  `xmlrpc:"property_stock_account_output_categ_id,omptempty"`
	PropertyStockJournal                        *Many2One  `xmlrpc:"property_stock_journal,omptempty"`
	PropertyStockValuationAccountId             *Many2One  `xmlrpc:"property_stock_valuation_account_id,omptempty"`
	PropertyValuation                           *Selection `xmlrpc:"property_valuation,omptempty"`
	RemovalStrategyId                           *Many2One  `xmlrpc:"removal_strategy_id,omptempty"`
	RouteIds                                    *Relation  `xmlrpc:"route_ids,omptempty"`
	TotalRouteIds                               *Relation  `xmlrpc:"total_route_ids,omptempty"`
	WriteDate                                   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                                    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ProductCategory represents product.category model.

func (*ProductCategory) Many2One

func (pc *ProductCategory) Many2One() *Many2One

Many2One convert ProductCategory to *Many2One.

type ProductCategorys

type ProductCategorys []ProductCategory

ProductCategorys represents array of product.category model.

type ProductPackaging

type ProductPackaging struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Barcode     *String   `xmlrpc:"barcode,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	ProductId   *Many2One `xmlrpc:"product_id,omptempty"`
	Qty         *Float    `xmlrpc:"qty,omptempty"`
	Sequence    *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductPackaging represents product.packaging model.

func (*ProductPackaging) Many2One

func (pp *ProductPackaging) Many2One() *Many2One

Many2One convert ProductPackaging to *Many2One.

type ProductPackagings

type ProductPackagings []ProductPackaging

ProductPackagings represents array of product.packaging model.

type ProductPriceHistory

type ProductPriceHistory struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyId   *Many2One `xmlrpc:"company_id,omptempty"`
	Cost        *Float    `xmlrpc:"cost,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	Datetime    *Time     `xmlrpc:"datetime,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	ProductId   *Many2One `xmlrpc:"product_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductPriceHistory represents product.price.history model.

func (*ProductPriceHistory) Many2One

func (pph *ProductPriceHistory) Many2One() *Many2One

Many2One convert ProductPriceHistory to *Many2One.

type ProductPriceHistorys

type ProductPriceHistorys []ProductPriceHistory

ProductPriceHistorys represents array of product.price.history model.

type ProductPriceList

type ProductPriceList struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	PriceList   *Many2One `xmlrpc:"price_list,omptempty"`
	Qty1        *Int      `xmlrpc:"qty1,omptempty"`
	Qty2        *Int      `xmlrpc:"qty2,omptempty"`
	Qty3        *Int      `xmlrpc:"qty3,omptempty"`
	Qty4        *Int      `xmlrpc:"qty4,omptempty"`
	Qty5        *Int      `xmlrpc:"qty5,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductPriceList represents product.price_list model.

func (*ProductPriceList) Many2One

func (pp *ProductPriceList) Many2One() *Many2One

Many2One convert ProductPriceList to *Many2One.

type ProductPriceLists

type ProductPriceLists []ProductPriceList

ProductPriceLists represents array of product.price_list model.

type ProductPricelist

type ProductPricelist struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	Active          *Bool      `xmlrpc:"active,omptempty"`
	CompanyId       *Many2One  `xmlrpc:"company_id,omptempty"`
	CountryGroupIds *Relation  `xmlrpc:"country_group_ids,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId      *Many2One  `xmlrpc:"currency_id,omptempty"`
	DiscountPolicy  *Selection `xmlrpc:"discount_policy,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	ItemIds         *Relation  `xmlrpc:"item_ids,omptempty"`
	Name            *String    `xmlrpc:"name,omptempty"`
	Sequence        *Int       `xmlrpc:"sequence,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ProductPricelist represents product.pricelist model.

func (*ProductPricelist) Many2One

func (pp *ProductPricelist) Many2One() *Many2One

Many2One convert ProductPricelist to *Many2One.

type ProductPricelistItem

type ProductPricelistItem struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	AppliedOn       *Selection `xmlrpc:"applied_on,omptempty"`
	Base            *Selection `xmlrpc:"base,omptempty"`
	BasePricelistId *Many2One  `xmlrpc:"base_pricelist_id,omptempty"`
	CategId         *Many2One  `xmlrpc:"categ_id,omptempty"`
	CompanyId       *Many2One  `xmlrpc:"company_id,omptempty"`
	ComputePrice    *Selection `xmlrpc:"compute_price,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId      *Many2One  `xmlrpc:"currency_id,omptempty"`
	DateEnd         *Time      `xmlrpc:"date_end,omptempty"`
	DateStart       *Time      `xmlrpc:"date_start,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	FixedPrice      *Float     `xmlrpc:"fixed_price,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	MinQuantity     *Int       `xmlrpc:"min_quantity,omptempty"`
	Name            *String    `xmlrpc:"name,omptempty"`
	PercentPrice    *Float     `xmlrpc:"percent_price,omptempty"`
	Price           *String    `xmlrpc:"price,omptempty"`
	PriceDiscount   *Float     `xmlrpc:"price_discount,omptempty"`
	PriceMaxMargin  *Float     `xmlrpc:"price_max_margin,omptempty"`
	PriceMinMargin  *Float     `xmlrpc:"price_min_margin,omptempty"`
	PriceRound      *Float     `xmlrpc:"price_round,omptempty"`
	PriceSurcharge  *Float     `xmlrpc:"price_surcharge,omptempty"`
	PricelistId     *Many2One  `xmlrpc:"pricelist_id,omptempty"`
	ProductId       *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductTmplId   *Many2One  `xmlrpc:"product_tmpl_id,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ProductPricelistItem represents product.pricelist.item model.

func (*ProductPricelistItem) Many2One

func (ppi *ProductPricelistItem) Many2One() *Many2One

Many2One convert ProductPricelistItem to *Many2One.

type ProductPricelistItems

type ProductPricelistItems []ProductPricelistItem

ProductPricelistItems represents array of product.pricelist.item model.

type ProductPricelists

type ProductPricelists []ProductPricelist

ProductPricelists represents array of product.pricelist model.

type ProductProduct

type ProductProduct struct {
	LastUpdate                             *Time      `xmlrpc:"__last_update,omptempty"`
	Active                                 *Bool      `xmlrpc:"active,omptempty"`
	ActivityDateDeadline                   *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds                            *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState                          *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary                        *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId                         *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId                         *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	AttributeLineIds                       *Relation  `xmlrpc:"attribute_line_ids,omptempty"`
	AttributeValueIds                      *Relation  `xmlrpc:"attribute_value_ids,omptempty"`
	Barcode                                *String    `xmlrpc:"barcode,omptempty"`
	CategId                                *Many2One  `xmlrpc:"categ_id,omptempty"`
	Code                                   *String    `xmlrpc:"code,omptempty"`
	Color                                  *Int       `xmlrpc:"color,omptempty"`
	CompanyId                              *Many2One  `xmlrpc:"company_id,omptempty"`
	CostCurrencyId                         *Many2One  `xmlrpc:"cost_currency_id,omptempty"`
	CostMethod                             *String    `xmlrpc:"cost_method,omptempty"`
	CreateDate                             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                              *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId                             *Many2One  `xmlrpc:"currency_id,omptempty"`
	DefaultCode                            *String    `xmlrpc:"default_code,omptempty"`
	Description                            *String    `xmlrpc:"description,omptempty"`
	DescriptionPicking                     *String    `xmlrpc:"description_picking,omptempty"`
	DescriptionPickingin                   *String    `xmlrpc:"description_pickingin,omptempty"`
	DescriptionPickingout                  *String    `xmlrpc:"description_pickingout,omptempty"`
	DescriptionPurchase                    *String    `xmlrpc:"description_purchase,omptempty"`
	DescriptionSale                        *String    `xmlrpc:"description_sale,omptempty"`
	DisplayName                            *String    `xmlrpc:"display_name,omptempty"`
	ExpensePolicy                          *Selection `xmlrpc:"expense_policy,omptempty"`
	Id                                     *Int       `xmlrpc:"id,omptempty"`
	Image                                  *String    `xmlrpc:"image,omptempty"`
	ImageMedium                            *String    `xmlrpc:"image_medium,omptempty"`
	ImageSmall                             *String    `xmlrpc:"image_small,omptempty"`
	ImageVariant                           *String    `xmlrpc:"image_variant,omptempty"`
	IncomingQty                            *Float     `xmlrpc:"incoming_qty,omptempty"`
	InvoicePolicy                          *Selection `xmlrpc:"invoice_policy,omptempty"`
	IsProductVariant                       *Bool      `xmlrpc:"is_product_variant,omptempty"`
	ItemIds                                *Relation  `xmlrpc:"item_ids,omptempty"`
	ListPrice                              *Float     `xmlrpc:"list_price,omptempty"`
	LocationId                             *Many2One  `xmlrpc:"location_id,omptempty"`
	LstPrice                               *Float     `xmlrpc:"lst_price,omptempty"`
	MessageChannelIds                      *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds                     *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds                             *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower                      *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost                        *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction                      *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter               *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds                      *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread                          *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter                   *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                                   *String    `xmlrpc:"name,omptempty"`
	NbrReorderingRules                     *Int       `xmlrpc:"nbr_reordering_rules,omptempty"`
	OrderpointIds                          *Relation  `xmlrpc:"orderpoint_ids,omptempty"`
	OutgoingQty                            *Float     `xmlrpc:"outgoing_qty,omptempty"`
	PackagingIds                           *Relation  `xmlrpc:"packaging_ids,omptempty"`
	PartnerRef                             *String    `xmlrpc:"partner_ref,omptempty"`
	Price                                  *Float     `xmlrpc:"price,omptempty"`
	PriceExtra                             *Float     `xmlrpc:"price_extra,omptempty"`
	PricelistId                            *Many2One  `xmlrpc:"pricelist_id,omptempty"`
	PricelistItemIds                       *Relation  `xmlrpc:"pricelist_item_ids,omptempty"`
	ProductTmplId                          *Many2One  `xmlrpc:"product_tmpl_id,omptempty"`
	ProductVariantCount                    *Int       `xmlrpc:"product_variant_count,omptempty"`
	ProductVariantId                       *Many2One  `xmlrpc:"product_variant_id,omptempty"`
	ProductVariantIds                      *Relation  `xmlrpc:"product_variant_ids,omptempty"`
	ProjectId                              *Many2One  `xmlrpc:"project_id,omptempty"`
	PropertyAccountCreditorPriceDifference *Many2One  `xmlrpc:"property_account_creditor_price_difference,omptempty"`
	PropertyAccountExpenseId               *Many2One  `xmlrpc:"property_account_expense_id,omptempty"`
	PropertyAccountIncomeId                *Many2One  `xmlrpc:"property_account_income_id,omptempty"`
	PropertyCostMethod                     *Selection `xmlrpc:"property_cost_method,omptempty"`
	PropertyStockAccountInput              *Many2One  `xmlrpc:"property_stock_account_input,omptempty"`
	PropertyStockAccountOutput             *Many2One  `xmlrpc:"property_stock_account_output,omptempty"`
	PropertyStockInventory                 *Many2One  `xmlrpc:"property_stock_inventory,omptempty"`
	PropertyStockProduction                *Many2One  `xmlrpc:"property_stock_production,omptempty"`
	PropertyValuation                      *Selection `xmlrpc:"property_valuation,omptempty"`
	PurchaseCount                          *Int       `xmlrpc:"purchase_count,omptempty"`
	PurchaseLineWarn                       *Selection `xmlrpc:"purchase_line_warn,omptempty"`
	PurchaseLineWarnMsg                    *String    `xmlrpc:"purchase_line_warn_msg,omptempty"`
	PurchaseMethod                         *Selection `xmlrpc:"purchase_method,omptempty"`
	PurchaseOk                             *Bool      `xmlrpc:"purchase_ok,omptempty"`
	QtyAtDate                              *Float     `xmlrpc:"qty_at_date,omptempty"`
	QtyAvailable                           *Float     `xmlrpc:"qty_available,omptempty"`
	Rental                                 *Bool      `xmlrpc:"rental,omptempty"`
	ReorderingMaxQty                       *Float     `xmlrpc:"reordering_max_qty,omptempty"`
	ReorderingMinQty                       *Float     `xmlrpc:"reordering_min_qty,omptempty"`
	ResponsibleId                          *Many2One  `xmlrpc:"responsible_id,omptempty"`
	RouteFromCategIds                      *Relation  `xmlrpc:"route_from_categ_ids,omptempty"`
	RouteIds                               *Relation  `xmlrpc:"route_ids,omptempty"`
	SaleDelay                              *Float     `xmlrpc:"sale_delay,omptempty"`
	SaleLineWarn                           *Selection `xmlrpc:"sale_line_warn,omptempty"`
	SaleLineWarnMsg                        *String    `xmlrpc:"sale_line_warn_msg,omptempty"`
	SaleOk                                 *Bool      `xmlrpc:"sale_ok,omptempty"`
	SalesCount                             *Int       `xmlrpc:"sales_count,omptempty"`
	SellerIds                              *Relation  `xmlrpc:"seller_ids,omptempty"`
	Sequence                               *Int       `xmlrpc:"sequence,omptempty"`
	ServicePolicy                          *Selection `xmlrpc:"service_policy,omptempty"`
	ServiceTracking                        *Selection `xmlrpc:"service_tracking,omptempty"`
	ServiceType                            *Selection `xmlrpc:"service_type,omptempty"`
	StandardPrice                          *Float     `xmlrpc:"standard_price,omptempty"`
	StockFifoManualMoveIds                 *Relation  `xmlrpc:"stock_fifo_manual_move_ids,omptempty"`
	StockFifoRealTimeAmlIds                *Relation  `xmlrpc:"stock_fifo_real_time_aml_ids,omptempty"`
	StockMoveIds                           *Relation  `xmlrpc:"stock_move_ids,omptempty"`
	StockQuantIds                          *Relation  `xmlrpc:"stock_quant_ids,omptempty"`
	StockValue                             *Float     `xmlrpc:"stock_value,omptempty"`
	SupplierTaxesId                        *Relation  `xmlrpc:"supplier_taxes_id,omptempty"`
	TaxesId                                *Relation  `xmlrpc:"taxes_id,omptempty"`
	Tracking                               *Selection `xmlrpc:"tracking,omptempty"`
	Type                                   *Selection `xmlrpc:"type,omptempty"`
	UomId                                  *Many2One  `xmlrpc:"uom_id,omptempty"`
	UomPoId                                *Many2One  `xmlrpc:"uom_po_id,omptempty"`
	Valuation                              *String    `xmlrpc:"valuation,omptempty"`
	VariantSellerIds                       *Relation  `xmlrpc:"variant_seller_ids,omptempty"`
	VirtualAvailable                       *Float     `xmlrpc:"virtual_available,omptempty"`
	Volume                                 *Float     `xmlrpc:"volume,omptempty"`
	WarehouseId                            *Many2One  `xmlrpc:"warehouse_id,omptempty"`
	WebsiteMessageIds                      *Relation  `xmlrpc:"website_message_ids,omptempty"`
	Weight                                 *Float     `xmlrpc:"weight,omptempty"`
	WriteDate                              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ProductProduct represents product.product model.

func (*ProductProduct) Many2One

func (pp *ProductProduct) Many2One() *Many2One

Many2One convert ProductProduct to *Many2One.

type ProductProducts

type ProductProducts []ProductProduct

ProductProducts represents array of product.product model.

type ProductPutaway

type ProductPutaway struct {
	LastUpdate       *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate       *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName      *String   `xmlrpc:"display_name,omptempty"`
	FixedLocationIds *Relation `xmlrpc:"fixed_location_ids,omptempty"`
	Id               *Int      `xmlrpc:"id,omptempty"`
	Name             *String   `xmlrpc:"name,omptempty"`
	WriteDate        *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductPutaway represents product.putaway model.

func (*ProductPutaway) Many2One

func (pp *ProductPutaway) Many2One() *Many2One

Many2One convert ProductPutaway to *Many2One.

type ProductPutaways

type ProductPutaways []ProductPutaway

ProductPutaways represents array of product.putaway model.

type ProductRemoval

type ProductRemoval struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Method      *String   `xmlrpc:"method,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductRemoval represents product.removal model.

func (*ProductRemoval) Many2One

func (pr *ProductRemoval) Many2One() *Many2One

Many2One convert ProductRemoval to *Many2One.

type ProductRemovals

type ProductRemovals []ProductRemoval

ProductRemovals represents array of product.removal model.

type ProductSupplierinfo

type ProductSupplierinfo struct {
	LastUpdate          *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyId           *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate          *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid           *Many2One `xmlrpc:"create_uid,omptempty"`
	CurrencyId          *Many2One `xmlrpc:"currency_id,omptempty"`
	DateEnd             *Time     `xmlrpc:"date_end,omptempty"`
	DateStart           *Time     `xmlrpc:"date_start,omptempty"`
	Delay               *Int      `xmlrpc:"delay,omptempty"`
	DisplayName         *String   `xmlrpc:"display_name,omptempty"`
	Id                  *Int      `xmlrpc:"id,omptempty"`
	MinQty              *Float    `xmlrpc:"min_qty,omptempty"`
	Name                *Many2One `xmlrpc:"name,omptempty"`
	Price               *Float    `xmlrpc:"price,omptempty"`
	ProductCode         *String   `xmlrpc:"product_code,omptempty"`
	ProductId           *Many2One `xmlrpc:"product_id,omptempty"`
	ProductName         *String   `xmlrpc:"product_name,omptempty"`
	ProductTmplId       *Many2One `xmlrpc:"product_tmpl_id,omptempty"`
	ProductUom          *Many2One `xmlrpc:"product_uom,omptempty"`
	ProductVariantCount *Int      `xmlrpc:"product_variant_count,omptempty"`
	Sequence            *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate           *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid            *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductSupplierinfo represents product.supplierinfo model.

func (*ProductSupplierinfo) Many2One

func (ps *ProductSupplierinfo) Many2One() *Many2One

Many2One convert ProductSupplierinfo to *Many2One.

type ProductSupplierinfos

type ProductSupplierinfos []ProductSupplierinfo

ProductSupplierinfos represents array of product.supplierinfo model.

type ProductTemplate

type ProductTemplate struct {
	LastUpdate                             *Time      `xmlrpc:"__last_update,omptempty"`
	Active                                 *Bool      `xmlrpc:"active,omptempty"`
	ActivityDateDeadline                   *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds                            *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState                          *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary                        *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId                         *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId                         *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	AttributeLineIds                       *Relation  `xmlrpc:"attribute_line_ids,omptempty"`
	Barcode                                *String    `xmlrpc:"barcode,omptempty"`
	CategId                                *Many2One  `xmlrpc:"categ_id,omptempty"`
	Color                                  *Int       `xmlrpc:"color,omptempty"`
	CompanyId                              *Many2One  `xmlrpc:"company_id,omptempty"`
	CostCurrencyId                         *Many2One  `xmlrpc:"cost_currency_id,omptempty"`
	CostMethod                             *String    `xmlrpc:"cost_method,omptempty"`
	CreateDate                             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                              *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId                             *Many2One  `xmlrpc:"currency_id,omptempty"`
	DefaultCode                            *String    `xmlrpc:"default_code,omptempty"`
	Description                            *String    `xmlrpc:"description,omptempty"`
	DescriptionPicking                     *String    `xmlrpc:"description_picking,omptempty"`
	DescriptionPickingin                   *String    `xmlrpc:"description_pickingin,omptempty"`
	DescriptionPickingout                  *String    `xmlrpc:"description_pickingout,omptempty"`
	DescriptionPurchase                    *String    `xmlrpc:"description_purchase,omptempty"`
	DescriptionSale                        *String    `xmlrpc:"description_sale,omptempty"`
	DisplayName                            *String    `xmlrpc:"display_name,omptempty"`
	ExpensePolicy                          *Selection `xmlrpc:"expense_policy,omptempty"`
	Id                                     *Int       `xmlrpc:"id,omptempty"`
	Image                                  *String    `xmlrpc:"image,omptempty"`
	ImageMedium                            *String    `xmlrpc:"image_medium,omptempty"`
	ImageSmall                             *String    `xmlrpc:"image_small,omptempty"`
	IncomingQty                            *Float     `xmlrpc:"incoming_qty,omptempty"`
	InvoicePolicy                          *Selection `xmlrpc:"invoice_policy,omptempty"`
	IsProductVariant                       *Bool      `xmlrpc:"is_product_variant,omptempty"`
	ItemIds                                *Relation  `xmlrpc:"item_ids,omptempty"`
	ListPrice                              *Float     `xmlrpc:"list_price,omptempty"`
	LocationId                             *Many2One  `xmlrpc:"location_id,omptempty"`
	LstPrice                               *Float     `xmlrpc:"lst_price,omptempty"`
	MessageChannelIds                      *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds                     *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds                             *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower                      *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost                        *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction                      *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter               *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds                      *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread                          *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter                   *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                                   *String    `xmlrpc:"name,omptempty"`
	NbrReorderingRules                     *Int       `xmlrpc:"nbr_reordering_rules,omptempty"`
	OutgoingQty                            *Float     `xmlrpc:"outgoing_qty,omptempty"`
	PackagingIds                           *Relation  `xmlrpc:"packaging_ids,omptempty"`
	Price                                  *Float     `xmlrpc:"price,omptempty"`
	PricelistId                            *Many2One  `xmlrpc:"pricelist_id,omptempty"`
	ProductVariantCount                    *Int       `xmlrpc:"product_variant_count,omptempty"`
	ProductVariantId                       *Many2One  `xmlrpc:"product_variant_id,omptempty"`
	ProductVariantIds                      *Relation  `xmlrpc:"product_variant_ids,omptempty"`
	ProjectId                              *Many2One  `xmlrpc:"project_id,omptempty"`
	PropertyAccountCreditorPriceDifference *Many2One  `xmlrpc:"property_account_creditor_price_difference,omptempty"`
	PropertyAccountExpenseId               *Many2One  `xmlrpc:"property_account_expense_id,omptempty"`
	PropertyAccountIncomeId                *Many2One  `xmlrpc:"property_account_income_id,omptempty"`
	PropertyCostMethod                     *Selection `xmlrpc:"property_cost_method,omptempty"`
	PropertyStockAccountInput              *Many2One  `xmlrpc:"property_stock_account_input,omptempty"`
	PropertyStockAccountOutput             *Many2One  `xmlrpc:"property_stock_account_output,omptempty"`
	PropertyStockInventory                 *Many2One  `xmlrpc:"property_stock_inventory,omptempty"`
	PropertyStockProduction                *Many2One  `xmlrpc:"property_stock_production,omptempty"`
	PropertyValuation                      *Selection `xmlrpc:"property_valuation,omptempty"`
	PurchaseCount                          *Int       `xmlrpc:"purchase_count,omptempty"`
	PurchaseLineWarn                       *Selection `xmlrpc:"purchase_line_warn,omptempty"`
	PurchaseLineWarnMsg                    *String    `xmlrpc:"purchase_line_warn_msg,omptempty"`
	PurchaseMethod                         *Selection `xmlrpc:"purchase_method,omptempty"`
	PurchaseOk                             *Bool      `xmlrpc:"purchase_ok,omptempty"`
	QtyAvailable                           *Float     `xmlrpc:"qty_available,omptempty"`
	Rental                                 *Bool      `xmlrpc:"rental,omptempty"`
	ReorderingMaxQty                       *Float     `xmlrpc:"reordering_max_qty,omptempty"`
	ReorderingMinQty                       *Float     `xmlrpc:"reordering_min_qty,omptempty"`
	ResponsibleId                          *Many2One  `xmlrpc:"responsible_id,omptempty"`
	RouteFromCategIds                      *Relation  `xmlrpc:"route_from_categ_ids,omptempty"`
	RouteIds                               *Relation  `xmlrpc:"route_ids,omptempty"`
	SaleDelay                              *Float     `xmlrpc:"sale_delay,omptempty"`
	SaleLineWarn                           *Selection `xmlrpc:"sale_line_warn,omptempty"`
	SaleLineWarnMsg                        *String    `xmlrpc:"sale_line_warn_msg,omptempty"`
	SaleOk                                 *Bool      `xmlrpc:"sale_ok,omptempty"`
	SalesCount                             *Int       `xmlrpc:"sales_count,omptempty"`
	SellerIds                              *Relation  `xmlrpc:"seller_ids,omptempty"`
	Sequence                               *Int       `xmlrpc:"sequence,omptempty"`
	ServicePolicy                          *Selection `xmlrpc:"service_policy,omptempty"`
	ServiceTracking                        *Selection `xmlrpc:"service_tracking,omptempty"`
	ServiceType                            *Selection `xmlrpc:"service_type,omptempty"`
	StandardPrice                          *Float     `xmlrpc:"standard_price,omptempty"`
	SupplierTaxesId                        *Relation  `xmlrpc:"supplier_taxes_id,omptempty"`
	TaxesId                                *Relation  `xmlrpc:"taxes_id,omptempty"`
	Tracking                               *Selection `xmlrpc:"tracking,omptempty"`
	Type                                   *Selection `xmlrpc:"type,omptempty"`
	UomId                                  *Many2One  `xmlrpc:"uom_id,omptempty"`
	UomPoId                                *Many2One  `xmlrpc:"uom_po_id,omptempty"`
	Valuation                              *String    `xmlrpc:"valuation,omptempty"`
	VariantSellerIds                       *Relation  `xmlrpc:"variant_seller_ids,omptempty"`
	VirtualAvailable                       *Float     `xmlrpc:"virtual_available,omptempty"`
	Volume                                 *Float     `xmlrpc:"volume,omptempty"`
	WarehouseId                            *Many2One  `xmlrpc:"warehouse_id,omptempty"`
	WebsiteMessageIds                      *Relation  `xmlrpc:"website_message_ids,omptempty"`
	Weight                                 *Float     `xmlrpc:"weight,omptempty"`
	WriteDate                              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ProductTemplate represents product.template model.

func (*ProductTemplate) Many2One

func (pt *ProductTemplate) Many2One() *Many2One

Many2One convert ProductTemplate to *Many2One.

type ProductTemplates

type ProductTemplates []ProductTemplate

ProductTemplates represents array of product.template model.

type ProductUom

type ProductUom struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	Active      *Bool      `xmlrpc:"active,omptempty"`
	CategoryId  *Many2One  `xmlrpc:"category_id,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	Factor      *Float     `xmlrpc:"factor,omptempty"`
	FactorInv   *Float     `xmlrpc:"factor_inv,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	Rounding    *Float     `xmlrpc:"rounding,omptempty"`
	UomType     *Selection `xmlrpc:"uom_type,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ProductUom represents product.uom model.

func (*ProductUom) Many2One

func (pu *ProductUom) Many2One() *Many2One

Many2One convert ProductUom to *Many2One.

type ProductUomCateg

type ProductUomCateg struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProductUomCateg represents product.uom.categ model.

func (*ProductUomCateg) Many2One

func (puc *ProductUomCateg) Many2One() *Many2One

Many2One convert ProductUomCateg to *Many2One.

type ProductUomCategs

type ProductUomCategs []ProductUomCateg

ProductUomCategs represents array of product.uom.categ model.

type ProductUoms

type ProductUoms []ProductUom

ProductUoms represents array of product.uom model.

type ProjectProject

type ProjectProject struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	Active                   *Bool      `xmlrpc:"active,omptempty"`
	AliasContact             *Selection `xmlrpc:"alias_contact,omptempty"`
	AliasDefaults            *String    `xmlrpc:"alias_defaults,omptempty"`
	AliasDomain              *String    `xmlrpc:"alias_domain,omptempty"`
	AliasForceThreadId       *Int       `xmlrpc:"alias_force_thread_id,omptempty"`
	AliasId                  *Many2One  `xmlrpc:"alias_id,omptempty"`
	AliasModelId             *Many2One  `xmlrpc:"alias_model_id,omptempty"`
	AliasName                *String    `xmlrpc:"alias_name,omptempty"`
	AliasParentModelId       *Many2One  `xmlrpc:"alias_parent_model_id,omptempty"`
	AliasParentThreadId      *Int       `xmlrpc:"alias_parent_thread_id,omptempty"`
	AliasUserId              *Many2One  `xmlrpc:"alias_user_id,omptempty"`
	AllowTimesheets          *Bool      `xmlrpc:"allow_timesheets,omptempty"`
	AnalyticAccountId        *Many2One  `xmlrpc:"analytic_account_id,omptempty"`
	Balance                  *Float     `xmlrpc:"balance,omptempty"`
	Code                     *String    `xmlrpc:"code,omptempty"`
	Color                    *Int       `xmlrpc:"color,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CompanyUomId             *Many2One  `xmlrpc:"company_uom_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	Credit                   *Float     `xmlrpc:"credit,omptempty"`
	CurrencyId               *Many2One  `xmlrpc:"currency_id,omptempty"`
	Date                     *Time      `xmlrpc:"date,omptempty"`
	DateStart                *Time      `xmlrpc:"date_start,omptempty"`
	Debit                    *Float     `xmlrpc:"debit,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	DocCount                 *Int       `xmlrpc:"doc_count,omptempty"`
	FavoriteUserIds          *Relation  `xmlrpc:"favorite_user_ids,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	IsFavorite               *Bool      `xmlrpc:"is_favorite,omptempty"`
	LabelTasks               *String    `xmlrpc:"label_tasks,omptempty"`
	LineIds                  *Relation  `xmlrpc:"line_ids,omptempty"`
	MachineInitiativeName    *String    `xmlrpc:"machine_initiative_name,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	PartnerId                *Many2One  `xmlrpc:"partner_id,omptempty"`
	PortalUrl                *String    `xmlrpc:"portal_url,omptempty"`
	PrivacyVisibility        *Selection `xmlrpc:"privacy_visibility,omptempty"`
	ProjectCount             *Int       `xmlrpc:"project_count,omptempty"`
	ProjectIds               *Relation  `xmlrpc:"project_ids,omptempty"`
	ResourceCalendarId       *Many2One  `xmlrpc:"resource_calendar_id,omptempty"`
	SaleLineId               *Many2One  `xmlrpc:"sale_line_id,omptempty"`
	Sequence                 *Int       `xmlrpc:"sequence,omptempty"`
	SubtaskProjectId         *Many2One  `xmlrpc:"subtask_project_id,omptempty"`
	TagIds                   *Relation  `xmlrpc:"tag_ids,omptempty"`
	TaskCount                *Int       `xmlrpc:"task_count,omptempty"`
	TaskIds                  *Relation  `xmlrpc:"task_ids,omptempty"`
	TaskNeedactionCount      *Int       `xmlrpc:"task_needaction_count,omptempty"`
	Tasks                    *Relation  `xmlrpc:"tasks,omptempty"`
	TypeIds                  *Relation  `xmlrpc:"type_ids,omptempty"`
	UserId                   *Many2One  `xmlrpc:"user_id,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

func (*ProjectProject) Many2One

func (pp *ProjectProject) Many2One() *Many2One

Many2One convert ProjectProject to *Many2One.

type ProjectProjects

type ProjectProjects []ProjectProject

ProjectProjects represents array of project.project model.

type ProjectTags

type ProjectTags struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Color       *Int      `xmlrpc:"color,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProjectTags represents project.tags model.

func (*ProjectTags) Many2One

func (pt *ProjectTags) Many2One() *Many2One

Many2One convert ProjectTags to *Many2One.

type ProjectTagss

type ProjectTagss []ProjectTags

ProjectTagss represents array of project.tags model.

type ProjectTask

type ProjectTask struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	Active                   *Bool      `xmlrpc:"active,omptempty"`
	ActivityDateDeadline     *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds              *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState            *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary          *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId           *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId           *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	AttachmentIds            *Relation  `xmlrpc:"attachment_ids,omptempty"`
	ChildIds                 *Relation  `xmlrpc:"child_ids,omptempty"`
	ChildrenHours            *Float     `xmlrpc:"children_hours,omptempty"`
	Color                    *Int       `xmlrpc:"color,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateAssign               *Time      `xmlrpc:"date_assign,omptempty"`
	DateDeadline             *Time      `xmlrpc:"date_deadline,omptempty"`
	DateEnd                  *Time      `xmlrpc:"date_end,omptempty"`
	DateLastStageUpdate      *Time      `xmlrpc:"date_last_stage_update,omptempty"`
	DateStart                *Time      `xmlrpc:"date_start,omptempty"`
	DelayHours               *Float     `xmlrpc:"delay_hours,omptempty"`
	Description              *String    `xmlrpc:"description,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	DisplayedImageId         *Many2One  `xmlrpc:"displayed_image_id,omptempty"`
	EffectiveHours           *Float     `xmlrpc:"effective_hours,omptempty"`
	EmailCc                  *String    `xmlrpc:"email_cc,omptempty"`
	EmailFrom                *String    `xmlrpc:"email_from,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	KanbanState              *Selection `xmlrpc:"kanban_state,omptempty"`
	KanbanStateLabel         *String    `xmlrpc:"kanban_state_label,omptempty"`
	LegendBlocked            *String    `xmlrpc:"legend_blocked,omptempty"`
	LegendDone               *String    `xmlrpc:"legend_done,omptempty"`
	LegendNormal             *String    `xmlrpc:"legend_normal,omptempty"`
	ManagerId                *Many2One  `xmlrpc:"manager_id,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	Notes                    *String    `xmlrpc:"notes,omptempty"`
	ParentId                 *Many2One  `xmlrpc:"parent_id,omptempty"`
	PartnerId                *Many2One  `xmlrpc:"partner_id,omptempty"`
	PlannedHours             *Float     `xmlrpc:"planned_hours,omptempty"`
	PortalUrl                *String    `xmlrpc:"portal_url,omptempty"`
	Priority                 *Selection `xmlrpc:"priority,omptempty"`
	Progress                 *Float     `xmlrpc:"progress,omptempty"`
	ProjectId                *Many2One  `xmlrpc:"project_id,omptempty"`
	RemainingHours           *Float     `xmlrpc:"remaining_hours,omptempty"`
	SaleLineId               *Many2One  `xmlrpc:"sale_line_id,omptempty"`
	Sequence                 *Int       `xmlrpc:"sequence,omptempty"`
	StageId                  *Many2One  `xmlrpc:"stage_id,omptempty"`
	SubtaskCount             *Int       `xmlrpc:"subtask_count,omptempty"`
	SubtaskProjectId         *Many2One  `xmlrpc:"subtask_project_id,omptempty"`
	TagIds                   *Relation  `xmlrpc:"tag_ids,omptempty"`
	TimesheetIds             *Relation  `xmlrpc:"timesheet_ids,omptempty"`
	TotalHours               *Float     `xmlrpc:"total_hours,omptempty"`
	TotalHoursSpent          *Float     `xmlrpc:"total_hours_spent,omptempty"`
	UserEmail                *String    `xmlrpc:"user_email,omptempty"`
	UserId                   *Many2One  `xmlrpc:"user_id,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WorkingDaysClose         *Float     `xmlrpc:"working_days_close,omptempty"`
	WorkingDaysOpen          *Float     `xmlrpc:"working_days_open,omptempty"`
	WorkingHoursClose        *Float     `xmlrpc:"working_hours_close,omptempty"`
	WorkingHoursOpen         *Float     `xmlrpc:"working_hours_open,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ProjectTask represents project.task model.

func (*ProjectTask) Many2One

func (pt *ProjectTask) Many2One() *Many2One

Many2One convert ProjectTask to *Many2One.

type ProjectTaskMergeWizard

type ProjectTaskMergeWizard struct {
	LastUpdate      *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate      *Time     `xmlrpc:"create_date,omptempty"`
	CreateNewTask   *Bool     `xmlrpc:"create_new_task,omptempty"`
	CreateUid       *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName     *String   `xmlrpc:"display_name,omptempty"`
	Id              *Int      `xmlrpc:"id,omptempty"`
	TargetProjectId *Many2One `xmlrpc:"target_project_id,omptempty"`
	TargetTaskId    *Many2One `xmlrpc:"target_task_id,omptempty"`
	TargetTaskName  *String   `xmlrpc:"target_task_name,omptempty"`
	TaskIds         *Relation `xmlrpc:"task_ids,omptempty"`
	UserId          *Many2One `xmlrpc:"user_id,omptempty"`
	WriteDate       *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProjectTaskMergeWizard represents project.task.merge.wizard model.

func (*ProjectTaskMergeWizard) Many2One

func (ptmw *ProjectTaskMergeWizard) Many2One() *Many2One

Many2One convert ProjectTaskMergeWizard to *Many2One.

type ProjectTaskMergeWizards

type ProjectTaskMergeWizards []ProjectTaskMergeWizard

ProjectTaskMergeWizards represents array of project.task.merge.wizard model.

type ProjectTaskType

type ProjectTaskType struct {
	LastUpdate     *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate     *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One `xmlrpc:"create_uid,omptempty"`
	Description    *String   `xmlrpc:"description,omptempty"`
	DisplayName    *String   `xmlrpc:"display_name,omptempty"`
	Fold           *Bool     `xmlrpc:"fold,omptempty"`
	Id             *Int      `xmlrpc:"id,omptempty"`
	LegendBlocked  *String   `xmlrpc:"legend_blocked,omptempty"`
	LegendDone     *String   `xmlrpc:"legend_done,omptempty"`
	LegendNormal   *String   `xmlrpc:"legend_normal,omptempty"`
	LegendPriority *String   `xmlrpc:"legend_priority,omptempty"`
	MailTemplateId *Many2One `xmlrpc:"mail_template_id,omptempty"`
	Name           *String   `xmlrpc:"name,omptempty"`
	ProjectIds     *Relation `xmlrpc:"project_ids,omptempty"`
	Sequence       *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate      *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One `xmlrpc:"write_uid,omptempty"`
}

ProjectTaskType represents project.task.type model.

func (*ProjectTaskType) Many2One

func (ptt *ProjectTaskType) Many2One() *Many2One

Many2One convert ProjectTaskType to *Many2One.

type ProjectTaskTypes

type ProjectTaskTypes []ProjectTaskType

ProjectTaskTypes represents array of project.task.type model.

type ProjectTasks

type ProjectTasks []ProjectTask

ProjectTasks represents array of project.task model.

type PublisherWarrantyContract

type PublisherWarrantyContract struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

PublisherWarrantyContract represents publisher_warranty.contract model.

func (*PublisherWarrantyContract) Many2One

func (pc *PublisherWarrantyContract) Many2One() *Many2One

Many2One convert PublisherWarrantyContract to *Many2One.

type PublisherWarrantyContracts

type PublisherWarrantyContracts []PublisherWarrantyContract

PublisherWarrantyContracts represents array of publisher_warranty.contract model.

type PurchaseOrder

type PurchaseOrder struct {
	LastUpdate                 *Time      `xmlrpc:"__last_update,omptempty"`
	ActivityDateDeadline       *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds                *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState              *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary            *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId             *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId             *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	AmountTax                  *Float     `xmlrpc:"amount_tax,omptempty"`
	AmountTotal                *Float     `xmlrpc:"amount_total,omptempty"`
	AmountUntaxed              *Float     `xmlrpc:"amount_untaxed,omptempty"`
	CompanyId                  *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate                 *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                  *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId                 *Many2One  `xmlrpc:"currency_id,omptempty"`
	DateApprove                *Time      `xmlrpc:"date_approve,omptempty"`
	DateOrder                  *Time      `xmlrpc:"date_order,omptempty"`
	DatePlanned                *Time      `xmlrpc:"date_planned,omptempty"`
	DefaultLocationDestIdUsage *Selection `xmlrpc:"default_location_dest_id_usage,omptempty"`
	DestAddressId              *Many2One  `xmlrpc:"dest_address_id,omptempty"`
	DisplayName                *String    `xmlrpc:"display_name,omptempty"`
	FiscalPositionId           *Many2One  `xmlrpc:"fiscal_position_id,omptempty"`
	GroupId                    *Many2One  `xmlrpc:"group_id,omptempty"`
	Id                         *Int       `xmlrpc:"id,omptempty"`
	IncotermId                 *Many2One  `xmlrpc:"incoterm_id,omptempty"`
	InvoiceCount               *Int       `xmlrpc:"invoice_count,omptempty"`
	InvoiceIds                 *Relation  `xmlrpc:"invoice_ids,omptempty"`
	InvoiceStatus              *Selection `xmlrpc:"invoice_status,omptempty"`
	IsShipped                  *Bool      `xmlrpc:"is_shipped,omptempty"`
	MessageChannelIds          *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds         *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds                 *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower          *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost            *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction          *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter   *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds          *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread              *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter       *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                       *String    `xmlrpc:"name,omptempty"`
	Notes                      *String    `xmlrpc:"notes,omptempty"`
	OrderLine                  *Relation  `xmlrpc:"order_line,omptempty"`
	Origin                     *String    `xmlrpc:"origin,omptempty"`
	PartnerId                  *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerRef                 *String    `xmlrpc:"partner_ref,omptempty"`
	PaymentTermId              *Many2One  `xmlrpc:"payment_term_id,omptempty"`
	PickingCount               *Int       `xmlrpc:"picking_count,omptempty"`
	PickingIds                 *Relation  `xmlrpc:"picking_ids,omptempty"`
	PickingTypeId              *Many2One  `xmlrpc:"picking_type_id,omptempty"`
	ProductId                  *Many2One  `xmlrpc:"product_id,omptempty"`
	State                      *Selection `xmlrpc:"state,omptempty"`
	WebsiteMessageIds          *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WebsiteUrl                 *String    `xmlrpc:"website_url,omptempty"`
	WriteDate                  *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                   *Many2One  `xmlrpc:"write_uid,omptempty"`
}

PurchaseOrder represents purchase.order model.

func (*PurchaseOrder) Many2One

func (po *PurchaseOrder) Many2One() *Many2One

Many2One convert PurchaseOrder to *Many2One.

type PurchaseOrderLine

type PurchaseOrderLine struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	AccountAnalyticId *Many2One  `xmlrpc:"account_analytic_id,omptempty"`
	AnalyticTagIds    *Relation  `xmlrpc:"analytic_tag_ids,omptempty"`
	CompanyId         *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId        *Many2One  `xmlrpc:"currency_id,omptempty"`
	DateOrder         *Time      `xmlrpc:"date_order,omptempty"`
	DatePlanned       *Time      `xmlrpc:"date_planned,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	InvoiceLines      *Relation  `xmlrpc:"invoice_lines,omptempty"`
	MoveDestIds       *Relation  `xmlrpc:"move_dest_ids,omptempty"`
	MoveIds           *Relation  `xmlrpc:"move_ids,omptempty"`
	Name              *String    `xmlrpc:"name,omptempty"`
	OrderId           *Many2One  `xmlrpc:"order_id,omptempty"`
	OrderpointId      *Many2One  `xmlrpc:"orderpoint_id,omptempty"`
	PartnerId         *Many2One  `xmlrpc:"partner_id,omptempty"`
	PriceSubtotal     *Float     `xmlrpc:"price_subtotal,omptempty"`
	PriceTax          *Float     `xmlrpc:"price_tax,omptempty"`
	PriceTotal        *Float     `xmlrpc:"price_total,omptempty"`
	PriceUnit         *Float     `xmlrpc:"price_unit,omptempty"`
	ProductId         *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductImage      *String    `xmlrpc:"product_image,omptempty"`
	ProductQty        *Float     `xmlrpc:"product_qty,omptempty"`
	ProductUom        *Many2One  `xmlrpc:"product_uom,omptempty"`
	QtyInvoiced       *Float     `xmlrpc:"qty_invoiced,omptempty"`
	QtyReceived       *Float     `xmlrpc:"qty_received,omptempty"`
	Sequence          *Int       `xmlrpc:"sequence,omptempty"`
	State             *Selection `xmlrpc:"state,omptempty"`
	TaxesId           *Relation  `xmlrpc:"taxes_id,omptempty"`
	WriteDate         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One  `xmlrpc:"write_uid,omptempty"`
}

PurchaseOrderLine represents purchase.order.line model.

func (*PurchaseOrderLine) Many2One

func (pol *PurchaseOrderLine) Many2One() *Many2One

Many2One convert PurchaseOrderLine to *Many2One.

type PurchaseOrderLines

type PurchaseOrderLines []PurchaseOrderLine

PurchaseOrderLines represents array of purchase.order.line model.

type PurchaseOrders

type PurchaseOrders []PurchaseOrder

PurchaseOrders represents array of purchase.order model.

type PurchaseReport

type PurchaseReport struct {
	LastUpdate          *Time      `xmlrpc:"__last_update,omptempty"`
	AccountAnalyticId   *Many2One  `xmlrpc:"account_analytic_id,omptempty"`
	CategoryId          *Many2One  `xmlrpc:"category_id,omptempty"`
	CommercialPartnerId *Many2One  `xmlrpc:"commercial_partner_id,omptempty"`
	CompanyId           *Many2One  `xmlrpc:"company_id,omptempty"`
	CountryId           *Many2One  `xmlrpc:"country_id,omptempty"`
	CurrencyId          *Many2One  `xmlrpc:"currency_id,omptempty"`
	DateApprove         *Time      `xmlrpc:"date_approve,omptempty"`
	DateOrder           *Time      `xmlrpc:"date_order,omptempty"`
	Delay               *Float     `xmlrpc:"delay,omptempty"`
	DelayPass           *Float     `xmlrpc:"delay_pass,omptempty"`
	DisplayName         *String    `xmlrpc:"display_name,omptempty"`
	FiscalPositionId    *Many2One  `xmlrpc:"fiscal_position_id,omptempty"`
	Id                  *Int       `xmlrpc:"id,omptempty"`
	NbrLines            *Int       `xmlrpc:"nbr_lines,omptempty"`
	Negociation         *Float     `xmlrpc:"negociation,omptempty"`
	PartnerId           *Many2One  `xmlrpc:"partner_id,omptempty"`
	PickingTypeId       *Many2One  `xmlrpc:"picking_type_id,omptempty"`
	PriceAverage        *Float     `xmlrpc:"price_average,omptempty"`
	PriceStandard       *Float     `xmlrpc:"price_standard,omptempty"`
	PriceTotal          *Float     `xmlrpc:"price_total,omptempty"`
	ProductId           *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductTmplId       *Many2One  `xmlrpc:"product_tmpl_id,omptempty"`
	ProductUom          *Many2One  `xmlrpc:"product_uom,omptempty"`
	State               *Selection `xmlrpc:"state,omptempty"`
	UnitQuantity        *Float     `xmlrpc:"unit_quantity,omptempty"`
	UserId              *Many2One  `xmlrpc:"user_id,omptempty"`
	Volume              *Float     `xmlrpc:"volume,omptempty"`
	Weight              *Float     `xmlrpc:"weight,omptempty"`
}

PurchaseReport represents purchase.report model.

func (*PurchaseReport) Many2One

func (pr *PurchaseReport) Many2One() *Many2One

Many2One convert PurchaseReport to *Many2One.

type PurchaseReports

type PurchaseReports []PurchaseReport

PurchaseReports represents array of purchase.report model.

type RatingMixin

type RatingMixin struct {
	LastUpdate         *Time     `xmlrpc:"__last_update,omptempty"`
	DisplayName        *String   `xmlrpc:"display_name,omptempty"`
	Id                 *Int      `xmlrpc:"id,omptempty"`
	RatingCount        *Int      `xmlrpc:"rating_count,omptempty"`
	RatingIds          *Relation `xmlrpc:"rating_ids,omptempty"`
	RatingLastFeedback *String   `xmlrpc:"rating_last_feedback,omptempty"`
	RatingLastImage    *String   `xmlrpc:"rating_last_image,omptempty"`
	RatingLastValue    *Float    `xmlrpc:"rating_last_value,omptempty"`
}

RatingMixin represents rating.mixin model.

func (*RatingMixin) Many2One

func (rm *RatingMixin) Many2One() *Many2One

Many2One convert RatingMixin to *Many2One.

type RatingMixins

type RatingMixins []RatingMixin

RatingMixins represents array of rating.mixin model.

type RatingRating

type RatingRating struct {
	LastUpdate       *Time      `xmlrpc:"__last_update,omptempty"`
	AccessToken      *String    `xmlrpc:"access_token,omptempty"`
	Consumed         *Bool      `xmlrpc:"consumed,omptempty"`
	CreateDate       *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName      *String    `xmlrpc:"display_name,omptempty"`
	Feedback         *String    `xmlrpc:"feedback,omptempty"`
	Id               *Int       `xmlrpc:"id,omptempty"`
	MessageId        *Many2One  `xmlrpc:"message_id,omptempty"`
	ParentResId      *Int       `xmlrpc:"parent_res_id,omptempty"`
	ParentResModel   *String    `xmlrpc:"parent_res_model,omptempty"`
	ParentResModelId *Many2One  `xmlrpc:"parent_res_model_id,omptempty"`
	ParentResName    *String    `xmlrpc:"parent_res_name,omptempty"`
	PartnerId        *Many2One  `xmlrpc:"partner_id,omptempty"`
	RatedPartnerId   *Many2One  `xmlrpc:"rated_partner_id,omptempty"`
	Rating           *Float     `xmlrpc:"rating,omptempty"`
	RatingImage      *String    `xmlrpc:"rating_image,omptempty"`
	RatingText       *Selection `xmlrpc:"rating_text,omptempty"`
	ResId            *Int       `xmlrpc:"res_id,omptempty"`
	ResModel         *String    `xmlrpc:"res_model,omptempty"`
	ResModelId       *Many2One  `xmlrpc:"res_model_id,omptempty"`
	ResName          *String    `xmlrpc:"res_name,omptempty"`
	WriteDate        *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One  `xmlrpc:"write_uid,omptempty"`
}

RatingRating represents rating.rating model.

func (*RatingRating) Many2One

func (rr *RatingRating) Many2One() *Many2One

Many2One convert RatingRating to *Many2One.

type RatingRatings

type RatingRatings []RatingRating

RatingRatings represents array of rating.rating model.

type Relation

type Relation struct {
	// contains filtered or unexported fields
}

Relation represents odoo one2many and many2many types. https://www.odoo.com/documentation/13.0/reference/orm.html#relational-fields

func NewRelation

func NewRelation() *Relation

NewRelation creates a new *Relation.

func (*Relation) AddNewRecord

func (r *Relation) AddNewRecord(values interface{})

AddNewRecord is an helper to create a new record of one2many or many2many. https://www.odoo.com/documentation/13.0/reference/orm.html#odoo.models.Model.write

func (*Relation) AddRecord

func (r *Relation) AddRecord(record int64)

AddRecord is an helper to add an existing record of one2many or many2many. https://www.odoo.com/documentation/13.0/reference/orm.html#odoo.models.Model.write

func (*Relation) DeleteRecord

func (r *Relation) DeleteRecord(record int64)

DeleteRecord is an helper to delete an existing record of one2many or many2many. https://www.odoo.com/documentation/13.0/reference/orm.html#odoo.models.Model.write

func (*Relation) Get

func (r *Relation) Get() []int64

Get *Relation value.

func (*Relation) RemoveAllRecords

func (r *Relation) RemoveAllRecords()

RemoveAllRecords is an helper to remove all records of one2many or many2many. https://www.odoo.com/documentation/13.0/reference/orm.html#odoo.models.Model.write

func (*Relation) RemoveRecord

func (r *Relation) RemoveRecord(record int64)

RemoveRecord is an helper to remove an existing record of one2many or many2many. https://www.odoo.com/documentation/13.0/reference/orm.html#odoo.models.Model.write

func (*Relation) ReplaceAllRecords

func (r *Relation) ReplaceAllRecords(newRecords []int64)

ReplaceAllRecords is an helper to replace all records of one2many or many2many. https://www.odoo.com/documentation/13.0/reference/orm.html#odoo.models.Model.write

func (*Relation) UpdateRecord

func (r *Relation) UpdateRecord(record int64, values interface{})

UpdateRecord is an helper to update an existing record of one2many or many2many. https://www.odoo.com/documentation/13.0/reference/orm.html#odoo.models.Model.write

type ReportAccountReportAgedpartnerbalance

type ReportAccountReportAgedpartnerbalance struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportAccountReportAgedpartnerbalance represents report.account.report_agedpartnerbalance model.

func (*ReportAccountReportAgedpartnerbalance) Many2One

Many2One convert ReportAccountReportAgedpartnerbalance to *Many2One.

type ReportAccountReportAgedpartnerbalances

type ReportAccountReportAgedpartnerbalances []ReportAccountReportAgedpartnerbalance

ReportAccountReportAgedpartnerbalances represents array of report.account.report_agedpartnerbalance model.

type ReportAccountReportFinancial

type ReportAccountReportFinancial struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportAccountReportFinancial represents report.account.report_financial model.

func (*ReportAccountReportFinancial) Many2One

func (rar *ReportAccountReportFinancial) Many2One() *Many2One

Many2One convert ReportAccountReportFinancial to *Many2One.

type ReportAccountReportFinancials

type ReportAccountReportFinancials []ReportAccountReportFinancial

ReportAccountReportFinancials represents array of report.account.report_financial model.

type ReportAccountReportGeneralledger

type ReportAccountReportGeneralledger struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportAccountReportGeneralledger represents report.account.report_generalledger model.

func (*ReportAccountReportGeneralledger) Many2One

func (rar *ReportAccountReportGeneralledger) Many2One() *Many2One

Many2One convert ReportAccountReportGeneralledger to *Many2One.

type ReportAccountReportGeneralledgers

type ReportAccountReportGeneralledgers []ReportAccountReportGeneralledger

ReportAccountReportGeneralledgers represents array of report.account.report_generalledger model.

type ReportAccountReportJournal

type ReportAccountReportJournal struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportAccountReportJournal represents report.account.report_journal model.

func (*ReportAccountReportJournal) Many2One

func (rar *ReportAccountReportJournal) Many2One() *Many2One

Many2One convert ReportAccountReportJournal to *Many2One.

type ReportAccountReportJournals

type ReportAccountReportJournals []ReportAccountReportJournal

ReportAccountReportJournals represents array of report.account.report_journal model.

type ReportAccountReportOverdue

type ReportAccountReportOverdue struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportAccountReportOverdue represents report.account.report_overdue model.

func (*ReportAccountReportOverdue) Many2One

func (rar *ReportAccountReportOverdue) Many2One() *Many2One

Many2One convert ReportAccountReportOverdue to *Many2One.

type ReportAccountReportOverdues

type ReportAccountReportOverdues []ReportAccountReportOverdue

ReportAccountReportOverdues represents array of report.account.report_overdue model.

type ReportAccountReportPartnerledger

type ReportAccountReportPartnerledger struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportAccountReportPartnerledger represents report.account.report_partnerledger model.

func (*ReportAccountReportPartnerledger) Many2One

func (rar *ReportAccountReportPartnerledger) Many2One() *Many2One

Many2One convert ReportAccountReportPartnerledger to *Many2One.

type ReportAccountReportPartnerledgers

type ReportAccountReportPartnerledgers []ReportAccountReportPartnerledger

ReportAccountReportPartnerledgers represents array of report.account.report_partnerledger model.

type ReportAccountReportTax

type ReportAccountReportTax struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportAccountReportTax represents report.account.report_tax model.

func (*ReportAccountReportTax) Many2One

func (rar *ReportAccountReportTax) Many2One() *Many2One

Many2One convert ReportAccountReportTax to *Many2One.

type ReportAccountReportTaxs

type ReportAccountReportTaxs []ReportAccountReportTax

ReportAccountReportTaxs represents array of report.account.report_tax model.

type ReportAccountReportTrialbalance

type ReportAccountReportTrialbalance struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportAccountReportTrialbalance represents report.account.report_trialbalance model.

func (*ReportAccountReportTrialbalance) Many2One

func (rar *ReportAccountReportTrialbalance) Many2One() *Many2One

Many2One convert ReportAccountReportTrialbalance to *Many2One.

type ReportAccountReportTrialbalances

type ReportAccountReportTrialbalances []ReportAccountReportTrialbalance

ReportAccountReportTrialbalances represents array of report.account.report_trialbalance model.

type ReportAllChannelsSales

type ReportAllChannelsSales struct {
	LastUpdate        *Time     `xmlrpc:"__last_update,omptempty"`
	AnalyticAccountId *Many2One `xmlrpc:"analytic_account_id,omptempty"`
	CategId           *Many2One `xmlrpc:"categ_id,omptempty"`
	CompanyId         *Many2One `xmlrpc:"company_id,omptempty"`
	CountryId         *Many2One `xmlrpc:"country_id,omptempty"`
	DateOrder         *Time     `xmlrpc:"date_order,omptempty"`
	DisplayName       *String   `xmlrpc:"display_name,omptempty"`
	Id                *Int      `xmlrpc:"id,omptempty"`
	Name              *String   `xmlrpc:"name,omptempty"`
	PartnerId         *Many2One `xmlrpc:"partner_id,omptempty"`
	PriceSubtotal     *Float    `xmlrpc:"price_subtotal,omptempty"`
	PriceTotal        *Float    `xmlrpc:"price_total,omptempty"`
	PricelistId       *Many2One `xmlrpc:"pricelist_id,omptempty"`
	ProductId         *Many2One `xmlrpc:"product_id,omptempty"`
	ProductQty        *Float    `xmlrpc:"product_qty,omptempty"`
	ProductTmplId     *Many2One `xmlrpc:"product_tmpl_id,omptempty"`
	TeamId            *Many2One `xmlrpc:"team_id,omptempty"`
	UserId            *Many2One `xmlrpc:"user_id,omptempty"`
}

ReportAllChannelsSales represents report.all.channels.sales model.

func (*ReportAllChannelsSales) Many2One

func (racs *ReportAllChannelsSales) Many2One() *Many2One

Many2One convert ReportAllChannelsSales to *Many2One.

type ReportAllChannelsSaless

type ReportAllChannelsSaless []ReportAllChannelsSales

ReportAllChannelsSaless represents array of report.all.channels.sales model.

type ReportBaseReportIrmodulereference

type ReportBaseReportIrmodulereference struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportBaseReportIrmodulereference represents report.base.report_irmodulereference model.

func (*ReportBaseReportIrmodulereference) Many2One

Many2One convert ReportBaseReportIrmodulereference to *Many2One.

type ReportBaseReportIrmodulereferences

type ReportBaseReportIrmodulereferences []ReportBaseReportIrmodulereference

ReportBaseReportIrmodulereferences represents array of report.base.report_irmodulereference model.

type ReportHrHolidaysReportHolidayssummary

type ReportHrHolidaysReportHolidayssummary struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportHrHolidaysReportHolidayssummary represents report.hr_holidays.report_holidayssummary model.

func (*ReportHrHolidaysReportHolidayssummary) Many2One

Many2One convert ReportHrHolidaysReportHolidayssummary to *Many2One.

type ReportHrHolidaysReportHolidayssummarys

type ReportHrHolidaysReportHolidayssummarys []ReportHrHolidaysReportHolidayssummary

ReportHrHolidaysReportHolidayssummarys represents array of report.hr_holidays.report_holidayssummary model.

type ReportPaperformat

type ReportPaperformat struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One  `xmlrpc:"create_uid,omptempty"`
	Default       *Bool      `xmlrpc:"default,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	Dpi           *Int       `xmlrpc:"dpi,omptempty"`
	Format        *Selection `xmlrpc:"format,omptempty"`
	HeaderLine    *Bool      `xmlrpc:"header_line,omptempty"`
	HeaderSpacing *Int       `xmlrpc:"header_spacing,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	MarginBottom  *Float     `xmlrpc:"margin_bottom,omptempty"`
	MarginLeft    *Float     `xmlrpc:"margin_left,omptempty"`
	MarginRight   *Float     `xmlrpc:"margin_right,omptempty"`
	MarginTop     *Float     `xmlrpc:"margin_top,omptempty"`
	Name          *String    `xmlrpc:"name,omptempty"`
	Orientation   *Selection `xmlrpc:"orientation,omptempty"`
	PageHeight    *Int       `xmlrpc:"page_height,omptempty"`
	PageWidth     *Int       `xmlrpc:"page_width,omptempty"`
	ReportIds     *Relation  `xmlrpc:"report_ids,omptempty"`
	WriteDate     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ReportPaperformat represents report.paperformat model.

func (*ReportPaperformat) Many2One

func (rp *ReportPaperformat) Many2One() *Many2One

Many2One convert ReportPaperformat to *Many2One.

type ReportPaperformats

type ReportPaperformats []ReportPaperformat

ReportPaperformats represents array of report.paperformat model.

type ReportProductReportPricelist

type ReportProductReportPricelist struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportProductReportPricelist represents report.product.report_pricelist model.

func (*ReportProductReportPricelist) Many2One

func (rpr *ReportProductReportPricelist) Many2One() *Many2One

Many2One convert ReportProductReportPricelist to *Many2One.

type ReportProductReportPricelists

type ReportProductReportPricelists []ReportProductReportPricelist

ReportProductReportPricelists represents array of report.product.report_pricelist model.

type ReportProjectTaskUser

type ReportProjectTaskUser struct {
	LastUpdate          *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId           *Many2One  `xmlrpc:"company_id,omptempty"`
	DateDeadline        *Time      `xmlrpc:"date_deadline,omptempty"`
	DateEnd             *Time      `xmlrpc:"date_end,omptempty"`
	DateLastStageUpdate *Time      `xmlrpc:"date_last_stage_update,omptempty"`
	DateStart           *Time      `xmlrpc:"date_start,omptempty"`
	DelayEndingsDays    *Float     `xmlrpc:"delay_endings_days,omptempty"`
	DisplayName         *String    `xmlrpc:"display_name,omptempty"`
	HoursDelay          *Float     `xmlrpc:"hours_delay,omptempty"`
	HoursEffective      *Float     `xmlrpc:"hours_effective,omptempty"`
	HoursPlanned        *Float     `xmlrpc:"hours_planned,omptempty"`
	Id                  *Int       `xmlrpc:"id,omptempty"`
	Name                *String    `xmlrpc:"name,omptempty"`
	Nbr                 *Int       `xmlrpc:"nbr,omptempty"`
	PartnerId           *Many2One  `xmlrpc:"partner_id,omptempty"`
	Priority            *Selection `xmlrpc:"priority,omptempty"`
	Progress            *Float     `xmlrpc:"progress,omptempty"`
	ProjectId           *Many2One  `xmlrpc:"project_id,omptempty"`
	RemainingHours      *Float     `xmlrpc:"remaining_hours,omptempty"`
	StageId             *Many2One  `xmlrpc:"stage_id,omptempty"`
	State               *Selection `xmlrpc:"state,omptempty"`
	TotalHours          *Float     `xmlrpc:"total_hours,omptempty"`
	UserId              *Many2One  `xmlrpc:"user_id,omptempty"`
	WorkingDaysClose    *Float     `xmlrpc:"working_days_close,omptempty"`
	WorkingDaysOpen     *Float     `xmlrpc:"working_days_open,omptempty"`
}

ReportProjectTaskUser represents report.project.task.user model.

func (*ReportProjectTaskUser) Many2One

func (rptu *ReportProjectTaskUser) Many2One() *Many2One

Many2One convert ReportProjectTaskUser to *Many2One.

type ReportProjectTaskUsers

type ReportProjectTaskUsers []ReportProjectTaskUser

ReportProjectTaskUsers represents array of report.project.task.user model.

type ReportSaleReportSaleproforma

type ReportSaleReportSaleproforma struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

ReportSaleReportSaleproforma represents report.sale.report_saleproforma model.

func (*ReportSaleReportSaleproforma) Many2One

func (rsr *ReportSaleReportSaleproforma) Many2One() *Many2One

Many2One convert ReportSaleReportSaleproforma to *Many2One.

type ReportSaleReportSaleproformas

type ReportSaleReportSaleproformas []ReportSaleReportSaleproforma

ReportSaleReportSaleproformas represents array of report.sale.report_saleproforma model.

type ReportStockForecast

type ReportStockForecast struct {
	LastUpdate         *Time     `xmlrpc:"__last_update,omptempty"`
	CumulativeQuantity *Float    `xmlrpc:"cumulative_quantity,omptempty"`
	Date               *Time     `xmlrpc:"date,omptempty"`
	DisplayName        *String   `xmlrpc:"display_name,omptempty"`
	Id                 *Int      `xmlrpc:"id,omptempty"`
	ProductId          *Many2One `xmlrpc:"product_id,omptempty"`
	ProductTmplId      *Many2One `xmlrpc:"product_tmpl_id,omptempty"`
	Quantity           *Float    `xmlrpc:"quantity,omptempty"`
}

ReportStockForecast represents report.stock.forecast model.

func (*ReportStockForecast) Many2One

func (rsf *ReportStockForecast) Many2One() *Many2One

Many2One convert ReportStockForecast to *Many2One.

type ReportStockForecasts

type ReportStockForecasts []ReportStockForecast

ReportStockForecasts represents array of report.stock.forecast model.

type ResBank

type ResBank struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	Bic         *String   `xmlrpc:"bic,omptempty"`
	City        *String   `xmlrpc:"city,omptempty"`
	Country     *Many2One `xmlrpc:"country,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Email       *String   `xmlrpc:"email,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Phone       *String   `xmlrpc:"phone,omptempty"`
	State       *Many2One `xmlrpc:"state,omptempty"`
	Street      *String   `xmlrpc:"street,omptempty"`
	Street2     *String   `xmlrpc:"street2,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
	Zip         *String   `xmlrpc:"zip,omptempty"`
}

ResBank represents res.bank model.

func (*ResBank) Many2One

func (rb *ResBank) Many2One() *Many2One

Many2One convert ResBank to *Many2One.

type ResBanks

type ResBanks []ResBank

ResBanks represents array of res.bank model.

type ResCompany

type ResCompany struct {
	LastUpdate                        *Time      `xmlrpc:"__last_update,omptempty"`
	AccountNo                         *String    `xmlrpc:"account_no,omptempty"`
	AccountOpeningDate                *Time      `xmlrpc:"account_opening_date,omptempty"`
	AccountOpeningJournalId           *Many2One  `xmlrpc:"account_opening_journal_id,omptempty"`
	AccountOpeningMoveId              *Many2One  `xmlrpc:"account_opening_move_id,omptempty"`
	AccountSetupBankDataDone          *Bool      `xmlrpc:"account_setup_bank_data_done,omptempty"`
	AccountSetupBarClosed             *Bool      `xmlrpc:"account_setup_bar_closed,omptempty"`
	AccountSetupCoaDone               *Bool      `xmlrpc:"account_setup_coa_done,omptempty"`
	AccountSetupCompanyDataDone       *Bool      `xmlrpc:"account_setup_company_data_done,omptempty"`
	AccountSetupFyDataDone            *Bool      `xmlrpc:"account_setup_fy_data_done,omptempty"`
	AccountsCodeDigits                *Int       `xmlrpc:"accounts_code_digits,omptempty"`
	AngloSaxonAccounting              *Bool      `xmlrpc:"anglo_saxon_accounting,omptempty"`
	Ape                               *String    `xmlrpc:"ape,omptempty"`
	BankAccountCodePrefix             *String    `xmlrpc:"bank_account_code_prefix,omptempty"`
	BankIds                           *Relation  `xmlrpc:"bank_ids,omptempty"`
	BankJournalIds                    *Relation  `xmlrpc:"bank_journal_ids,omptempty"`
	CashAccountCodePrefix             *String    `xmlrpc:"cash_account_code_prefix,omptempty"`
	ChartTemplateId                   *Many2One  `xmlrpc:"chart_template_id,omptempty"`
	ChildIds                          *Relation  `xmlrpc:"child_ids,omptempty"`
	City                              *String    `xmlrpc:"city,omptempty"`
	CompanyRegistry                   *String    `xmlrpc:"company_registry,omptempty"`
	CountryId                         *Many2One  `xmlrpc:"country_id,omptempty"`
	CreateDate                        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                         *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyExchangeJournalId         *Many2One  `xmlrpc:"currency_exchange_journal_id,omptempty"`
	CurrencyId                        *Many2One  `xmlrpc:"currency_id,omptempty"`
	DisplayName                       *String    `xmlrpc:"display_name,omptempty"`
	Email                             *String    `xmlrpc:"email,omptempty"`
	ExpectsChartOfAccounts            *Bool      `xmlrpc:"expects_chart_of_accounts,omptempty"`
	ExpenseCurrencyExchangeAccountId  *Many2One  `xmlrpc:"expense_currency_exchange_account_id,omptempty"`
	ExternalReportLayout              *Selection `xmlrpc:"external_report_layout,omptempty"`
	FiscalyearLastDay                 *Int       `xmlrpc:"fiscalyear_last_day,omptempty"`
	FiscalyearLastMonth               *Selection `xmlrpc:"fiscalyear_last_month,omptempty"`
	FiscalyearLockDate                *Time      `xmlrpc:"fiscalyear_lock_date,omptempty"`
	Id                                *Int       `xmlrpc:"id,omptempty"`
	IncomeCurrencyExchangeAccountId   *Many2One  `xmlrpc:"income_currency_exchange_account_id,omptempty"`
	InternalTransitLocationId         *Many2One  `xmlrpc:"internal_transit_location_id,omptempty"`
	LeaveTimesheetProjectId           *Many2One  `xmlrpc:"leave_timesheet_project_id,omptempty"`
	LeaveTimesheetTaskId              *Many2One  `xmlrpc:"leave_timesheet_task_id,omptempty"`
	LogoWeb                           *String    `xmlrpc:"logo_web,omptempty"`
	Name                              *String    `xmlrpc:"name,omptempty"`
	OverdueMsg                        *String    `xmlrpc:"overdue_msg,omptempty"`
	PaperformatId                     *Many2One  `xmlrpc:"paperformat_id,omptempty"`
	ParentId                          *Many2One  `xmlrpc:"parent_id,omptempty"`
	PartnerId                         *Many2One  `xmlrpc:"partner_id,omptempty"`
	PeriodLockDate                    *Time      `xmlrpc:"period_lock_date,omptempty"`
	Phone                             *String    `xmlrpc:"phone,omptempty"`
	PoDoubleValidation                *Selection `xmlrpc:"po_double_validation,omptempty"`
	PoDoubleValidationAmount          *Float     `xmlrpc:"po_double_validation_amount,omptempty"`
	PoLead                            *Float     `xmlrpc:"po_lead,omptempty"`
	PoLock                            *Selection `xmlrpc:"po_lock,omptempty"`
	ProjectTimeModeId                 *Many2One  `xmlrpc:"project_time_mode_id,omptempty"`
	PropagationMinimumDelta           *Int       `xmlrpc:"propagation_minimum_delta,omptempty"`
	PropertyStockAccountInputCategId  *Many2One  `xmlrpc:"property_stock_account_input_categ_id,omptempty"`
	PropertyStockAccountOutputCategId *Many2One  `xmlrpc:"property_stock_account_output_categ_id,omptempty"`
	PropertyStockValuationAccountId   *Many2One  `xmlrpc:"property_stock_valuation_account_id,omptempty"`
	ReportFooter                      *String    `xmlrpc:"report_footer,omptempty"`
	ReportHeader                      *String    `xmlrpc:"report_header,omptempty"`
	ResourceCalendarId                *Many2One  `xmlrpc:"resource_calendar_id,omptempty"`
	ResourceCalendarIds               *Relation  `xmlrpc:"resource_calendar_ids,omptempty"`
	SaleNote                          *String    `xmlrpc:"sale_note,omptempty"`
	SecurityLead                      *Float     `xmlrpc:"security_lead,omptempty"`
	Sequence                          *Int       `xmlrpc:"sequence,omptempty"`
	Siret                             *String    `xmlrpc:"siret,omptempty"`
	SocialFacebook                    *String    `xmlrpc:"social_facebook,omptempty"`
	SocialGithub                      *String    `xmlrpc:"social_github,omptempty"`
	SocialGoogleplus                  *String    `xmlrpc:"social_googleplus,omptempty"`
	SocialLinkedin                    *String    `xmlrpc:"social_linkedin,omptempty"`
	SocialTwitter                     *String    `xmlrpc:"social_twitter,omptempty"`
	SocialYoutube                     *String    `xmlrpc:"social_youtube,omptempty"`
	StateId                           *Many2One  `xmlrpc:"state_id,omptempty"`
	Street                            *String    `xmlrpc:"street,omptempty"`
	Street2                           *String    `xmlrpc:"street2,omptempty"`
	TaxCalculationRoundingMethod      *Selection `xmlrpc:"tax_calculation_rounding_method,omptempty"`
	TaxCashBasisJournalId             *Many2One  `xmlrpc:"tax_cash_basis_journal_id,omptempty"`
	TaxExigibility                    *Bool      `xmlrpc:"tax_exigibility,omptempty"`
	TransferAccountId                 *Many2One  `xmlrpc:"transfer_account_id,omptempty"`
	UserIds                           *Relation  `xmlrpc:"user_ids,omptempty"`
	Vat                               *String    `xmlrpc:"vat,omptempty"`
	VatCheckVies                      *Bool      `xmlrpc:"vat_check_vies,omptempty"`
	Website                           *String    `xmlrpc:"website,omptempty"`
	WriteDate                         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                          *Many2One  `xmlrpc:"write_uid,omptempty"`
	Zip                               *String    `xmlrpc:"zip,omptempty"`
}

ResCompany represents res.company model.

func (*ResCompany) Many2One

func (rc *ResCompany) Many2One() *Many2One

Many2One convert ResCompany to *Many2One.

type ResCompanys

type ResCompanys []ResCompany

ResCompanys represents array of res.company model.

type ResConfig

type ResConfig struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResConfig represents res.config model.

func (*ResConfig) Many2One

func (rc *ResConfig) Many2One() *Many2One

Many2One convert ResConfig to *Many2One.

type ResConfigInstaller

type ResConfigInstaller struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResConfigInstaller represents res.config.installer model.

func (*ResConfigInstaller) Many2One

func (rci *ResConfigInstaller) Many2One() *Many2One

Many2One convert ResConfigInstaller to *Many2One.

type ResConfigInstallers

type ResConfigInstallers []ResConfigInstaller

ResConfigInstallers represents array of res.config.installer model.

type ResConfigSettings

type ResConfigSettings struct {
	LastUpdate                           *Time      `xmlrpc:"__last_update,omptempty"`
	AccountHideSetupBar                  *Bool      `xmlrpc:"account_hide_setup_bar,omptempty"`
	AliasDomain                          *String    `xmlrpc:"alias_domain,omptempty"`
	AuthSignupResetPassword              *Bool      `xmlrpc:"auth_signup_reset_password,omptempty"`
	AuthSignupTemplateUserId             *Many2One  `xmlrpc:"auth_signup_template_user_id,omptempty"`
	AuthSignupUninvited                  *Selection `xmlrpc:"auth_signup_uninvited,omptempty"`
	AutoDoneSetting                      *Bool      `xmlrpc:"auto_done_setting,omptempty"`
	ChartTemplateId                      *Many2One  `xmlrpc:"chart_template_id,omptempty"`
	CodeDigits                           *Int       `xmlrpc:"code_digits,omptempty"`
	CompanyCurrencyId                    *Many2One  `xmlrpc:"company_currency_id,omptempty"`
	CompanyId                            *Many2One  `xmlrpc:"company_id,omptempty"`
	CompanySharePartner                  *Bool      `xmlrpc:"company_share_partner,omptempty"`
	CompanyShareProduct                  *Bool      `xmlrpc:"company_share_product,omptempty"`
	CreateDate                           *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                            *Many2One  `xmlrpc:"create_uid,omptempty"`
	CrmAliasPrefix                       *String    `xmlrpc:"crm_alias_prefix,omptempty"`
	CurrencyExchangeJournalId            *Many2One  `xmlrpc:"currency_exchange_journal_id,omptempty"`
	CurrencyId                           *Many2One  `xmlrpc:"currency_id,omptempty"`
	DefaultCustomReportFooter            *Bool      `xmlrpc:"default_custom_report_footer,omptempty"`
	DefaultDepositProductId              *Many2One  `xmlrpc:"default_deposit_product_id,omptempty"`
	DefaultExternalEmailServer           *Bool      `xmlrpc:"default_external_email_server,omptempty"`
	DefaultInvoicePolicy                 *Selection `xmlrpc:"default_invoice_policy,omptempty"`
	DefaultPickingPolicy                 *Selection `xmlrpc:"default_picking_policy,omptempty"`
	DefaultPurchaseMethod                *Selection `xmlrpc:"default_purchase_method,omptempty"`
	DefaultPurchaseTaxId                 *Many2One  `xmlrpc:"default_purchase_tax_id,omptempty"`
	DefaultSaleTaxId                     *Many2One  `xmlrpc:"default_sale_tax_id,omptempty"`
	DefaultUserRights                    *Bool      `xmlrpc:"default_user_rights,omptempty"`
	DisplayName                          *String    `xmlrpc:"display_name,omptempty"`
	ExternalReportLayout                 *Selection `xmlrpc:"external_report_layout,omptempty"`
	FailCounter                          *Int       `xmlrpc:"fail_counter,omptempty"`
	GenerateLeadFromAlias                *Bool      `xmlrpc:"generate_lead_from_alias,omptempty"`
	GroupAnalyticAccountForPurchases     *Bool      `xmlrpc:"group_analytic_account_for_purchases,omptempty"`
	GroupAnalyticAccounting              *Bool      `xmlrpc:"group_analytic_accounting,omptempty"`
	GroupCashRounding                    *Bool      `xmlrpc:"group_cash_rounding,omptempty"`
	GroupDiscountPerSoLine               *Bool      `xmlrpc:"group_discount_per_so_line,omptempty"`
	GroupDisplayIncoterm                 *Bool      `xmlrpc:"group_display_incoterm,omptempty"`
	GroupManageVendorPrice               *Bool      `xmlrpc:"group_manage_vendor_price,omptempty"`
	GroupMassMailingCampaign             *Bool      `xmlrpc:"group_mass_mailing_campaign,omptempty"`
	GroupMultiCompany                    *Bool      `xmlrpc:"group_multi_company,omptempty"`
	GroupMultiCurrency                   *Bool      `xmlrpc:"group_multi_currency,omptempty"`
	GroupPricelistItem                   *Bool      `xmlrpc:"group_pricelist_item,omptempty"`
	GroupProductPricelist                *Bool      `xmlrpc:"group_product_pricelist,omptempty"`
	GroupProductVariant                  *Bool      `xmlrpc:"group_product_variant,omptempty"`
	GroupProformaSales                   *Bool      `xmlrpc:"group_proforma_sales,omptempty"`
	GroupRouteSoLines                    *Bool      `xmlrpc:"group_route_so_lines,omptempty"`
	GroupSaleDeliveryAddress             *Bool      `xmlrpc:"group_sale_delivery_address,omptempty"`
	GroupSaleLayout                      *Bool      `xmlrpc:"group_sale_layout,omptempty"`
	GroupSalePricelist                   *Bool      `xmlrpc:"group_sale_pricelist,omptempty"`
	GroupShowPriceSubtotal               *Bool      `xmlrpc:"group_show_price_subtotal,omptempty"`
	GroupShowPriceTotal                  *Bool      `xmlrpc:"group_show_price_total,omptempty"`
	GroupStockAdvLocation                *Bool      `xmlrpc:"group_stock_adv_location,omptempty"`
	GroupStockMultiLocations             *Bool      `xmlrpc:"group_stock_multi_locations,omptempty"`
	GroupStockMultiWarehouses            *Bool      `xmlrpc:"group_stock_multi_warehouses,omptempty"`
	GroupStockPackaging                  *Bool      `xmlrpc:"group_stock_packaging,omptempty"`
	GroupStockProductionLot              *Bool      `xmlrpc:"group_stock_production_lot,omptempty"`
	GroupStockTrackingLot                *Bool      `xmlrpc:"group_stock_tracking_lot,omptempty"`
	GroupStockTrackingOwner              *Bool      `xmlrpc:"group_stock_tracking_owner,omptempty"`
	GroupSubtaskProject                  *Bool      `xmlrpc:"group_subtask_project,omptempty"`
	GroupUom                             *Bool      `xmlrpc:"group_uom,omptempty"`
	GroupUseLead                         *Bool      `xmlrpc:"group_use_lead,omptempty"`
	GroupWarningAccount                  *Bool      `xmlrpc:"group_warning_account,omptempty"`
	GroupWarningPurchase                 *Bool      `xmlrpc:"group_warning_purchase,omptempty"`
	GroupWarningSale                     *Bool      `xmlrpc:"group_warning_sale,omptempty"`
	GroupWarningStock                    *Bool      `xmlrpc:"group_warning_stock,omptempty"`
	HasAccountingEntries                 *Bool      `xmlrpc:"has_accounting_entries,omptempty"`
	HasChartOfAccounts                   *Bool      `xmlrpc:"has_chart_of_accounts,omptempty"`
	Id                                   *Int       `xmlrpc:"id,omptempty"`
	IsInstalledSale                      *Bool      `xmlrpc:"is_installed_sale,omptempty"`
	LeaveTimesheetProjectId              *Many2One  `xmlrpc:"leave_timesheet_project_id,omptempty"`
	LeaveTimesheetTaskId                 *Many2One  `xmlrpc:"leave_timesheet_task_id,omptempty"`
	LockConfirmedPo                      *Bool      `xmlrpc:"lock_confirmed_po,omptempty"`
	ModuleAccount3WayMatch               *Bool      `xmlrpc:"module_account_3way_match,omptempty"`
	ModuleAccountAccountant              *Bool      `xmlrpc:"module_account_accountant,omptempty"`
	ModuleAccountAsset                   *Bool      `xmlrpc:"module_account_asset,omptempty"`
	ModuleAccountBankStatementImportCamt *Bool      `xmlrpc:"module_account_bank_statement_import_camt,omptempty"`
	ModuleAccountBankStatementImportCsv  *Bool      `xmlrpc:"module_account_bank_statement_import_csv,omptempty"`
	ModuleAccountBankStatementImportOfx  *Bool      `xmlrpc:"module_account_bank_statement_import_ofx,omptempty"`
	ModuleAccountBankStatementImportQif  *Bool      `xmlrpc:"module_account_bank_statement_import_qif,omptempty"`
	ModuleAccountBatchDeposit            *Bool      `xmlrpc:"module_account_batch_deposit,omptempty"`
	ModuleAccountBudget                  *Bool      `xmlrpc:"module_account_budget,omptempty"`
	ModuleAccountDeferredRevenue         *Bool      `xmlrpc:"module_account_deferred_revenue,omptempty"`
	ModuleAccountPayment                 *Bool      `xmlrpc:"module_account_payment,omptempty"`
	ModuleAccountPlaid                   *Bool      `xmlrpc:"module_account_plaid,omptempty"`
	ModuleAccountReports                 *Bool      `xmlrpc:"module_account_reports,omptempty"`
	ModuleAccountReportsFollowup         *Bool      `xmlrpc:"module_account_reports_followup,omptempty"`
	ModuleAccountSepa                    *Bool      `xmlrpc:"module_account_sepa,omptempty"`
	ModuleAccountSepaDirectDebit         *Bool      `xmlrpc:"module_account_sepa_direct_debit,omptempty"`
	ModuleAccountTaxcloud                *Bool      `xmlrpc:"module_account_taxcloud,omptempty"`
	ModuleAccountYodlee                  *Bool      `xmlrpc:"module_account_yodlee,omptempty"`
	ModuleAuthLdap                       *Bool      `xmlrpc:"module_auth_ldap,omptempty"`
	ModuleAuthOauth                      *Bool      `xmlrpc:"module_auth_oauth,omptempty"`
	ModuleBaseGengo                      *Bool      `xmlrpc:"module_base_gengo,omptempty"`
	ModuleBaseImport                     *Bool      `xmlrpc:"module_base_import,omptempty"`
	ModuleCrmPhoneValidation             *Bool      `xmlrpc:"module_crm_phone_validation,omptempty"`
	ModuleCurrencyRateLive               *Bool      `xmlrpc:"module_currency_rate_live,omptempty"`
	ModuleDelivery                       *Bool      `xmlrpc:"module_delivery,omptempty"`
	ModuleDeliveryBpost                  *Bool      `xmlrpc:"module_delivery_bpost,omptempty"`
	ModuleDeliveryDhl                    *Bool      `xmlrpc:"module_delivery_dhl,omptempty"`
	ModuleDeliveryFedex                  *Bool      `xmlrpc:"module_delivery_fedex,omptempty"`
	ModuleDeliveryUps                    *Bool      `xmlrpc:"module_delivery_ups,omptempty"`
	ModuleDeliveryUsps                   *Bool      `xmlrpc:"module_delivery_usps,omptempty"`
	ModuleGoogleCalendar                 *Bool      `xmlrpc:"module_google_calendar,omptempty"`
	ModuleGoogleDrive                    *Bool      `xmlrpc:"module_google_drive,omptempty"`
	ModuleGoogleSpreadsheet              *Bool      `xmlrpc:"module_google_spreadsheet,omptempty"`
	ModuleHrOrgChart                     *Bool      `xmlrpc:"module_hr_org_chart,omptempty"`
	ModuleHrTimesheet                    *Bool      `xmlrpc:"module_hr_timesheet,omptempty"`
	ModuleInterCompanyRules              *Bool      `xmlrpc:"module_inter_company_rules,omptempty"`
	ModuleL10NEuService                  *Bool      `xmlrpc:"module_l10n_eu_service,omptempty"`
	ModuleL10NUsCheckPrinting            *Bool      `xmlrpc:"module_l10n_us_check_printing,omptempty"`
	ModulePad                            *Bool      `xmlrpc:"module_pad,omptempty"`
	ModulePrintDocsaway                  *Bool      `xmlrpc:"module_print_docsaway,omptempty"`
	ModuleProcurementJit                 *Selection `xmlrpc:"module_procurement_jit,omptempty"`
	ModuleProductEmailTemplate           *Bool      `xmlrpc:"module_product_email_template,omptempty"`
	ModuleProductExpiry                  *Bool      `xmlrpc:"module_product_expiry,omptempty"`
	ModuleProductMargin                  *Bool      `xmlrpc:"module_product_margin,omptempty"`
	ModuleProjectForecast                *Bool      `xmlrpc:"module_project_forecast,omptempty"`
	ModuleProjectTimesheetHolidays       *Bool      `xmlrpc:"module_project_timesheet_holidays,omptempty"`
	ModuleProjectTimesheetSynchro        *Bool      `xmlrpc:"module_project_timesheet_synchro,omptempty"`
	ModulePurchaseRequisition            *Bool      `xmlrpc:"module_purchase_requisition,omptempty"`
	ModuleRatingProject                  *Bool      `xmlrpc:"module_rating_project,omptempty"`
	ModuleSaleCoupon                     *Bool      `xmlrpc:"module_sale_coupon,omptempty"`
	ModuleSaleMargin                     *Bool      `xmlrpc:"module_sale_margin,omptempty"`
	ModuleSaleOrderDates                 *Bool      `xmlrpc:"module_sale_order_dates,omptempty"`
	ModuleSalePayment                    *Bool      `xmlrpc:"module_sale_payment,omptempty"`
	ModuleSaleTimesheet                  *Bool      `xmlrpc:"module_sale_timesheet,omptempty"`
	ModuleStockBarcode                   *Bool      `xmlrpc:"module_stock_barcode,omptempty"`
	ModuleStockDropshipping              *Bool      `xmlrpc:"module_stock_dropshipping,omptempty"`
	ModuleStockLandedCosts               *Bool      `xmlrpc:"module_stock_landed_costs,omptempty"`
	ModuleStockPickingBatch              *Bool      `xmlrpc:"module_stock_picking_batch,omptempty"`
	ModuleVoip                           *Bool      `xmlrpc:"module_voip,omptempty"`
	ModuleWebClearbit                    *Bool      `xmlrpc:"module_web_clearbit,omptempty"`
	ModuleWebsiteQuote                   *Bool      `xmlrpc:"module_website_quote,omptempty"`
	ModuleWebsiteSaleDigital             *Bool      `xmlrpc:"module_website_sale_digital,omptempty"`
	MultiSalesPrice                      *Bool      `xmlrpc:"multi_sales_price,omptempty"`
	MultiSalesPriceMethod                *Selection `xmlrpc:"multi_sales_price_method,omptempty"`
	PaperformatId                        *Many2One  `xmlrpc:"paperformat_id,omptempty"`
	PoDoubleValidation                   *Selection `xmlrpc:"po_double_validation,omptempty"`
	PoDoubleValidationAmount             *Float     `xmlrpc:"po_double_validation_amount,omptempty"`
	PoLead                               *Float     `xmlrpc:"po_lead,omptempty"`
	PoLock                               *Selection `xmlrpc:"po_lock,omptempty"`
	PoOrderApproval                      *Bool      `xmlrpc:"po_order_approval,omptempty"`
	PortalConfirmation                   *Bool      `xmlrpc:"portal_confirmation,omptempty"`
	PortalConfirmationOptions            *Selection `xmlrpc:"portal_confirmation_options,omptempty"`
	ProjectTimeModeId                    *Many2One  `xmlrpc:"project_time_mode_id,omptempty"`
	PropagationMinimumDelta              *Int       `xmlrpc:"propagation_minimum_delta,omptempty"`
	ReportFooter                         *String    `xmlrpc:"report_footer,omptempty"`
	ResourceCalendarId                   *Many2One  `xmlrpc:"resource_calendar_id,omptempty"`
	SaleNote                             *String    `xmlrpc:"sale_note,omptempty"`
	SalePricelistSetting                 *Selection `xmlrpc:"sale_pricelist_setting,omptempty"`
	SaleShowTax                          *Selection `xmlrpc:"sale_show_tax,omptempty"`
	SecurityLead                         *Float     `xmlrpc:"security_lead,omptempty"`
	TaxCalculationRoundingMethod         *Selection `xmlrpc:"tax_calculation_rounding_method,omptempty"`
	TaxCashBasisJournalId                *Many2One  `xmlrpc:"tax_cash_basis_journal_id,omptempty"`
	TaxExigibility                       *Bool      `xmlrpc:"tax_exigibility,omptempty"`
	UsePoLead                            *Bool      `xmlrpc:"use_po_lead,omptempty"`
	UsePropagationMinimumDelta           *Bool      `xmlrpc:"use_propagation_minimum_delta,omptempty"`
	UseSaleNote                          *Bool      `xmlrpc:"use_sale_note,omptempty"`
	UseSecurityLead                      *Bool      `xmlrpc:"use_security_lead,omptempty"`
	VatCheckVies                         *Bool      `xmlrpc:"vat_check_vies,omptempty"`
	WriteDate                            *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                             *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ResConfigSettings represents res.config.settings model.

func (*ResConfigSettings) Many2One

func (rcs *ResConfigSettings) Many2One() *Many2One

Many2One convert ResConfigSettings to *Many2One.

type ResConfigSettingss

type ResConfigSettingss []ResConfigSettings

ResConfigSettingss represents array of res.config.settings model.

type ResConfigs

type ResConfigs []ResConfig

ResConfigs represents array of res.config model.

type ResCountry

type ResCountry struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	AddressFormat   *String    `xmlrpc:"address_format,omptempty"`
	AddressViewId   *Many2One  `xmlrpc:"address_view_id,omptempty"`
	Code            *String    `xmlrpc:"code,omptempty"`
	CountryGroupIds *Relation  `xmlrpc:"country_group_ids,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId      *Many2One  `xmlrpc:"currency_id,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	Image           *String    `xmlrpc:"image,omptempty"`
	Name            *String    `xmlrpc:"name,omptempty"`
	NamePosition    *Selection `xmlrpc:"name_position,omptempty"`
	PhoneCode       *Int       `xmlrpc:"phone_code,omptempty"`
	StateIds        *Relation  `xmlrpc:"state_ids,omptempty"`
	VatLabel        *String    `xmlrpc:"vat_label,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ResCountry represents res.country model.

func (*ResCountry) Many2One

func (rc *ResCountry) Many2One() *Many2One

Many2One convert ResCountry to *Many2One.

type ResCountryGroup

type ResCountryGroup struct {
	LastUpdate   *Time     `xmlrpc:"__last_update,omptempty"`
	CountryIds   *Relation `xmlrpc:"country_ids,omptempty"`
	CreateDate   *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName  *String   `xmlrpc:"display_name,omptempty"`
	Id           *Int      `xmlrpc:"id,omptempty"`
	Name         *String   `xmlrpc:"name,omptempty"`
	PricelistIds *Relation `xmlrpc:"pricelist_ids,omptempty"`
	WriteDate    *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResCountryGroup represents res.country.group model.

func (*ResCountryGroup) Many2One

func (rcg *ResCountryGroup) Many2One() *Many2One

Many2One convert ResCountryGroup to *Many2One.

type ResCountryGroups

type ResCountryGroups []ResCountryGroup

ResCountryGroups represents array of res.country.group model.

type ResCountryState

type ResCountryState struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Code        *String   `xmlrpc:"code,omptempty"`
	CountryId   *Many2One `xmlrpc:"country_id,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResCountryState represents res.country.state model.

func (*ResCountryState) Many2One

func (rcs *ResCountryState) Many2One() *Many2One

Many2One convert ResCountryState to *Many2One.

type ResCountryStates

type ResCountryStates []ResCountryState

ResCountryStates represents array of res.country.state model.

type ResCountrys

type ResCountrys []ResCountry

ResCountrys represents array of res.country model.

type ResCurrency

type ResCurrency struct {
	LastUpdate           *Time      `xmlrpc:"__last_update,omptempty"`
	Active               *Bool      `xmlrpc:"active,omptempty"`
	CreateDate           *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid            *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencySubunitLabel *String    `xmlrpc:"currency_subunit_label,omptempty"`
	CurrencyUnitLabel    *String    `xmlrpc:"currency_unit_label,omptempty"`
	Date                 *Time      `xmlrpc:"date,omptempty"`
	DecimalPlaces        *Int       `xmlrpc:"decimal_places,omptempty"`
	DisplayName          *String    `xmlrpc:"display_name,omptempty"`
	Id                   *Int       `xmlrpc:"id,omptempty"`
	Name                 *String    `xmlrpc:"name,omptempty"`
	Position             *Selection `xmlrpc:"position,omptempty"`
	Rate                 *Float     `xmlrpc:"rate,omptempty"`
	RateIds              *Relation  `xmlrpc:"rate_ids,omptempty"`
	Rounding             *Float     `xmlrpc:"rounding,omptempty"`
	Symbol               *String    `xmlrpc:"symbol,omptempty"`
	WriteDate            *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid             *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ResCurrency represents res.currency model.

func (*ResCurrency) Many2One

func (rc *ResCurrency) Many2One() *Many2One

Many2One convert ResCurrency to *Many2One.

type ResCurrencyRate

type ResCurrencyRate struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyId   *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	CurrencyId  *Many2One `xmlrpc:"currency_id,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *Time     `xmlrpc:"name,omptempty"`
	Rate        *Float    `xmlrpc:"rate,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResCurrencyRate represents res.currency.rate model.

func (*ResCurrencyRate) Many2One

func (rcr *ResCurrencyRate) Many2One() *Many2One

Many2One convert ResCurrencyRate to *Many2One.

type ResCurrencyRates

type ResCurrencyRates []ResCurrencyRate

ResCurrencyRates represents array of res.currency.rate model.

type ResCurrencys

type ResCurrencys []ResCurrency

ResCurrencys represents array of res.currency model.

type ResGroups

type ResGroups struct {
	LastUpdate      *Time     `xmlrpc:"__last_update,omptempty"`
	CategoryId      *Many2One `xmlrpc:"category_id,omptempty"`
	Color           *Int      `xmlrpc:"color,omptempty"`
	Comment         *String   `xmlrpc:"comment,omptempty"`
	CreateDate      *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName     *String   `xmlrpc:"display_name,omptempty"`
	FullName        *String   `xmlrpc:"full_name,omptempty"`
	Id              *Int      `xmlrpc:"id,omptempty"`
	ImpliedIds      *Relation `xmlrpc:"implied_ids,omptempty"`
	IsPortal        *Bool     `xmlrpc:"is_portal,omptempty"`
	MenuAccess      *Relation `xmlrpc:"menu_access,omptempty"`
	ModelAccess     *Relation `xmlrpc:"model_access,omptempty"`
	Name            *String   `xmlrpc:"name,omptempty"`
	RuleGroups      *Relation `xmlrpc:"rule_groups,omptempty"`
	Share           *Bool     `xmlrpc:"share,omptempty"`
	TransImpliedIds *Relation `xmlrpc:"trans_implied_ids,omptempty"`
	Users           *Relation `xmlrpc:"users,omptempty"`
	ViewAccess      *Relation `xmlrpc:"view_access,omptempty"`
	WriteDate       *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResGroups represents res.groups model.

func (*ResGroups) Many2One

func (rg *ResGroups) Many2One() *Many2One

Many2One convert ResGroups to *Many2One.

type ResGroupss

type ResGroupss []ResGroups

ResGroupss represents array of res.groups model.

type ResLang

type ResLang struct {
	LastUpdate   *Time      `xmlrpc:"__last_update,omptempty"`
	Active       *Bool      `xmlrpc:"active,omptempty"`
	Code         *String    `xmlrpc:"code,omptempty"`
	CreateDate   *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid    *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFormat   *String    `xmlrpc:"date_format,omptempty"`
	DecimalPoint *String    `xmlrpc:"decimal_point,omptempty"`
	Direction    *Selection `xmlrpc:"direction,omptempty"`
	DisplayName  *String    `xmlrpc:"display_name,omptempty"`
	Grouping     *String    `xmlrpc:"grouping,omptempty"`
	Id           *Int       `xmlrpc:"id,omptempty"`
	IsoCode      *String    `xmlrpc:"iso_code,omptempty"`
	Name         *String    `xmlrpc:"name,omptempty"`
	ThousandsSep *String    `xmlrpc:"thousands_sep,omptempty"`
	TimeFormat   *String    `xmlrpc:"time_format,omptempty"`
	Translatable *Bool      `xmlrpc:"translatable,omptempty"`
	WriteDate    *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid     *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ResLang represents res.lang model.

func (*ResLang) Many2One

func (rl *ResLang) Many2One() *Many2One

Many2One convert ResLang to *Many2One.

type ResLangs

type ResLangs []ResLang

ResLangs represents array of res.lang model.

type ResPartner

type ResPartner struct {
	LastUpdate                    *Time      `xmlrpc:"__last_update,omptempty"`
	Active                        *Bool      `xmlrpc:"active,omptempty"`
	ActivityDateDeadline          *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds                   *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState                 *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary               *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId                *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId                *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	BankAccountCount              *Int       `xmlrpc:"bank_account_count,omptempty"`
	BankIds                       *Relation  `xmlrpc:"bank_ids,omptempty"`
	Barcode                       *String    `xmlrpc:"barcode,omptempty"`
	CalendarLastNotifAck          *Time      `xmlrpc:"calendar_last_notif_ack,omptempty"`
	CategoryId                    *Relation  `xmlrpc:"category_id,omptempty"`
	ChannelIds                    *Relation  `xmlrpc:"channel_ids,omptempty"`
	ChildIds                      *Relation  `xmlrpc:"child_ids,omptempty"`
	City                          *String    `xmlrpc:"city,omptempty"`
	Color                         *Int       `xmlrpc:"color,omptempty"`
	Comment                       *String    `xmlrpc:"comment,omptempty"`
	CommercialCompanyName         *String    `xmlrpc:"commercial_company_name,omptempty"`
	CommercialPartnerCountryId    *Many2One  `xmlrpc:"commercial_partner_country_id,omptempty"`
	CommercialPartnerId           *Many2One  `xmlrpc:"commercial_partner_id,omptempty"`
	CompanyId                     *Many2One  `xmlrpc:"company_id,omptempty"`
	CompanyName                   *String    `xmlrpc:"company_name,omptempty"`
	CompanyType                   *Selection `xmlrpc:"company_type,omptempty"`
	ContactAddress                *String    `xmlrpc:"contact_address,omptempty"`
	ContractIds                   *Relation  `xmlrpc:"contract_ids,omptempty"`
	ContractsCount                *Int       `xmlrpc:"contracts_count,omptempty"`
	CountryId                     *Many2One  `xmlrpc:"country_id,omptempty"`
	CreateDate                    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                     *Many2One  `xmlrpc:"create_uid,omptempty"`
	Credit                        *Float     `xmlrpc:"credit,omptempty"`
	CreditLimit                   *Float     `xmlrpc:"credit_limit,omptempty"`
	CurrencyId                    *Many2One  `xmlrpc:"currency_id,omptempty"`
	Customer                      *Bool      `xmlrpc:"customer,omptempty"`
	Date                          *Time      `xmlrpc:"date,omptempty"`
	Debit                         *Float     `xmlrpc:"debit,omptempty"`
	DebitLimit                    *Float     `xmlrpc:"debit_limit,omptempty"`
	DisplayName                   *String    `xmlrpc:"display_name,omptempty"`
	Email                         *String    `xmlrpc:"email,omptempty"`
	EmailFormatted                *String    `xmlrpc:"email_formatted,omptempty"`
	Employee                      *Bool      `xmlrpc:"employee,omptempty"`
	Function                      *String    `xmlrpc:"function,omptempty"`
	HasUnreconciledEntries        *Bool      `xmlrpc:"has_unreconciled_entries,omptempty"`
	Id                            *Int       `xmlrpc:"id,omptempty"`
	ImStatus                      *String    `xmlrpc:"im_status,omptempty"`
	Image                         *String    `xmlrpc:"image,omptempty"`
	ImageMedium                   *String    `xmlrpc:"image_medium,omptempty"`
	ImageSmall                    *String    `xmlrpc:"image_small,omptempty"`
	IndustryId                    *Many2One  `xmlrpc:"industry_id,omptempty"`
	InvoiceIds                    *Relation  `xmlrpc:"invoice_ids,omptempty"`
	InvoiceWarn                   *Selection `xmlrpc:"invoice_warn,omptempty"`
	InvoiceWarnMsg                *String    `xmlrpc:"invoice_warn_msg,omptempty"`
	IsCompany                     *Bool      `xmlrpc:"is_company,omptempty"`
	JournalItemCount              *Int       `xmlrpc:"journal_item_count,omptempty"`
	Lang                          *Selection `xmlrpc:"lang,omptempty"`
	LastTimeEntriesChecked        *Time      `xmlrpc:"last_time_entries_checked,omptempty"`
	MachineOrganizationName       *String    `xmlrpc:"machine_organization_name,omptempty"`
	MeetingCount                  *Int       `xmlrpc:"meeting_count,omptempty"`
	MeetingIds                    *Relation  `xmlrpc:"meeting_ids,omptempty"`
	MessageBounce                 *Int       `xmlrpc:"message_bounce,omptempty"`
	MessageChannelIds             *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds            *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds                    *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower             *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost               *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction             *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter      *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds             *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread                 *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter          *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Mobile                        *String    `xmlrpc:"mobile,omptempty"`
	Name                          *String    `xmlrpc:"name,omptempty"`
	OpportunityCount              *Int       `xmlrpc:"opportunity_count,omptempty"`
	OpportunityIds                *Relation  `xmlrpc:"opportunity_ids,omptempty"`
	OptOut                        *Bool      `xmlrpc:"opt_out,omptempty"`
	ParentId                      *Many2One  `xmlrpc:"parent_id,omptempty"`
	ParentName                    *String    `xmlrpc:"parent_name,omptempty"`
	PartnerShare                  *Bool      `xmlrpc:"partner_share,omptempty"`
	PaymentTokenCount             *Int       `xmlrpc:"payment_token_count,omptempty"`
	PaymentTokenIds               *Relation  `xmlrpc:"payment_token_ids,omptempty"`
	Phone                         *String    `xmlrpc:"phone,omptempty"`
	PickingWarn                   *Selection `xmlrpc:"picking_warn,omptempty"`
	PickingWarnMsg                *String    `xmlrpc:"picking_warn_msg,omptempty"`
	PropertyAccountPayableId      *Many2One  `xmlrpc:"property_account_payable_id,omptempty"`
	PropertyAccountPositionId     *Many2One  `xmlrpc:"property_account_position_id,omptempty"`
	PropertyAccountReceivableId   *Many2One  `xmlrpc:"property_account_receivable_id,omptempty"`
	PropertyAutosalesConfig       *Many2One  `xmlrpc:"property_autosales_config,omptempty"`
	PropertyPaymentTermId         *Many2One  `xmlrpc:"property_payment_term_id,omptempty"`
	PropertyProductPricelist      *Many2One  `xmlrpc:"property_product_pricelist,omptempty"`
	PropertyPurchaseCurrencyId    *Many2One  `xmlrpc:"property_purchase_currency_id,omptempty"`
	PropertyStockCustomer         *Many2One  `xmlrpc:"property_stock_customer,omptempty"`
	PropertyStockSupplier         *Many2One  `xmlrpc:"property_stock_supplier,omptempty"`
	PropertySupplierPaymentTermId *Many2One  `xmlrpc:"property_supplier_payment_term_id,omptempty"`
	PurchaseOrderCount            *Int       `xmlrpc:"purchase_order_count,omptempty"`
	PurchaseWarn                  *Selection `xmlrpc:"purchase_warn,omptempty"`
	PurchaseWarnMsg               *String    `xmlrpc:"purchase_warn_msg,omptempty"`
	Ref                           *String    `xmlrpc:"ref,omptempty"`
	RefCompanyIds                 *Relation  `xmlrpc:"ref_company_ids,omptempty"`
	SaleOrderCount                *Int       `xmlrpc:"sale_order_count,omptempty"`
	SaleOrderIds                  *Relation  `xmlrpc:"sale_order_ids,omptempty"`
	SaleWarn                      *Selection `xmlrpc:"sale_warn,omptempty"`
	SaleWarnMsg                   *String    `xmlrpc:"sale_warn_msg,omptempty"`
	Self                          *Many2One  `xmlrpc:"self,omptempty"`
	SignupExpiration              *Time      `xmlrpc:"signup_expiration,omptempty"`
	SignupToken                   *String    `xmlrpc:"signup_token,omptempty"`
	SignupType                    *String    `xmlrpc:"signup_type,omptempty"`
	SignupUrl                     *String    `xmlrpc:"signup_url,omptempty"`
	SignupValid                   *Bool      `xmlrpc:"signup_valid,omptempty"`
	Siret                         *String    `xmlrpc:"siret,omptempty"`
	StateId                       *Many2One  `xmlrpc:"state_id,omptempty"`
	Street                        *String    `xmlrpc:"street,omptempty"`
	Street2                       *String    `xmlrpc:"street2,omptempty"`
	Supplier                      *Bool      `xmlrpc:"supplier,omptempty"`
	SupplierInvoiceCount          *Int       `xmlrpc:"supplier_invoice_count,omptempty"`
	TaskCount                     *Int       `xmlrpc:"task_count,omptempty"`
	TaskIds                       *Relation  `xmlrpc:"task_ids,omptempty"`
	TeamId                        *Many2One  `xmlrpc:"team_id,omptempty"`
	Title                         *Many2One  `xmlrpc:"title,omptempty"`
	TotalInvoiced                 *Float     `xmlrpc:"total_invoiced,omptempty"`
	Trust                         *Selection `xmlrpc:"trust,omptempty"`
	Type                          *Selection `xmlrpc:"type,omptempty"`
	Tz                            *Selection `xmlrpc:"tz,omptempty"`
	TzOffset                      *String    `xmlrpc:"tz_offset,omptempty"`
	UserId                        *Many2One  `xmlrpc:"user_id,omptempty"`
	UserIds                       *Relation  `xmlrpc:"user_ids,omptempty"`
	Vat                           *String    `xmlrpc:"vat,omptempty"`
	Website                       *String    `xmlrpc:"website,omptempty"`
	WebsiteMessageIds             *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                      *Many2One  `xmlrpc:"write_uid,omptempty"`
	Zip                           *String    `xmlrpc:"zip,omptempty"`
}

ResPartner represents res.partner model.

func (*ResPartner) Many2One

func (rp *ResPartner) Many2One() *Many2One

Many2One convert ResPartner to *Many2One.

type ResPartnerBank

type ResPartnerBank struct {
	LastUpdate         *Time     `xmlrpc:"__last_update,omptempty"`
	AccNumber          *String   `xmlrpc:"acc_number,omptempty"`
	AccType            *String   `xmlrpc:"acc_type,omptempty"`
	BankBic            *String   `xmlrpc:"bank_bic,omptempty"`
	BankId             *Many2One `xmlrpc:"bank_id,omptempty"`
	BankName           *String   `xmlrpc:"bank_name,omptempty"`
	CompanyId          *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate         *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid          *Many2One `xmlrpc:"create_uid,omptempty"`
	CurrencyId         *Many2One `xmlrpc:"currency_id,omptempty"`
	DisplayName        *String   `xmlrpc:"display_name,omptempty"`
	Id                 *Int      `xmlrpc:"id,omptempty"`
	JournalId          *Relation `xmlrpc:"journal_id,omptempty"`
	PartnerId          *Many2One `xmlrpc:"partner_id,omptempty"`
	SanitizedAccNumber *String   `xmlrpc:"sanitized_acc_number,omptempty"`
	Sequence           *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate          *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid           *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResPartnerBank represents res.partner.bank model.

func (*ResPartnerBank) Many2One

func (rpb *ResPartnerBank) Many2One() *Many2One

Many2One convert ResPartnerBank to *Many2One.

type ResPartnerBanks

type ResPartnerBanks []ResPartnerBank

ResPartnerBanks represents array of res.partner.bank model.

type ResPartnerCategory

type ResPartnerCategory struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	ChildIds    *Relation `xmlrpc:"child_ids,omptempty"`
	Color       *Int      `xmlrpc:"color,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	ParentId    *Many2One `xmlrpc:"parent_id,omptempty"`
	ParentLeft  *Int      `xmlrpc:"parent_left,omptempty"`
	ParentRight *Int      `xmlrpc:"parent_right,omptempty"`
	PartnerIds  *Relation `xmlrpc:"partner_ids,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResPartnerCategory represents res.partner.category model.

func (*ResPartnerCategory) Many2One

func (rpc *ResPartnerCategory) Many2One() *Many2One

Many2One convert ResPartnerCategory to *Many2One.

type ResPartnerCategorys

type ResPartnerCategorys []ResPartnerCategory

ResPartnerCategorys represents array of res.partner.category model.

type ResPartnerIndustry

type ResPartnerIndustry struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	FullName    *String   `xmlrpc:"full_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResPartnerIndustry represents res.partner.industry model.

func (*ResPartnerIndustry) Many2One

func (rpi *ResPartnerIndustry) Many2One() *Many2One

Many2One convert ResPartnerIndustry to *Many2One.

type ResPartnerIndustrys

type ResPartnerIndustrys []ResPartnerIndustry

ResPartnerIndustrys represents array of res.partner.industry model.

type ResPartnerTitle

type ResPartnerTitle struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Shortcut    *String   `xmlrpc:"shortcut,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResPartnerTitle represents res.partner.title model.

func (*ResPartnerTitle) Many2One

func (rpt *ResPartnerTitle) Many2One() *Many2One

Many2One convert ResPartnerTitle to *Many2One.

type ResPartnerTitles

type ResPartnerTitles []ResPartnerTitle

ResPartnerTitles represents array of res.partner.title model.

type ResPartners

type ResPartners []ResPartner

ResPartners represents array of res.partner model.

type ResRequestLink struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Object      *String   `xmlrpc:"object,omptempty"`
	Priority    *Int      `xmlrpc:"priority,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResRequestLink represents res.request.link model.

func (*ResRequestLink) Many2One

func (rrl *ResRequestLink) Many2One() *Many2One

Many2One convert ResRequestLink to *Many2One.

type ResRequestLinks []ResRequestLink

ResRequestLinks represents array of res.request.link model.

type ResUsers

type ResUsers struct {
	LastUpdate                    *Time      `xmlrpc:"__last_update,omptempty"`
	ActionId                      *Many2One  `xmlrpc:"action_id,omptempty"`
	Active                        *Bool      `xmlrpc:"active,omptempty"`
	ActivityDateDeadline          *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds                   *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState                 *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary               *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId                *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId                *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	AliasContact                  *Selection `xmlrpc:"alias_contact,omptempty"`
	AliasId                       *Many2One  `xmlrpc:"alias_id,omptempty"`
	BankAccountCount              *Int       `xmlrpc:"bank_account_count,omptempty"`
	BankIds                       *Relation  `xmlrpc:"bank_ids,omptempty"`
	Barcode                       *String    `xmlrpc:"barcode,omptempty"`
	CalendarLastNotifAck          *Time      `xmlrpc:"calendar_last_notif_ack,omptempty"`
	CategoryId                    *Relation  `xmlrpc:"category_id,omptempty"`
	ChannelIds                    *Relation  `xmlrpc:"channel_ids,omptempty"`
	ChildIds                      *Relation  `xmlrpc:"child_ids,omptempty"`
	City                          *String    `xmlrpc:"city,omptempty"`
	Color                         *Int       `xmlrpc:"color,omptempty"`
	Comment                       *String    `xmlrpc:"comment,omptempty"`
	CommercialCompanyName         *String    `xmlrpc:"commercial_company_name,omptempty"`
	CommercialPartnerCountryId    *Many2One  `xmlrpc:"commercial_partner_country_id,omptempty"`
	CommercialPartnerId           *Many2One  `xmlrpc:"commercial_partner_id,omptempty"`
	CompaniesCount                *Int       `xmlrpc:"companies_count,omptempty"`
	CompanyId                     *Many2One  `xmlrpc:"company_id,omptempty"`
	CompanyIds                    *Relation  `xmlrpc:"company_ids,omptempty"`
	CompanyName                   *String    `xmlrpc:"company_name,omptempty"`
	CompanyType                   *Selection `xmlrpc:"company_type,omptempty"`
	ContactAddress                *String    `xmlrpc:"contact_address,omptempty"`
	ContractIds                   *Relation  `xmlrpc:"contract_ids,omptempty"`
	ContractsCount                *Int       `xmlrpc:"contracts_count,omptempty"`
	CountryId                     *Many2One  `xmlrpc:"country_id,omptempty"`
	CreateDate                    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                     *Many2One  `xmlrpc:"create_uid,omptempty"`
	Credit                        *Float     `xmlrpc:"credit,omptempty"`
	CreditLimit                   *Float     `xmlrpc:"credit_limit,omptempty"`
	CurrencyId                    *Many2One  `xmlrpc:"currency_id,omptempty"`
	Customer                      *Bool      `xmlrpc:"customer,omptempty"`
	Date                          *Time      `xmlrpc:"date,omptempty"`
	Debit                         *Float     `xmlrpc:"debit,omptempty"`
	DebitLimit                    *Float     `xmlrpc:"debit_limit,omptempty"`
	DisplayName                   *String    `xmlrpc:"display_name,omptempty"`
	Email                         *String    `xmlrpc:"email,omptempty"`
	EmailFormatted                *String    `xmlrpc:"email_formatted,omptempty"`
	Employee                      *Bool      `xmlrpc:"employee,omptempty"`
	EmployeeIds                   *Relation  `xmlrpc:"employee_ids,omptempty"`
	Function                      *String    `xmlrpc:"function,omptempty"`
	GroupsId                      *Relation  `xmlrpc:"groups_id,omptempty"`
	HasUnreconciledEntries        *Bool      `xmlrpc:"has_unreconciled_entries,omptempty"`
	Id                            *Int       `xmlrpc:"id,omptempty"`
	ImStatus                      *String    `xmlrpc:"im_status,omptempty"`
	Image                         *String    `xmlrpc:"image,omptempty"`
	ImageMedium                   *String    `xmlrpc:"image_medium,omptempty"`
	ImageSmall                    *String    `xmlrpc:"image_small,omptempty"`
	IndustryId                    *Many2One  `xmlrpc:"industry_id,omptempty"`
	InvoiceIds                    *Relation  `xmlrpc:"invoice_ids,omptempty"`
	InvoiceWarn                   *Selection `xmlrpc:"invoice_warn,omptempty"`
	InvoiceWarnMsg                *String    `xmlrpc:"invoice_warn_msg,omptempty"`
	IsCompany                     *Bool      `xmlrpc:"is_company,omptempty"`
	JournalItemCount              *Int       `xmlrpc:"journal_item_count,omptempty"`
	Lang                          *Selection `xmlrpc:"lang,omptempty"`
	LastTimeEntriesChecked        *Time      `xmlrpc:"last_time_entries_checked,omptempty"`
	LogIds                        *Relation  `xmlrpc:"log_ids,omptempty"`
	Login                         *String    `xmlrpc:"login,omptempty"`
	LoginDate                     *Time      `xmlrpc:"login_date,omptempty"`
	MachineOrganizationName       *String    `xmlrpc:"machine_organization_name,omptempty"`
	MachineUserEmail              *String    `xmlrpc:"machine_user_email,omptempty"`
	MachineUserLogin              *String    `xmlrpc:"machine_user_login,omptempty"`
	MeetingCount                  *Int       `xmlrpc:"meeting_count,omptempty"`
	MeetingIds                    *Relation  `xmlrpc:"meeting_ids,omptempty"`
	MessageBounce                 *Int       `xmlrpc:"message_bounce,omptempty"`
	MessageChannelIds             *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds            *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds                    *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower             *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost               *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction             *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter      *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds             *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread                 *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter          *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Mobile                        *String    `xmlrpc:"mobile,omptempty"`
	Name                          *String    `xmlrpc:"name,omptempty"`
	NewPassword                   *String    `xmlrpc:"new_password,omptempty"`
	NotificationType              *Selection `xmlrpc:"notification_type,omptempty"`
	OpportunityCount              *Int       `xmlrpc:"opportunity_count,omptempty"`
	OpportunityIds                *Relation  `xmlrpc:"opportunity_ids,omptempty"`
	OptOut                        *Bool      `xmlrpc:"opt_out,omptempty"`
	ParentId                      *Many2One  `xmlrpc:"parent_id,omptempty"`
	ParentName                    *String    `xmlrpc:"parent_name,omptempty"`
	PartnerId                     *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerShare                  *Bool      `xmlrpc:"partner_share,omptempty"`
	Password                      *String    `xmlrpc:"password,omptempty"`
	PasswordCrypt                 *String    `xmlrpc:"password_crypt,omptempty"`
	PaymentTokenCount             *Int       `xmlrpc:"payment_token_count,omptempty"`
	PaymentTokenIds               *Relation  `xmlrpc:"payment_token_ids,omptempty"`
	Phone                         *String    `xmlrpc:"phone,omptempty"`
	PickingWarn                   *Selection `xmlrpc:"picking_warn,omptempty"`
	PickingWarnMsg                *String    `xmlrpc:"picking_warn_msg,omptempty"`
	PropertyAccountPayableId      *Many2One  `xmlrpc:"property_account_payable_id,omptempty"`
	PropertyAccountPositionId     *Many2One  `xmlrpc:"property_account_position_id,omptempty"`
	PropertyAccountReceivableId   *Many2One  `xmlrpc:"property_account_receivable_id,omptempty"`
	PropertyAutosalesConfig       *Many2One  `xmlrpc:"property_autosales_config,omptempty"`
	PropertyPaymentTermId         *Many2One  `xmlrpc:"property_payment_term_id,omptempty"`
	PropertyProductPricelist      *Many2One  `xmlrpc:"property_product_pricelist,omptempty"`
	PropertyPurchaseCurrencyId    *Many2One  `xmlrpc:"property_purchase_currency_id,omptempty"`
	PropertyStockCustomer         *Many2One  `xmlrpc:"property_stock_customer,omptempty"`
	PropertyStockSupplier         *Many2One  `xmlrpc:"property_stock_supplier,omptempty"`
	PropertySupplierPaymentTermId *Many2One  `xmlrpc:"property_supplier_payment_term_id,omptempty"`
	PurchaseOrderCount            *Int       `xmlrpc:"purchase_order_count,omptempty"`
	PurchaseWarn                  *Selection `xmlrpc:"purchase_warn,omptempty"`
	PurchaseWarnMsg               *String    `xmlrpc:"purchase_warn_msg,omptempty"`
	Ref                           *String    `xmlrpc:"ref,omptempty"`
	RefCompanyIds                 *Relation  `xmlrpc:"ref_company_ids,omptempty"`
	ResourceCalendarId            *Many2One  `xmlrpc:"resource_calendar_id,omptempty"`
	ResourceIds                   *Relation  `xmlrpc:"resource_ids,omptempty"`
	SaleOrderCount                *Int       `xmlrpc:"sale_order_count,omptempty"`
	SaleOrderIds                  *Relation  `xmlrpc:"sale_order_ids,omptempty"`
	SaleTeamId                    *Many2One  `xmlrpc:"sale_team_id,omptempty"`
	SaleWarn                      *Selection `xmlrpc:"sale_warn,omptempty"`
	SaleWarnMsg                   *String    `xmlrpc:"sale_warn_msg,omptempty"`
	Self                          *Many2One  `xmlrpc:"self,omptempty"`
	Share                         *Bool      `xmlrpc:"share,omptempty"`
	Signature                     *String    `xmlrpc:"signature,omptempty"`
	SignupExpiration              *Time      `xmlrpc:"signup_expiration,omptempty"`
	SignupToken                   *String    `xmlrpc:"signup_token,omptempty"`
	SignupType                    *String    `xmlrpc:"signup_type,omptempty"`
	SignupUrl                     *String    `xmlrpc:"signup_url,omptempty"`
	SignupValid                   *Bool      `xmlrpc:"signup_valid,omptempty"`
	Siret                         *String    `xmlrpc:"siret,omptempty"`
	State                         *Selection `xmlrpc:"state,omptempty"`
	StateId                       *Many2One  `xmlrpc:"state_id,omptempty"`
	Street                        *String    `xmlrpc:"street,omptempty"`
	Street2                       *String    `xmlrpc:"street2,omptempty"`
	Supplier                      *Bool      `xmlrpc:"supplier,omptempty"`
	SupplierInvoiceCount          *Int       `xmlrpc:"supplier_invoice_count,omptempty"`
	TargetSalesDone               *Int       `xmlrpc:"target_sales_done,omptempty"`
	TargetSalesInvoiced           *Int       `xmlrpc:"target_sales_invoiced,omptempty"`
	TargetSalesWon                *Int       `xmlrpc:"target_sales_won,omptempty"`
	TaskCount                     *Int       `xmlrpc:"task_count,omptempty"`
	TaskIds                       *Relation  `xmlrpc:"task_ids,omptempty"`
	TeamId                        *Many2One  `xmlrpc:"team_id,omptempty"`
	Title                         *Many2One  `xmlrpc:"title,omptempty"`
	TotalInvoiced                 *Float     `xmlrpc:"total_invoiced,omptempty"`
	Trust                         *Selection `xmlrpc:"trust,omptempty"`
	Type                          *Selection `xmlrpc:"type,omptempty"`
	Tz                            *Selection `xmlrpc:"tz,omptempty"`
	TzOffset                      *String    `xmlrpc:"tz_offset,omptempty"`
	UserId                        *Many2One  `xmlrpc:"user_id,omptempty"`
	UserIds                       *Relation  `xmlrpc:"user_ids,omptempty"`
	Vat                           *String    `xmlrpc:"vat,omptempty"`
	Website                       *String    `xmlrpc:"website,omptempty"`
	WebsiteMessageIds             *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                      *Many2One  `xmlrpc:"write_uid,omptempty"`
	Zip                           *String    `xmlrpc:"zip,omptempty"`
}

ResUsers represents res.users model.

func (*ResUsers) Many2One

func (ru *ResUsers) Many2One() *Many2One

Many2One convert ResUsers to *Many2One.

type ResUsersLog

type ResUsersLog struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResUsersLog represents res.users.log model.

func (*ResUsersLog) Many2One

func (rul *ResUsersLog) Many2One() *Many2One

Many2One convert ResUsersLog to *Many2One.

type ResUsersLogs

type ResUsersLogs []ResUsersLog

ResUsersLogs represents array of res.users.log model.

type ResUserss

type ResUserss []ResUsers

ResUserss represents array of res.users model.

type ResourceCalendar

type ResourceCalendar struct {
	LastUpdate     *Time     `xmlrpc:"__last_update,omptempty"`
	AttendanceIds  *Relation `xmlrpc:"attendance_ids,omptempty"`
	CompanyId      *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String   `xmlrpc:"display_name,omptempty"`
	GlobalLeaveIds *Relation `xmlrpc:"global_leave_ids,omptempty"`
	Id             *Int      `xmlrpc:"id,omptempty"`
	LeaveIds       *Relation `xmlrpc:"leave_ids,omptempty"`
	Name           *String   `xmlrpc:"name,omptempty"`
	WriteDate      *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One `xmlrpc:"write_uid,omptempty"`
}

ResourceCalendar represents resource.calendar model.

func (*ResourceCalendar) Many2One

func (rc *ResourceCalendar) Many2One() *Many2One

Many2One convert ResourceCalendar to *Many2One.

type ResourceCalendarAttendance

type ResourceCalendarAttendance struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CalendarId  *Many2One  `xmlrpc:"calendar_id,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom    *Time      `xmlrpc:"date_from,omptempty"`
	DateTo      *Time      `xmlrpc:"date_to,omptempty"`
	Dayofweek   *Selection `xmlrpc:"dayofweek,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	HourFrom    *Float     `xmlrpc:"hour_from,omptempty"`
	HourTo      *Float     `xmlrpc:"hour_to,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ResourceCalendarAttendance represents resource.calendar.attendance model.

func (*ResourceCalendarAttendance) Many2One

func (rca *ResourceCalendarAttendance) Many2One() *Many2One

Many2One convert ResourceCalendarAttendance to *Many2One.

type ResourceCalendarAttendances

type ResourceCalendarAttendances []ResourceCalendarAttendance

ResourceCalendarAttendances represents array of resource.calendar.attendance model.

type ResourceCalendarLeaves

type ResourceCalendarLeaves struct {
	LastUpdate  *Time      `xmlrpc:"__last_update,omptempty"`
	CalendarId  *Many2One  `xmlrpc:"calendar_id,omptempty"`
	CompanyId   *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateFrom    *Time      `xmlrpc:"date_from,omptempty"`
	DateTo      *Time      `xmlrpc:"date_to,omptempty"`
	DisplayName *String    `xmlrpc:"display_name,omptempty"`
	HolidayId   *Many2One  `xmlrpc:"holiday_id,omptempty"`
	Id          *Int       `xmlrpc:"id,omptempty"`
	Name        *String    `xmlrpc:"name,omptempty"`
	ResourceId  *Many2One  `xmlrpc:"resource_id,omptempty"`
	Tz          *Selection `xmlrpc:"tz,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ResourceCalendarLeaves represents resource.calendar.leaves model.

func (*ResourceCalendarLeaves) Many2One

func (rcl *ResourceCalendarLeaves) Many2One() *Many2One

Many2One convert ResourceCalendarLeaves to *Many2One.

type ResourceCalendarLeavess

type ResourceCalendarLeavess []ResourceCalendarLeaves

ResourceCalendarLeavess represents array of resource.calendar.leaves model.

type ResourceCalendars

type ResourceCalendars []ResourceCalendar

ResourceCalendars represents array of resource.calendar model.

type ResourceMixin

type ResourceMixin struct {
	LastUpdate         *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyId          *Many2One `xmlrpc:"company_id,omptempty"`
	DisplayName        *String   `xmlrpc:"display_name,omptempty"`
	Id                 *Int      `xmlrpc:"id,omptempty"`
	ResourceCalendarId *Many2One `xmlrpc:"resource_calendar_id,omptempty"`
	ResourceId         *Many2One `xmlrpc:"resource_id,omptempty"`
}

ResourceMixin represents resource.mixin model.

func (*ResourceMixin) Many2One

func (rm *ResourceMixin) Many2One() *Many2One

Many2One convert ResourceMixin to *Many2One.

type ResourceMixins

type ResourceMixins []ResourceMixin

ResourceMixins represents array of resource.mixin model.

type ResourceResource

type ResourceResource struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	Active         *Bool      `xmlrpc:"active,omptempty"`
	CalendarId     *Many2One  `xmlrpc:"calendar_id,omptempty"`
	CompanyId      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	ResourceType   *Selection `xmlrpc:"resource_type,omptempty"`
	TimeEfficiency *Float     `xmlrpc:"time_efficiency,omptempty"`
	UserId         *Many2One  `xmlrpc:"user_id,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

ResourceResource represents resource.resource model.

func (*ResourceResource) Many2One

func (rr *ResourceResource) Many2One() *Many2One

Many2One convert ResourceResource to *Many2One.

type ResourceResources

type ResourceResources []ResourceResource

ResourceResources represents array of resource.resource model.

type SaleAdvancePaymentInv

type SaleAdvancePaymentInv struct {
	LastUpdate           *Time      `xmlrpc:"__last_update,omptempty"`
	AdvancePaymentMethod *Selection `xmlrpc:"advance_payment_method,omptempty"`
	Amount               *Float     `xmlrpc:"amount,omptempty"`
	Count                *Int       `xmlrpc:"count,omptempty"`
	CreateDate           *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid            *Many2One  `xmlrpc:"create_uid,omptempty"`
	DepositAccountId     *Many2One  `xmlrpc:"deposit_account_id,omptempty"`
	DepositTaxesId       *Relation  `xmlrpc:"deposit_taxes_id,omptempty"`
	DisplayName          *String    `xmlrpc:"display_name,omptempty"`
	Id                   *Int       `xmlrpc:"id,omptempty"`
	ProductId            *Many2One  `xmlrpc:"product_id,omptempty"`
	WriteDate            *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid             *Many2One  `xmlrpc:"write_uid,omptempty"`
}

SaleAdvancePaymentInv represents sale.advance.payment.inv model.

func (*SaleAdvancePaymentInv) Many2One

func (sapi *SaleAdvancePaymentInv) Many2One() *Many2One

Many2One convert SaleAdvancePaymentInv to *Many2One.

type SaleAdvancePaymentInvs

type SaleAdvancePaymentInvs []SaleAdvancePaymentInv

SaleAdvancePaymentInvs represents array of sale.advance.payment.inv model.

type SaleLayoutCategory

type SaleLayoutCategory struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	Pagebreak   *Bool     `xmlrpc:"pagebreak,omptempty"`
	Sequence    *Int      `xmlrpc:"sequence,omptempty"`
	Subtotal    *Bool     `xmlrpc:"subtotal,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

SaleLayoutCategory represents sale.layout_category model.

func (*SaleLayoutCategory) Many2One

func (sl *SaleLayoutCategory) Many2One() *Many2One

Many2One convert SaleLayoutCategory to *Many2One.

type SaleLayoutCategorys

type SaleLayoutCategorys []SaleLayoutCategory

SaleLayoutCategorys represents array of sale.layout_category model.

type SaleOrder

type SaleOrder struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	AccessToken              *String    `xmlrpc:"access_token,omptempty"`
	ActivityDateDeadline     *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds              *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState            *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary          *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId           *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId           *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	AmountTax                *Float     `xmlrpc:"amount_tax,omptempty"`
	AmountTotal              *Float     `xmlrpc:"amount_total,omptempty"`
	AmountUntaxed            *Float     `xmlrpc:"amount_untaxed,omptempty"`
	AnalyticAccountId        *Many2One  `xmlrpc:"analytic_account_id,omptempty"`
	AutosalesConfigId        *Many2One  `xmlrpc:"autosales_config_id,omptempty"`
	CampaignId               *Many2One  `xmlrpc:"campaign_id,omptempty"`
	ClientOrderRef           *String    `xmlrpc:"client_order_ref,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	ConfirmationDate         *Time      `xmlrpc:"confirmation_date,omptempty"`
	ContributionsCreated     *Bool      `xmlrpc:"contributions_created,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId               *Many2One  `xmlrpc:"currency_id,omptempty"`
	DateOrder                *Time      `xmlrpc:"date_order,omptempty"`
	DeliveryCount            *Int       `xmlrpc:"delivery_count,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	FiscalPositionId         *Many2One  `xmlrpc:"fiscal_position_id,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	Incoterm                 *Many2One  `xmlrpc:"incoterm,omptempty"`
	InvoiceCount             *Int       `xmlrpc:"invoice_count,omptempty"`
	InvoiceIds               *Relation  `xmlrpc:"invoice_ids,omptempty"`
	InvoiceStatus            *Selection `xmlrpc:"invoice_status,omptempty"`
	IsExpired                *Bool      `xmlrpc:"is_expired,omptempty"`
	MediumId                 *Many2One  `xmlrpc:"medium_id,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	Note                     *String    `xmlrpc:"note,omptempty"`
	OpportunityId            *Many2One  `xmlrpc:"opportunity_id,omptempty"`
	OrderLine                *Relation  `xmlrpc:"order_line,omptempty"`
	Origin                   *String    `xmlrpc:"origin,omptempty"`
	PartnerId                *Many2One  `xmlrpc:"partner_id,omptempty"`
	PartnerInvoiceId         *Many2One  `xmlrpc:"partner_invoice_id,omptempty"`
	PartnerShippingId        *Many2One  `xmlrpc:"partner_shipping_id,omptempty"`
	PaymentTermId            *Many2One  `xmlrpc:"payment_term_id,omptempty"`
	PickingIds               *Relation  `xmlrpc:"picking_ids,omptempty"`
	PickingPolicy            *Selection `xmlrpc:"picking_policy,omptempty"`
	PortalUrl                *String    `xmlrpc:"portal_url,omptempty"`
	PricelistId              *Many2One  `xmlrpc:"pricelist_id,omptempty"`
	ProcurementGroupId       *Many2One  `xmlrpc:"procurement_group_id,omptempty"`
	ProductId                *Many2One  `xmlrpc:"product_id,omptempty"`
	ProjectIds               *Relation  `xmlrpc:"project_ids,omptempty"`
	ProjectProjectId         *Many2One  `xmlrpc:"project_project_id,omptempty"`
	SourceId                 *Many2One  `xmlrpc:"source_id,omptempty"`
	State                    *Selection `xmlrpc:"state,omptempty"`
	TagIds                   *Relation  `xmlrpc:"tag_ids,omptempty"`
	TasksCount               *Int       `xmlrpc:"tasks_count,omptempty"`
	TasksIds                 *Relation  `xmlrpc:"tasks_ids,omptempty"`
	TeamId                   *Many2One  `xmlrpc:"team_id,omptempty"`
	TimesheetCount           *Float     `xmlrpc:"timesheet_count,omptempty"`
	TimesheetIds             *Relation  `xmlrpc:"timesheet_ids,omptempty"`
	UserId                   *Many2One  `xmlrpc:"user_id,omptempty"`
	ValidityDate             *Time      `xmlrpc:"validity_date,omptempty"`
	WarehouseId              *Many2One  `xmlrpc:"warehouse_id,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
	XTitle                   *String    `xmlrpc:"x_title,omptempty"`
	XTitleReadOnly           *String    `xmlrpc:"x_title_read_only,omptempty"`
}

SaleOrder represents sale.order model.

func (*SaleOrder) Many2One

func (so *SaleOrder) Many2One() *Many2One

Many2One convert SaleOrder to *Many2One.

type SaleOrderLine

type SaleOrderLine struct {
	LastUpdate             *Time      `xmlrpc:"__last_update,omptempty"`
	AmtInvoiced            *Float     `xmlrpc:"amt_invoiced,omptempty"`
	AmtToInvoice           *Float     `xmlrpc:"amt_to_invoice,omptempty"`
	AnalyticTagIds         *Relation  `xmlrpc:"analytic_tag_ids,omptempty"`
	AutosalesBaseOrderLine *Many2One  `xmlrpc:"autosales_base_order_line,omptempty"`
	AutosalesLine          *Bool      `xmlrpc:"autosales_line,omptempty"`
	CompanyId              *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One  `xmlrpc:"create_uid,omptempty"`
	CurrencyId             *Many2One  `xmlrpc:"currency_id,omptempty"`
	CustomerLead           *Float     `xmlrpc:"customer_lead,omptempty"`
	Discount               *Float     `xmlrpc:"discount,omptempty"`
	DisplayName            *String    `xmlrpc:"display_name,omptempty"`
	Id                     *Int       `xmlrpc:"id,omptempty"`
	InvoiceLines           *Relation  `xmlrpc:"invoice_lines,omptempty"`
	InvoiceStatus          *Selection `xmlrpc:"invoice_status,omptempty"`
	IsDownpayment          *Bool      `xmlrpc:"is_downpayment,omptempty"`
	IsService              *Bool      `xmlrpc:"is_service,omptempty"`
	LayoutCategoryId       *Many2One  `xmlrpc:"layout_category_id,omptempty"`
	LayoutCategorySequence *Int       `xmlrpc:"layout_category_sequence,omptempty"`
	MoveIds                *Relation  `xmlrpc:"move_ids,omptempty"`
	Name                   *String    `xmlrpc:"name,omptempty"`
	OrderId                *Many2One  `xmlrpc:"order_id,omptempty"`
	OrderPartnerId         *Many2One  `xmlrpc:"order_partner_id,omptempty"`
	PriceReduce            *Float     `xmlrpc:"price_reduce,omptempty"`
	PriceReduceTaxexcl     *Float     `xmlrpc:"price_reduce_taxexcl,omptempty"`
	PriceReduceTaxinc      *Float     `xmlrpc:"price_reduce_taxinc,omptempty"`
	PriceSubtotal          *Float     `xmlrpc:"price_subtotal,omptempty"`
	PriceTax               *Float     `xmlrpc:"price_tax,omptempty"`
	PriceTotal             *Float     `xmlrpc:"price_total,omptempty"`
	PriceUnit              *Float     `xmlrpc:"price_unit,omptempty"`
	ProductId              *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductImage           *String    `xmlrpc:"product_image,omptempty"`
	ProductPackaging       *Many2One  `xmlrpc:"product_packaging,omptempty"`
	ProductUom             *Many2One  `xmlrpc:"product_uom,omptempty"`
	ProductUomQty          *Float     `xmlrpc:"product_uom_qty,omptempty"`
	ProductUpdatable       *Bool      `xmlrpc:"product_updatable,omptempty"`
	QtyDelivered           *Float     `xmlrpc:"qty_delivered,omptempty"`
	QtyDeliveredUpdateable *Bool      `xmlrpc:"qty_delivered_updateable,omptempty"`
	QtyInvoiced            *Float     `xmlrpc:"qty_invoiced,omptempty"`
	QtyToInvoice           *Float     `xmlrpc:"qty_to_invoice,omptempty"`
	RouteId                *Many2One  `xmlrpc:"route_id,omptempty"`
	SalesmanId             *Many2One  `xmlrpc:"salesman_id,omptempty"`
	Sequence               *Int       `xmlrpc:"sequence,omptempty"`
	State                  *Selection `xmlrpc:"state,omptempty"`
	TaskId                 *Many2One  `xmlrpc:"task_id,omptempty"`
	TaxId                  *Relation  `xmlrpc:"tax_id,omptempty"`
	WriteDate              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

SaleOrderLine represents sale.order.line model.

func (*SaleOrderLine) Many2One

func (sol *SaleOrderLine) Many2One() *Many2One

Many2One convert SaleOrderLine to *Many2One.

type SaleOrderLines

type SaleOrderLines []SaleOrderLine

SaleOrderLines represents array of sale.order.line model.

type SaleOrders

type SaleOrders []SaleOrder

SaleOrders represents array of sale.order model.

type SaleReport

type SaleReport struct {
	LastUpdate          *Time      `xmlrpc:"__last_update,omptempty"`
	AmtInvoiced         *Float     `xmlrpc:"amt_invoiced,omptempty"`
	AmtToInvoice        *Float     `xmlrpc:"amt_to_invoice,omptempty"`
	AnalyticAccountId   *Many2One  `xmlrpc:"analytic_account_id,omptempty"`
	CategId             *Many2One  `xmlrpc:"categ_id,omptempty"`
	CommercialPartnerId *Many2One  `xmlrpc:"commercial_partner_id,omptempty"`
	CompanyId           *Many2One  `xmlrpc:"company_id,omptempty"`
	ConfirmationDate    *Time      `xmlrpc:"confirmation_date,omptempty"`
	CountryId           *Many2One  `xmlrpc:"country_id,omptempty"`
	Date                *Time      `xmlrpc:"date,omptempty"`
	DisplayName         *String    `xmlrpc:"display_name,omptempty"`
	Id                  *Int       `xmlrpc:"id,omptempty"`
	Name                *String    `xmlrpc:"name,omptempty"`
	Nbr                 *Int       `xmlrpc:"nbr,omptempty"`
	PartnerId           *Many2One  `xmlrpc:"partner_id,omptempty"`
	PriceSubtotal       *Float     `xmlrpc:"price_subtotal,omptempty"`
	PriceTotal          *Float     `xmlrpc:"price_total,omptempty"`
	PricelistId         *Many2One  `xmlrpc:"pricelist_id,omptempty"`
	ProductId           *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductTmplId       *Many2One  `xmlrpc:"product_tmpl_id,omptempty"`
	ProductUom          *Many2One  `xmlrpc:"product_uom,omptempty"`
	ProductUomQty       *Float     `xmlrpc:"product_uom_qty,omptempty"`
	QtyDelivered        *Float     `xmlrpc:"qty_delivered,omptempty"`
	QtyInvoiced         *Float     `xmlrpc:"qty_invoiced,omptempty"`
	QtyToInvoice        *Float     `xmlrpc:"qty_to_invoice,omptempty"`
	State               *Selection `xmlrpc:"state,omptempty"`
	TeamId              *Many2One  `xmlrpc:"team_id,omptempty"`
	UserId              *Many2One  `xmlrpc:"user_id,omptempty"`
	Volume              *Float     `xmlrpc:"volume,omptempty"`
	WarehouseId         *Many2One  `xmlrpc:"warehouse_id,omptempty"`
	Weight              *Float     `xmlrpc:"weight,omptempty"`
}

SaleReport represents sale.report model.

func (*SaleReport) Many2One

func (sr *SaleReport) Many2One() *Many2One

Many2One convert SaleReport to *Many2One.

type SaleReports

type SaleReports []SaleReport

SaleReports represents array of sale.report model.

type Selection

type Selection struct {
	// contains filtered or unexported fields
}

Selection represents selection odoo type.

func NewSelection

func NewSelection(v interface{}) *Selection

NewSelection creates a new *Selection.

func (*Selection) Get

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

Get *Selection value.

type SlideAnswer

type SlideAnswer struct {
	Id         *Int       `xmlrpc:"id,omptempty"`
	Sequence   *Int       `xmlrpc:"sequence,omptempty"`
	QuestionId *Many2One  `xmlrpc:"question_id,omptempty"`
	CreateUid  *Many2One  `xmlrpc:"create_uid,omptempty"`
	WriteUid   *Many2One  `xmlrpc:"write_uid,omptempty"`
	TextValue  *Selection `xmlrpc:"text_value,omptempty"`
	Comment    *Selection `xmlrpc:"comment,omptempty"`
	IsCorrect  *Bool      `xmlrpc:"is_correct,omptempty"`
	CreateDate *Time      `xmlrpc:"create_date,omptempty"`
	WriteDate  *Time      `xmlrpc:"write_date,omptempty"`
}

func (*SlideAnswer) Many2One

func (sa *SlideAnswer) Many2One() *Many2One

type SlideAnswers

type SlideAnswers []SlideAnswer

type SlideChannel

type SlideChannel struct {
	Id                      *Int       `xmlrpc:"id,omptempty"`
	WebsiteId               *Int       `xmlrpc:"website_id,omptempty"`
	MessageMainAttachmentId *Int       `xmlrpc:"message_main_attachment_id,omptempty"`
	Sequence                *Int       `xmlrpc:"sequence,omptempty"`
	UserId                  *Many2One  `xmlrpc:"user_id,omptempty"`
	Color                   *Int       `xmlrpc:"color,omptempty"`
	PromotedSlideId         *Many2One  `xmlrpc:"promoted_slide_id,omptempty"`
	NBRDocument             *Int       `xmlrpc:"nbr_document,omptempty"`
	NBRVideo                *Int       `xmlrpc:"nbr_video,omptempty"`
	NBRInfographic          *Int       `xmlrpc:"nbr_infographic,omptempty"`
	NBRQuiz                 *Int       `xmlrpc:"nbr_quiz,omptempty"`
	TotalSlides             *Int       `xmlrpc:"total_slides,omptempty"`
	TotalViews              *Int       `xmlrpc:"total_views,omptempty"`
	TotalVotes              *Int       `xmlrpc:"total_votes,omptempty"`
	PublishTemplateId       *Many2One  `xmlrpc:"publish_template_id,omptempty"`
	ShareChannelTemplateId  *Many2One  `xmlrpc:"share_channel_template_id,omptempty"`
	ShareSlideTemplateId    *Many2One  `xmlrpc:"share_slide_template_id,omptempty"`
	CompletedTemplateId     *Many2One  `xmlrpc:"completed_template_id,omptempty"`
	KarmaGenSlideVote       *Int       `xmlrpc:"karma_gen_slide_vote,omptempty"`
	KarmaGenChannelRank     *Int       `xmlrpc:"karma_gen_channel_rank,omptempty"`
	KarmaGenChannelFinish   *Int       `xmlrpc:"karma_gen_channel_finish,omptempty"`
	KarmaReview             *Int       `xmlrpc:"karma_review,omptempty"`
	KarmaSlideComment       *Int       `xmlrpc:"karma_slide_comment,omptempty"`
	KarmaSlideVote          *Int       `xmlrpc:"karma_slide_vote,omptempty"`
	CreateUid               *Many2One  `xmlrpc:"create_uid,omptempty"`
	WriteUid                *Many2One  `xmlrpc:"write_uid,omptempty"`
	WebsiteMetaOgImg        *String    `xmlrpc:"website_meta_og_img,omptempty"`
	ChannelType             *String    `xmlrpc:"channel_type,omptempty"`
	PromoteStrategy         *String    `xmlrpc:"promote_strategy,omptempty"`
	AccessToken             *String    `xmlrpc:"access_token,omptempty"`
	Enroll                  *String    `xmlrpc:"enroll,omptempty"`
	Visibility              *String    `xmlrpc:"visibility,omptempty"`
	SlideLastUpdate         *Time      `xmlrpc:"slide_last_update,omptempty"`
	WebsiteMetaTitle        *Selection `xmlrpc:"website_meta_title,omptempty"`
	WebsiteMetaDescription  *Selection `xmlrpc:"website_meta_description,omptempty"`
	WebsiteMetaKeywords     *Selection `xmlrpc:"website_meta_keywords,omptempty"`
	SeoName                 *String    `xmlrpc:"seo_name,omptempty"`
	Name                    *String    `xmlrpc:"name,omptempty"`
	Description             *String    `xmlrpc:"description,omptempty"`
	DescriptionShort        *String    `xmlrpc:"description_short,omptempty"`
	DescriptionHtml         *String    `xmlrpc:"description_html,omptempty"`
	EnrollMsg               *Selection `xmlrpc:"enroll_msg,omptempty"`
	CoverProperties         *String    `xmlrpc:"cover_properties,omptempty"`
	TotalTime               *Float     `xmlrpc:"total_time,omptempty"`
	IsPublished             *Bool      `xmlrpc:"is_published,omptempty"`
	Active                  *Bool      `xmlrpc:"active,omptempty"`
	AllowComment            *Bool      `xmlrpc:"allow_comment,omptempty"`
	CreateDate              *Time      `xmlrpc:"create_date,omptempty"`
	WriteDate               *Time      `xmlrpc:"write_date,omptempty"`
	RatingLastValue         *Float     `xmlrpc:"rating_last_value,omptempty"`
}

func (*SlideChannel) Many2One

func (sc *SlideChannel) Many2One() *Many2One

type SlideChannelInvite

type SlideChannelInvite struct {
	Id         *Int      `xmlrpc:"id,omptempty"`
	TemplateId *Many2One `xmlrpc:"template_id,omptempty"`
	ChannelId  *Many2One `xmlrpc:"channel_id,omptempty"`
	CreateUid  *Many2One `xmlrpc:"create_uid,omptempty"`
	WriteUid   *Many2One `xmlrpc:"write_uid,omptempty"`
	Lang       *String   `xmlrpc:"lang,omptempty"`
	Subject    *String   `xmlrpc:"subject,omptempty"`
	Body       *String   `xmlrpc:"body,omptempty"`
	CreateDate *Time     `xmlrpc:"create_date,omptempty"`
	WriteDate  *Time     `xmlrpc:"create_date,omptempty"`
}

func (*SlideChannelInvite) Many2One

func (sci *SlideChannelInvite) Many2One() *Many2One

type SlideChannelInvites

type SlideChannelInvites []SlideChannelInvite

type SlideChannelPartner

type SlideChannelPartner struct {
	Id                   *Int      `xmlrpc:"id,omptempty"`
	ChannelId            *Many2One `xmlrpc:"channel_id,omptempty"`
	Completion           *Int      `xmlrpc:"completion,omptempty"`
	CompletedSlidesCount *Int      `xmlrpc:"completed_slides_count,omptempty"`
	PartnerId            *Many2One `xmlrpc:"partner_id,omptempty"`
	CreateUid            *Many2One `xmlrpc:"create_uid,omptempty"`
	WriteUid             *Many2One `xmlrpc:"write_uid,omptempty"`
	Completed            *Bool     `xmlrpc:"completed,omptempty"`
	CreateDate           *Time     `xmlrpc:"create_date,omptempty"`
	WriteDate            *Time     `xmlrpc:"write_date,omptempty"`
}

func (*SlideChannelPartner) Many2One

func (scp *SlideChannelPartner) Many2One() *Many2One

type SlideChannelPartners

type SlideChannelPartners []SlideChannelPartner

type SlideChannelTag

type SlideChannelTag struct {
	Id            *Int       `xmlrpc:"id,omptempty"`
	Sequence      *Int       `xmlrpc:"sequence,omptempty"`
	GroupId       *Many2One  `xmlrpc:"group_id,omptempty"`
	GroupSequence *Many2One  `xmlrpc:"group_sequence,omptempty"`
	Color         *Int       `xmlrpc:"color,omptempty"`
	CreateUid     *Many2One  `xmlrpc:"create_uid,omptempty"`
	WriteUid      *Many2One  `xmlrpc:"write_uid,omptempty"`
	Name          *Selection `xmlrpc:"name,omptempty"`
	CreateDate    *Time      `xmlrpc:"create_date,omptempty"`
	WriteDate     *Time      `xmlrpc:"write_date,omptempty"`
}

func (*SlideChannelTag) Many2One

func (sct *SlideChannelTag) Many2One() *Many2One

type SlideChannelTagGroup

type SlideChannelTagGroup struct {
	Id          *Int       `xmlrpc:"id,omptempty"`
	Sequence    *Int       `xmlrpc:"sequence,omptempty"`
	CreateUid   *Many2One  `xmlrpc:"create_uid,omptempty"`
	WriteUid    *Many2One  `xmlrpc:"write_uid,omptempty"`
	Name        *Selection `xmlrpc:"name,omptempty"`
	IsPublished *Bool      `xmlrpc:"is_published,omptempty"`
	CreateDate  *Time      `xmlrpc:"create_date,omptempty"`
	WriteDate   *Time      `xmlrpc:"write_date,omptempty"`
}

func (*SlideChannelTagGroup) Many2One

func (sctg *SlideChannelTagGroup) Many2One() *Many2One

type SlideChannelTagGroups

type SlideChannelTagGroups []SlideChannelTagGroup

type SlideChannelTags

type SlideChannelTags []SlideChannelTag

type SlideChannels

type SlideChannels []SlideChannel

type SlideEmbed

type SlideEmbed struct {
	Id         *Int      `xmlrpc:"id,omptempty"`
	SlideId    *Many2One `xmlrpc:"slide_id,omptempty"`
	CreateUid  *Many2One `xmlrpc:"create_uid,omptempty"`
	WriteUid   *Many2One `xmlrpc:"write_uid,omptempty"`
	Url        *String   `xmlrpc:"url,omptempty"`
	CreateDate *Time     `xmlrpc:"create_date,omptempty"`
	WriteDate  *Time     `xmlrpc:"write_date,omptempty"`
}

func (*SlideEmbed) Many2One

func (se *SlideEmbed) Many2One() *Many2One

type SlideEmbeds

type SlideEmbeds []SlideEmbed

type SlideQuestion

type SlideQuestion struct {
	Id         *Int       `xmlrpc:"id,omptempty"`
	Sequence   *Int       `xmlrpc:"sequence,omptempty"`
	SlideId    *Many2One  `xmlrpc:"slide_id,omptempty"`
	CreateUid  *Many2One  `xmlrpc:"create_uid,omptempty"`
	WriteUid   *Many2One  `xmlrpc:"write_uid,omptempty"`
	Question   *Selection `xmlrpc:"question,omptempty"`
	CreateDate *Time      `xmlrpc:"create_date,omptempty"`
	WriteDate  *Time      `xmlrpc:"write_date,omptempty"`
}

func (*SlideQuestion) Many2One

func (sq *SlideQuestion) Many2One() *Many2One

type SlideQuestions

type SlideQuestions []SlideQuestion

type SlideSlide

type SlideSlide struct {
	Id                        *Int       `xmlrpc:"id,omptempty"`
	MessageMainAttachmentId   *Many2One  `xmlrpc:"message_main_attachment_id,omptempty"`
	Sequence                  *Int       `xmlrpc:"sequence,omptempty"`
	UserId                    *Many2One  `xmlrpc:"user_id,omptempty"`
	ChannelId                 *Many2One  `xmlrpc:"channel_id,omptempty"`
	CategoryId                *Many2One  `xmlrpc:"category_id,omptempty"`
	QuizDirstAttemptReward    *Int       `xmlrpc:"quiz_first_attempt_reward,omptempty"`
	QuizSecondAttemptReward   *Int       `xmlrpc:"quiz_second_attempt_reward,omptempty"`
	QuizThirdAttemptReward    *Int       `xmlrpc:"quiz_third_attempt_reward,omptempty"`
	QuizFourthAttemptReward   *Int       `xmlrpc:"quiz_fourth_attempt_reward,omptempty"`
	Likes                     *Int       `xmlrpc:"likes,omptempty"`
	Dislikes                  *Int       `xmlrpc:"dislikes,omptempty"`
	SlideViews                *Int       `xmlrpc:"slide_views,omptempty"`
	PublicViews               *Int       `xmlrpc:"public_views,omptempty"`
	TotalViews                *Int       `xmlrpc:"total_views,omptempty"`
	NbrDocument               *Int       `xmlrpc:"nbr_document,omptempty"`
	NbrVideo                  *Int       `xmlrpc:"nbr_video,omptempty"`
	NbrInfographic            *Int       `xmlrpc:"nbr_infographic,omptempty"`
	NbrArticle                *Int       `xmlrpc:"nbr_article,omptempty"`
	NbrQuiz                   *Int       `xmlrpc:"nbr_quiz,omptempty"`
	TotalSlides               *Int       `xmlrpc:"total_slides,omptempty"`
	CreateUid                 *Many2One  `xmlrpc:"create_uid,omptempty"`
	WriteUid                  *Many2One  `xmlrpc:"write_uid,omptempty"`
	WebsiteMetaOgImg          *String    `xmlrpc:"website_meta_og_img,omptempty"`
	SlideCategory             *String    `xmlrpc:"slide_category,omptempty"`
	SourceType                *String    `xmlrpc:"source_type,omptempty"`
	Url                       *String    `xmlrpc:"url,omptempty"`
	SlideType                 *String    `xmlrpc:"slide_type,omptempty"`
	WebsiteMetaTitle          *Selection `xmlrpc:"website_meta_title,omptempty"`
	WebsiteMetaDescription    *Selection `xmlrpc:"website_meta_description,omptempty"`
	WebsiteMetaKeywords       *Selection `xmlrpc:"website_meta_keywords,omptempty"`
	SeoName                   *Selection `xmlrpc:"seo_name,omptempty"`
	Name                      *Selection `xmlrpc:"name,omptempty"`
	Description               *Selection `xmlrpc:"description,omptempty"`
	HtmlContent               *Selection `xmlrpc:"html_content,omptempty"`
	CompletionTime            *Float     `xmlrpc:"completion_time,omptempty"`
	IsPublished               *Bool      `xmlrpc:"is_published,omptempty"`
	Active                    *Bool      `xmlrpc:"active,omptempty"`
	IsPreview                 *Bool      `xmlrpc:"is_preview,omptempty"`
	IsCategory                *Bool      `xmlrpc:"is_category,omptempty"`
	SlideResourceDownloadable *Bool      `xmlrpc:"slide_resource_downloadable,omptempty"`
	DatePublished             *Time      `xmlrpc:"date_published,omptempty"`
	CreateDate                *Time      `xmlrpc:"create_date,omptempty"`
	WriteDate                 *Time      `xmlrpc:"write_date,omptempty"`
}

func (*SlideSlide) Many2One

func (ss *SlideSlide) Many2One() *Many2One

type SlideSlidePartner

type SlideSlidePartner struct {
	Id                *Int      `xmlrpc:"id,omptempty"`
	SlideId           *Many2One `xmlrpc:"slide_id,omptempty"`
	ChannelId         *Many2One `xmlrpc:"channel_id,omptempty"`
	PartnerId         *Many2One `xmlrpc:"partner_id,omptempty"`
	Vote              *Int      `xmlrpc:"vote,omptempty"`
	QuizAttemptsCount *Int      `xmlrpc:"quiz_attempts_count,omptempty"`
	CreateUid         *Many2One `xmlrpc:"create_uid,omptempty"`
	WriteUid          *Many2One `xmlrpc:"write_uid,omptempty"`
	Completed         *Bool     `xmlrpc:"completed,omptempty"`
	CreateDate        *Time     `xmlrpc:"create_date,omptempty"`
	WriteDate         *Time     `xmlrpc:"write_date,omptempty"`
}

func (*SlideSlidePartner) Many2One

func (ssp *SlideSlidePartner) Many2One() *Many2One

type SlideSlidePartners

type SlideSlidePartners []SlideSlidePartner

type SlideSlideResource

type SlideSlideResource struct {
	Id           *Int      `xmlrpc:"id,omptempty"`
	SlideId      *Many2One `xmlrpc:"slide_id,omptempty"`
	CreateUid    *Many2One `xmlrpc:"create_uid,omptempty"`
	ResourceType *String   `xmlrpc:"resource_type,omptempty"`
	Name         *String   `xmlrpc:"name,omptempty"`
	FileName     *String   `xmlrpc:"file_name,omptempty"`
	Link         *String   `xmlrpc:"link,omptempty"`
	WriteUid     *Many2One `xmlrpc:"write_uid,omptempty"`
	CreateDate   *Time     `xmlrpc:"create_date,omptempty"`
	WriteDate    *Time     `xmlrpc:"write_date,omptempty"`
}

func (*SlideSlideResource) Many2One

func (ssr *SlideSlideResource) Many2One() *Many2One

type SlideSlideResources

type SlideSlideResources []SlideSlideResource

type SlideSlides

type SlideSlides []SlideSlide

type SlideTag

type SlideTag struct {
	Id         *Int       `xmlrpc:"id,omptempty"`
	CreateUid  *Many2One  `xmlrpc:"create_uid,omptempty"`
	WriteUid   *Many2One  `xmlrpc:"write_uid,omptempty"`
	Name       *Selection `xmlrpc:"name,omptempty"`
	CreateDate *Time      `xmlrpc:"create_date,omptempty"`
	WriteDate  *Time      `xmlrpc:"write_date,omptempty"`
}

func (*SlideTag) Many2One

func (st *SlideTag) Many2One() *Many2One

type SlideTags

type SlideTags []SlideTag

type SmsApi

type SmsApi struct {
	LastUpdate  *Time   `xmlrpc:"__last_update,omptempty"`
	DisplayName *String `xmlrpc:"display_name,omptempty"`
	Id          *Int    `xmlrpc:"id,omptempty"`
}

SmsApi represents sms.api model.

func (*SmsApi) Many2One

func (sa *SmsApi) Many2One() *Many2One

Many2One convert SmsApi to *Many2One.

type SmsApis

type SmsApis []SmsApi

SmsApis represents array of sms.api model.

type SmsSendSms

type SmsSendSms struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Message     *String   `xmlrpc:"message,omptempty"`
	Recipients  *String   `xmlrpc:"recipients,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

SmsSendSms represents sms.send_sms model.

func (*SmsSendSms) Many2One

func (ss *SmsSendSms) Many2One() *Many2One

Many2One convert SmsSendSms to *Many2One.

type SmsSendSmss

type SmsSendSmss []SmsSendSms

SmsSendSmss represents array of sms.send_sms model.

type StockBackorderConfirmation

type StockBackorderConfirmation struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	PickIds     *Relation `xmlrpc:"pick_ids,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockBackorderConfirmation represents stock.backorder.confirmation model.

func (*StockBackorderConfirmation) Many2One

func (sbc *StockBackorderConfirmation) Many2One() *Many2One

Many2One convert StockBackorderConfirmation to *Many2One.

type StockBackorderConfirmations

type StockBackorderConfirmations []StockBackorderConfirmation

StockBackorderConfirmations represents array of stock.backorder.confirmation model.

type StockChangeProductQty

type StockChangeProductQty struct {
	LastUpdate          *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate          *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid           *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName         *String   `xmlrpc:"display_name,omptempty"`
	Id                  *Int      `xmlrpc:"id,omptempty"`
	LocationId          *Many2One `xmlrpc:"location_id,omptempty"`
	LotId               *Many2One `xmlrpc:"lot_id,omptempty"`
	NewQuantity         *Float    `xmlrpc:"new_quantity,omptempty"`
	ProductId           *Many2One `xmlrpc:"product_id,omptempty"`
	ProductTmplId       *Many2One `xmlrpc:"product_tmpl_id,omptempty"`
	ProductVariantCount *Int      `xmlrpc:"product_variant_count,omptempty"`
	WriteDate           *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid            *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockChangeProductQty represents stock.change.product.qty model.

func (*StockChangeProductQty) Many2One

func (scpq *StockChangeProductQty) Many2One() *Many2One

Many2One convert StockChangeProductQty to *Many2One.

type StockChangeProductQtys

type StockChangeProductQtys []StockChangeProductQty

StockChangeProductQtys represents array of stock.change.product.qty model.

type StockChangeStandardPrice

type StockChangeStandardPrice struct {
	LastUpdate                   *Time     `xmlrpc:"__last_update,omptempty"`
	CounterpartAccountId         *Many2One `xmlrpc:"counterpart_account_id,omptempty"`
	CounterpartAccountIdRequired *Bool     `xmlrpc:"counterpart_account_id_required,omptempty"`
	CreateDate                   *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                    *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName                  *String   `xmlrpc:"display_name,omptempty"`
	Id                           *Int      `xmlrpc:"id,omptempty"`
	NewPrice                     *Float    `xmlrpc:"new_price,omptempty"`
	WriteDate                    *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                     *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockChangeStandardPrice represents stock.change.standard.price model.

func (*StockChangeStandardPrice) Many2One

func (scsp *StockChangeStandardPrice) Many2One() *Many2One

Many2One convert StockChangeStandardPrice to *Many2One.

type StockChangeStandardPrices

type StockChangeStandardPrices []StockChangeStandardPrice

StockChangeStandardPrices represents array of stock.change.standard.price model.

type StockFixedPutawayStrat

type StockFixedPutawayStrat struct {
	LastUpdate      *Time     `xmlrpc:"__last_update,omptempty"`
	CategoryId      *Many2One `xmlrpc:"category_id,omptempty"`
	CreateDate      *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName     *String   `xmlrpc:"display_name,omptempty"`
	FixedLocationId *Many2One `xmlrpc:"fixed_location_id,omptempty"`
	Id              *Int      `xmlrpc:"id,omptempty"`
	PutawayId       *Many2One `xmlrpc:"putaway_id,omptempty"`
	Sequence        *Int      `xmlrpc:"sequence,omptempty"`
	WriteDate       *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockFixedPutawayStrat represents stock.fixed.putaway.strat model.

func (*StockFixedPutawayStrat) Many2One

func (sfps *StockFixedPutawayStrat) Many2One() *Many2One

Many2One convert StockFixedPutawayStrat to *Many2One.

type StockFixedPutawayStrats

type StockFixedPutawayStrats []StockFixedPutawayStrat

StockFixedPutawayStrats represents array of stock.fixed.putaway.strat model.

type StockImmediateTransfer

type StockImmediateTransfer struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	PickIds     *Relation `xmlrpc:"pick_ids,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockImmediateTransfer represents stock.immediate.transfer model.

func (*StockImmediateTransfer) Many2One

func (sit *StockImmediateTransfer) Many2One() *Many2One

Many2One convert StockImmediateTransfer to *Many2One.

type StockImmediateTransfers

type StockImmediateTransfers []StockImmediateTransfer

StockImmediateTransfers represents array of stock.immediate.transfer model.

type StockIncoterms

type StockIncoterms struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	Code        *String   `xmlrpc:"code,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockIncoterms represents stock.incoterms model.

func (*StockIncoterms) Many2One

func (si *StockIncoterms) Many2One() *Many2One

Many2One convert StockIncoterms to *Many2One.

type StockIncotermss

type StockIncotermss []StockIncoterms

StockIncotermss represents array of stock.incoterms model.

type StockInventory

type StockInventory struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	AccountingDate *Time      `xmlrpc:"accounting_date,omptempty"`
	CategoryId     *Many2One  `xmlrpc:"category_id,omptempty"`
	CompanyId      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	Date           *Time      `xmlrpc:"date,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Exhausted      *Bool      `xmlrpc:"exhausted,omptempty"`
	Filter         *Selection `xmlrpc:"filter,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	LineIds        *Relation  `xmlrpc:"line_ids,omptempty"`
	LocationId     *Many2One  `xmlrpc:"location_id,omptempty"`
	LotId          *Many2One  `xmlrpc:"lot_id,omptempty"`
	MoveIds        *Relation  `xmlrpc:"move_ids,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	PackageId      *Many2One  `xmlrpc:"package_id,omptempty"`
	PartnerId      *Many2One  `xmlrpc:"partner_id,omptempty"`
	ProductId      *Many2One  `xmlrpc:"product_id,omptempty"`
	State          *Selection `xmlrpc:"state,omptempty"`
	TotalQty       *Float     `xmlrpc:"total_qty,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockInventory represents stock.inventory model.

func (*StockInventory) Many2One

func (si *StockInventory) Many2One() *Many2One

Many2One convert StockInventory to *Many2One.

type StockInventoryLine

type StockInventoryLine struct {
	LastUpdate          *Time      `xmlrpc:"__last_update,omptempty"`
	CompanyId           *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate          *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid           *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName         *String    `xmlrpc:"display_name,omptempty"`
	Id                  *Int       `xmlrpc:"id,omptempty"`
	InventoryId         *Many2One  `xmlrpc:"inventory_id,omptempty"`
	InventoryLocationId *Many2One  `xmlrpc:"inventory_location_id,omptempty"`
	LocationId          *Many2One  `xmlrpc:"location_id,omptempty"`
	LocationName        *String    `xmlrpc:"location_name,omptempty"`
	PackageId           *Many2One  `xmlrpc:"package_id,omptempty"`
	PartnerId           *Many2One  `xmlrpc:"partner_id,omptempty"`
	ProdLotId           *Many2One  `xmlrpc:"prod_lot_id,omptempty"`
	ProdlotName         *String    `xmlrpc:"prodlot_name,omptempty"`
	ProductCode         *String    `xmlrpc:"product_code,omptempty"`
	ProductId           *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductName         *String    `xmlrpc:"product_name,omptempty"`
	ProductQty          *Float     `xmlrpc:"product_qty,omptempty"`
	ProductUomId        *Many2One  `xmlrpc:"product_uom_id,omptempty"`
	State               *Selection `xmlrpc:"state,omptempty"`
	TheoreticalQty      *Float     `xmlrpc:"theoretical_qty,omptempty"`
	WriteDate           *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid            *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockInventoryLine represents stock.inventory.line model.

func (*StockInventoryLine) Many2One

func (sil *StockInventoryLine) Many2One() *Many2One

Many2One convert StockInventoryLine to *Many2One.

type StockInventoryLines

type StockInventoryLines []StockInventoryLine

StockInventoryLines represents array of stock.inventory.line model.

type StockInventorys

type StockInventorys []StockInventory

StockInventorys represents array of stock.inventory model.

type StockLocation

type StockLocation struct {
	LastUpdate            *Time      `xmlrpc:"__last_update,omptempty"`
	Active                *Bool      `xmlrpc:"active,omptempty"`
	Barcode               *String    `xmlrpc:"barcode,omptempty"`
	ChildIds              *Relation  `xmlrpc:"child_ids,omptempty"`
	Comment               *String    `xmlrpc:"comment,omptempty"`
	CompanyId             *Many2One  `xmlrpc:"company_id,omptempty"`
	CompleteName          *String    `xmlrpc:"complete_name,omptempty"`
	CreateDate            *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid             *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName           *String    `xmlrpc:"display_name,omptempty"`
	Id                    *Int       `xmlrpc:"id,omptempty"`
	LocationId            *Many2One  `xmlrpc:"location_id,omptempty"`
	Name                  *String    `xmlrpc:"name,omptempty"`
	ParentLeft            *Int       `xmlrpc:"parent_left,omptempty"`
	ParentRight           *Int       `xmlrpc:"parent_right,omptempty"`
	PartnerId             *Many2One  `xmlrpc:"partner_id,omptempty"`
	Posx                  *Int       `xmlrpc:"posx,omptempty"`
	Posy                  *Int       `xmlrpc:"posy,omptempty"`
	Posz                  *Int       `xmlrpc:"posz,omptempty"`
	PutawayStrategyId     *Many2One  `xmlrpc:"putaway_strategy_id,omptempty"`
	QuantIds              *Relation  `xmlrpc:"quant_ids,omptempty"`
	RemovalStrategyId     *Many2One  `xmlrpc:"removal_strategy_id,omptempty"`
	ReturnLocation        *Bool      `xmlrpc:"return_location,omptempty"`
	ScrapLocation         *Bool      `xmlrpc:"scrap_location,omptempty"`
	Usage                 *Selection `xmlrpc:"usage,omptempty"`
	ValuationInAccountId  *Many2One  `xmlrpc:"valuation_in_account_id,omptempty"`
	ValuationOutAccountId *Many2One  `xmlrpc:"valuation_out_account_id,omptempty"`
	WriteDate             *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid              *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockLocation represents stock.location model.

func (*StockLocation) Many2One

func (sl *StockLocation) Many2One() *Many2One

Many2One convert StockLocation to *Many2One.

type StockLocationPath

type StockLocationPath struct {
	LastUpdate     *Time      `xmlrpc:"__last_update,omptempty"`
	Active         *Bool      `xmlrpc:"active,omptempty"`
	Auto           *Selection `xmlrpc:"auto,omptempty"`
	CompanyId      *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate     *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid      *Many2One  `xmlrpc:"create_uid,omptempty"`
	Delay          *Int       `xmlrpc:"delay,omptempty"`
	DisplayName    *String    `xmlrpc:"display_name,omptempty"`
	Id             *Int       `xmlrpc:"id,omptempty"`
	LocationDestId *Many2One  `xmlrpc:"location_dest_id,omptempty"`
	LocationFromId *Many2One  `xmlrpc:"location_from_id,omptempty"`
	Name           *String    `xmlrpc:"name,omptempty"`
	PickingTypeId  *Many2One  `xmlrpc:"picking_type_id,omptempty"`
	Propagate      *Bool      `xmlrpc:"propagate,omptempty"`
	RouteId        *Many2One  `xmlrpc:"route_id,omptempty"`
	RouteSequence  *Int       `xmlrpc:"route_sequence,omptempty"`
	Sequence       *Int       `xmlrpc:"sequence,omptempty"`
	WarehouseId    *Many2One  `xmlrpc:"warehouse_id,omptempty"`
	WriteDate      *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid       *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockLocationPath represents stock.location.path model.

func (*StockLocationPath) Many2One

func (slp *StockLocationPath) Many2One() *Many2One

Many2One convert StockLocationPath to *Many2One.

type StockLocationPaths

type StockLocationPaths []StockLocationPath

StockLocationPaths represents array of stock.location.path model.

type StockLocationRoute

type StockLocationRoute struct {
	LastUpdate             *Time     `xmlrpc:"__last_update,omptempty"`
	Active                 *Bool     `xmlrpc:"active,omptempty"`
	CategIds               *Relation `xmlrpc:"categ_ids,omptempty"`
	CompanyId              *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate             *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName            *String   `xmlrpc:"display_name,omptempty"`
	Id                     *Int      `xmlrpc:"id,omptempty"`
	Name                   *String   `xmlrpc:"name,omptempty"`
	ProductCategSelectable *Bool     `xmlrpc:"product_categ_selectable,omptempty"`
	ProductIds             *Relation `xmlrpc:"product_ids,omptempty"`
	ProductSelectable      *Bool     `xmlrpc:"product_selectable,omptempty"`
	PullIds                *Relation `xmlrpc:"pull_ids,omptempty"`
	PushIds                *Relation `xmlrpc:"push_ids,omptempty"`
	SaleSelectable         *Bool     `xmlrpc:"sale_selectable,omptempty"`
	Sequence               *Int      `xmlrpc:"sequence,omptempty"`
	SuppliedWhId           *Many2One `xmlrpc:"supplied_wh_id,omptempty"`
	SupplierWhId           *Many2One `xmlrpc:"supplier_wh_id,omptempty"`
	WarehouseIds           *Relation `xmlrpc:"warehouse_ids,omptempty"`
	WarehouseSelectable    *Bool     `xmlrpc:"warehouse_selectable,omptempty"`
	WriteDate              *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockLocationRoute represents stock.location.route model.

func (*StockLocationRoute) Many2One

func (slr *StockLocationRoute) Many2One() *Many2One

Many2One convert StockLocationRoute to *Many2One.

type StockLocationRoutes

type StockLocationRoutes []StockLocationRoute

StockLocationRoutes represents array of stock.location.route model.

type StockLocations

type StockLocations []StockLocation

StockLocations represents array of stock.location model.

type StockMove

type StockMove struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	AccountMoveIds           *Relation  `xmlrpc:"account_move_ids,omptempty"`
	Additional               *Bool      `xmlrpc:"additional,omptempty"`
	Availability             *Float     `xmlrpc:"availability,omptempty"`
	BackorderId              *Many2One  `xmlrpc:"backorder_id,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	CreatedPurchaseLineId    *Many2One  `xmlrpc:"created_purchase_line_id,omptempty"`
	Date                     *Time      `xmlrpc:"date,omptempty"`
	DateExpected             *Time      `xmlrpc:"date_expected,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	GroupId                  *Many2One  `xmlrpc:"group_id,omptempty"`
	HasMoveLines             *Bool      `xmlrpc:"has_move_lines,omptempty"`
	HasTracking              *Selection `xmlrpc:"has_tracking,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	InventoryId              *Many2One  `xmlrpc:"inventory_id,omptempty"`
	IsInitialDemandEditable  *Bool      `xmlrpc:"is_initial_demand_editable,omptempty"`
	IsLocked                 *Bool      `xmlrpc:"is_locked,omptempty"`
	IsQuantityDoneEditable   *Bool      `xmlrpc:"is_quantity_done_editable,omptempty"`
	LocationDestId           *Many2One  `xmlrpc:"location_dest_id,omptempty"`
	LocationId               *Many2One  `xmlrpc:"location_id,omptempty"`
	MoveDestIds              *Relation  `xmlrpc:"move_dest_ids,omptempty"`
	MoveLineIds              *Relation  `xmlrpc:"move_line_ids,omptempty"`
	MoveLineNosuggestIds     *Relation  `xmlrpc:"move_line_nosuggest_ids,omptempty"`
	MoveOrigIds              *Relation  `xmlrpc:"move_orig_ids,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	Note                     *String    `xmlrpc:"note,omptempty"`
	OrderedQty               *Float     `xmlrpc:"ordered_qty,omptempty"`
	Origin                   *String    `xmlrpc:"origin,omptempty"`
	OriginReturnedMoveId     *Many2One  `xmlrpc:"origin_returned_move_id,omptempty"`
	PartnerId                *Many2One  `xmlrpc:"partner_id,omptempty"`
	PickingCode              *Selection `xmlrpc:"picking_code,omptempty"`
	PickingId                *Many2One  `xmlrpc:"picking_id,omptempty"`
	PickingPartnerId         *Many2One  `xmlrpc:"picking_partner_id,omptempty"`
	PickingTypeId            *Many2One  `xmlrpc:"picking_type_id,omptempty"`
	PriceUnit                *Float     `xmlrpc:"price_unit,omptempty"`
	Priority                 *Selection `xmlrpc:"priority,omptempty"`
	ProcureMethod            *Selection `xmlrpc:"procure_method,omptempty"`
	ProductId                *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductPackaging         *Many2One  `xmlrpc:"product_packaging,omptempty"`
	ProductQty               *Float     `xmlrpc:"product_qty,omptempty"`
	ProductTmplId            *Many2One  `xmlrpc:"product_tmpl_id,omptempty"`
	ProductType              *Selection `xmlrpc:"product_type,omptempty"`
	ProductUom               *Many2One  `xmlrpc:"product_uom,omptempty"`
	ProductUomQty            *Float     `xmlrpc:"product_uom_qty,omptempty"`
	Propagate                *Bool      `xmlrpc:"propagate,omptempty"`
	PurchaseLineId           *Many2One  `xmlrpc:"purchase_line_id,omptempty"`
	PushRuleId               *Many2One  `xmlrpc:"push_rule_id,omptempty"`
	QuantityDone             *Float     `xmlrpc:"quantity_done,omptempty"`
	Reference                *String    `xmlrpc:"reference,omptempty"`
	RemainingQty             *Float     `xmlrpc:"remaining_qty,omptempty"`
	RemainingValue           *Float     `xmlrpc:"remaining_value,omptempty"`
	ReservedAvailability     *Float     `xmlrpc:"reserved_availability,omptempty"`
	RestrictPartnerId        *Many2One  `xmlrpc:"restrict_partner_id,omptempty"`
	ReturnedMoveIds          *Relation  `xmlrpc:"returned_move_ids,omptempty"`
	RouteIds                 *Relation  `xmlrpc:"route_ids,omptempty"`
	RuleId                   *Many2One  `xmlrpc:"rule_id,omptempty"`
	SaleLineId               *Many2One  `xmlrpc:"sale_line_id,omptempty"`
	ScrapIds                 *Relation  `xmlrpc:"scrap_ids,omptempty"`
	Scrapped                 *Bool      `xmlrpc:"scrapped,omptempty"`
	Sequence                 *Int       `xmlrpc:"sequence,omptempty"`
	ShowDetailsVisible       *Bool      `xmlrpc:"show_details_visible,omptempty"`
	ShowOperations           *Bool      `xmlrpc:"show_operations,omptempty"`
	ShowReservedAvailability *Bool      `xmlrpc:"show_reserved_availability,omptempty"`
	State                    *Selection `xmlrpc:"state,omptempty"`
	StringAvailabilityInfo   *String    `xmlrpc:"string_availability_info,omptempty"`
	ToRefund                 *Bool      `xmlrpc:"to_refund,omptempty"`
	Value                    *Float     `xmlrpc:"value,omptempty"`
	WarehouseId              *Many2One  `xmlrpc:"warehouse_id,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockMove represents stock.move model.

func (*StockMove) Many2One

func (sm *StockMove) Many2One() *Many2One

Many2One convert StockMove to *Many2One.

type StockMoveLine

type StockMoveLine struct {
	LastUpdate              *Time      `xmlrpc:"__last_update,omptempty"`
	ConsumeLineIds          *Relation  `xmlrpc:"consume_line_ids,omptempty"`
	CreateDate              *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid               *Many2One  `xmlrpc:"create_uid,omptempty"`
	Date                    *Time      `xmlrpc:"date,omptempty"`
	DisplayName             *String    `xmlrpc:"display_name,omptempty"`
	FromLoc                 *String    `xmlrpc:"from_loc,omptempty"`
	Id                      *Int       `xmlrpc:"id,omptempty"`
	InEntirePackage         *Bool      `xmlrpc:"in_entire_package,omptempty"`
	IsInitialDemandEditable *Bool      `xmlrpc:"is_initial_demand_editable,omptempty"`
	IsLocked                *Bool      `xmlrpc:"is_locked,omptempty"`
	LocationDestId          *Many2One  `xmlrpc:"location_dest_id,omptempty"`
	LocationId              *Many2One  `xmlrpc:"location_id,omptempty"`
	LotId                   *Many2One  `xmlrpc:"lot_id,omptempty"`
	LotName                 *String    `xmlrpc:"lot_name,omptempty"`
	LotsVisible             *Bool      `xmlrpc:"lots_visible,omptempty"`
	MoveId                  *Many2One  `xmlrpc:"move_id,omptempty"`
	OrderedQty              *Float     `xmlrpc:"ordered_qty,omptempty"`
	OwnerId                 *Many2One  `xmlrpc:"owner_id,omptempty"`
	PackageId               *Many2One  `xmlrpc:"package_id,omptempty"`
	PickingId               *Many2One  `xmlrpc:"picking_id,omptempty"`
	ProduceLineIds          *Relation  `xmlrpc:"produce_line_ids,omptempty"`
	ProductId               *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductQty              *Float     `xmlrpc:"product_qty,omptempty"`
	ProductUomId            *Many2One  `xmlrpc:"product_uom_id,omptempty"`
	ProductUomQty           *Float     `xmlrpc:"product_uom_qty,omptempty"`
	QtyDone                 *Float     `xmlrpc:"qty_done,omptempty"`
	Reference               *String    `xmlrpc:"reference,omptempty"`
	ResultPackageId         *Many2One  `xmlrpc:"result_package_id,omptempty"`
	State                   *Selection `xmlrpc:"state,omptempty"`
	ToLoc                   *String    `xmlrpc:"to_loc,omptempty"`
	WriteDate               *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockMoveLine represents stock.move.line model.

func (*StockMoveLine) Many2One

func (sml *StockMoveLine) Many2One() *Many2One

Many2One convert StockMoveLine to *Many2One.

type StockMoveLines

type StockMoveLines []StockMoveLine

StockMoveLines represents array of stock.move.line model.

type StockMoves

type StockMoves []StockMove

StockMoves represents array of stock.move model.

type StockOverprocessedTransfer

type StockOverprocessedTransfer struct {
	LastUpdate               *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate               *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName              *String   `xmlrpc:"display_name,omptempty"`
	Id                       *Int      `xmlrpc:"id,omptempty"`
	OverprocessedProductName *String   `xmlrpc:"overprocessed_product_name,omptempty"`
	PickingId                *Many2One `xmlrpc:"picking_id,omptempty"`
	WriteDate                *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockOverprocessedTransfer represents stock.overprocessed.transfer model.

func (*StockOverprocessedTransfer) Many2One

func (sot *StockOverprocessedTransfer) Many2One() *Many2One

Many2One convert StockOverprocessedTransfer to *Many2One.

type StockOverprocessedTransfers

type StockOverprocessedTransfers []StockOverprocessedTransfer

StockOverprocessedTransfers represents array of stock.overprocessed.transfer model.

type StockPicking

type StockPicking struct {
	LastUpdate               *Time      `xmlrpc:"__last_update,omptempty"`
	ActivityDateDeadline     *Time      `xmlrpc:"activity_date_deadline,omptempty"`
	ActivityIds              *Relation  `xmlrpc:"activity_ids,omptempty"`
	ActivityState            *Selection `xmlrpc:"activity_state,omptempty"`
	ActivitySummary          *String    `xmlrpc:"activity_summary,omptempty"`
	ActivityTypeId           *Many2One  `xmlrpc:"activity_type_id,omptempty"`
	ActivityUserId           *Many2One  `xmlrpc:"activity_user_id,omptempty"`
	BackorderId              *Many2One  `xmlrpc:"backorder_id,omptempty"`
	CompanyId                *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate               *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One  `xmlrpc:"create_uid,omptempty"`
	Date                     *Time      `xmlrpc:"date,omptempty"`
	DateDone                 *Time      `xmlrpc:"date_done,omptempty"`
	DisplayName              *String    `xmlrpc:"display_name,omptempty"`
	EntirePackageDetailIds   *Relation  `xmlrpc:"entire_package_detail_ids,omptempty"`
	EntirePackageIds         *Relation  `xmlrpc:"entire_package_ids,omptempty"`
	GroupId                  *Many2One  `xmlrpc:"group_id,omptempty"`
	HasPackages              *Bool      `xmlrpc:"has_packages,omptempty"`
	HasScrapMove             *Bool      `xmlrpc:"has_scrap_move,omptempty"`
	HasTracking              *Bool      `xmlrpc:"has_tracking,omptempty"`
	Id                       *Int       `xmlrpc:"id,omptempty"`
	IsLocked                 *Bool      `xmlrpc:"is_locked,omptempty"`
	LocationDestId           *Many2One  `xmlrpc:"location_dest_id,omptempty"`
	LocationId               *Many2One  `xmlrpc:"location_id,omptempty"`
	MessageChannelIds        *Relation  `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation  `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation  `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool      `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time      `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool      `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int       `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation  `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool      `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int       `xmlrpc:"message_unread_counter,omptempty"`
	MoveLineExist            *Bool      `xmlrpc:"move_line_exist,omptempty"`
	MoveLineIds              *Relation  `xmlrpc:"move_line_ids,omptempty"`
	MoveLines                *Relation  `xmlrpc:"move_lines,omptempty"`
	MoveType                 *Selection `xmlrpc:"move_type,omptempty"`
	Name                     *String    `xmlrpc:"name,omptempty"`
	Note                     *String    `xmlrpc:"note,omptempty"`
	Origin                   *String    `xmlrpc:"origin,omptempty"`
	OwnerId                  *Many2One  `xmlrpc:"owner_id,omptempty"`
	PartnerId                *Many2One  `xmlrpc:"partner_id,omptempty"`
	PickingTypeCode          *Selection `xmlrpc:"picking_type_code,omptempty"`
	PickingTypeEntirePacks   *Bool      `xmlrpc:"picking_type_entire_packs,omptempty"`
	PickingTypeId            *Many2One  `xmlrpc:"picking_type_id,omptempty"`
	Printed                  *Bool      `xmlrpc:"printed,omptempty"`
	Priority                 *Selection `xmlrpc:"priority,omptempty"`
	ProductId                *Many2One  `xmlrpc:"product_id,omptempty"`
	PurchaseId               *Many2One  `xmlrpc:"purchase_id,omptempty"`
	SaleId                   *Many2One  `xmlrpc:"sale_id,omptempty"`
	ScheduledDate            *Time      `xmlrpc:"scheduled_date,omptempty"`
	ShowCheckAvailability    *Bool      `xmlrpc:"show_check_availability,omptempty"`
	ShowLotsText             *Bool      `xmlrpc:"show_lots_text,omptempty"`
	ShowMarkAsTodo           *Bool      `xmlrpc:"show_mark_as_todo,omptempty"`
	ShowOperations           *Bool      `xmlrpc:"show_operations,omptempty"`
	ShowValidate             *Bool      `xmlrpc:"show_validate,omptempty"`
	State                    *Selection `xmlrpc:"state,omptempty"`
	WebsiteMessageIds        *Relation  `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockPicking represents stock.picking model.

func (*StockPicking) Many2One

func (sp *StockPicking) Many2One() *Many2One

Many2One convert StockPicking to *Many2One.

type StockPickingType

type StockPickingType struct {
	LastUpdate             *Time      `xmlrpc:"__last_update,omptempty"`
	Active                 *Bool      `xmlrpc:"active,omptempty"`
	BarcodeNomenclatureId  *Many2One  `xmlrpc:"barcode_nomenclature_id,omptempty"`
	Code                   *Selection `xmlrpc:"code,omptempty"`
	Color                  *Int       `xmlrpc:"color,omptempty"`
	CountPicking           *Int       `xmlrpc:"count_picking,omptempty"`
	CountPickingBackorders *Int       `xmlrpc:"count_picking_backorders,omptempty"`
	CountPickingDraft      *Int       `xmlrpc:"count_picking_draft,omptempty"`
	CountPickingLate       *Int       `xmlrpc:"count_picking_late,omptempty"`
	CountPickingReady      *Int       `xmlrpc:"count_picking_ready,omptempty"`
	CountPickingWaiting    *Int       `xmlrpc:"count_picking_waiting,omptempty"`
	CreateDate             *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid              *Many2One  `xmlrpc:"create_uid,omptempty"`
	DefaultLocationDestId  *Many2One  `xmlrpc:"default_location_dest_id,omptempty"`
	DefaultLocationSrcId   *Many2One  `xmlrpc:"default_location_src_id,omptempty"`
	DisplayName            *String    `xmlrpc:"display_name,omptempty"`
	Id                     *Int       `xmlrpc:"id,omptempty"`
	LastDonePicking        *String    `xmlrpc:"last_done_picking,omptempty"`
	Name                   *String    `xmlrpc:"name,omptempty"`
	RatePickingBackorders  *Int       `xmlrpc:"rate_picking_backorders,omptempty"`
	RatePickingLate        *Int       `xmlrpc:"rate_picking_late,omptempty"`
	ReturnPickingTypeId    *Many2One  `xmlrpc:"return_picking_type_id,omptempty"`
	Sequence               *Int       `xmlrpc:"sequence,omptempty"`
	SequenceId             *Many2One  `xmlrpc:"sequence_id,omptempty"`
	ShowEntirePacks        *Bool      `xmlrpc:"show_entire_packs,omptempty"`
	ShowOperations         *Bool      `xmlrpc:"show_operations,omptempty"`
	ShowReserved           *Bool      `xmlrpc:"show_reserved,omptempty"`
	UseCreateLots          *Bool      `xmlrpc:"use_create_lots,omptempty"`
	UseExistingLots        *Bool      `xmlrpc:"use_existing_lots,omptempty"`
	WarehouseId            *Many2One  `xmlrpc:"warehouse_id,omptempty"`
	WriteDate              *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid               *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockPickingType represents stock.picking.type model.

func (*StockPickingType) Many2One

func (spt *StockPickingType) Many2One() *Many2One

Many2One convert StockPickingType to *Many2One.

type StockPickingTypes

type StockPickingTypes []StockPickingType

StockPickingTypes represents array of stock.picking.type model.

type StockPickings

type StockPickings []StockPicking

StockPickings represents array of stock.picking model.

type StockProductionLot

type StockProductionLot struct {
	LastUpdate               *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate               *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName              *String   `xmlrpc:"display_name,omptempty"`
	Id                       *Int      `xmlrpc:"id,omptempty"`
	MessageChannelIds        *Relation `xmlrpc:"message_channel_ids,omptempty"`
	MessageFollowerIds       *Relation `xmlrpc:"message_follower_ids,omptempty"`
	MessageIds               *Relation `xmlrpc:"message_ids,omptempty"`
	MessageIsFollower        *Bool     `xmlrpc:"message_is_follower,omptempty"`
	MessageLastPost          *Time     `xmlrpc:"message_last_post,omptempty"`
	MessageNeedaction        *Bool     `xmlrpc:"message_needaction,omptempty"`
	MessageNeedactionCounter *Int      `xmlrpc:"message_needaction_counter,omptempty"`
	MessagePartnerIds        *Relation `xmlrpc:"message_partner_ids,omptempty"`
	MessageUnread            *Bool     `xmlrpc:"message_unread,omptempty"`
	MessageUnreadCounter     *Int      `xmlrpc:"message_unread_counter,omptempty"`
	Name                     *String   `xmlrpc:"name,omptempty"`
	ProductId                *Many2One `xmlrpc:"product_id,omptempty"`
	ProductQty               *Float    `xmlrpc:"product_qty,omptempty"`
	ProductUomId             *Many2One `xmlrpc:"product_uom_id,omptempty"`
	QuantIds                 *Relation `xmlrpc:"quant_ids,omptempty"`
	Ref                      *String   `xmlrpc:"ref,omptempty"`
	WebsiteMessageIds        *Relation `xmlrpc:"website_message_ids,omptempty"`
	WriteDate                *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                 *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockProductionLot represents stock.production.lot model.

func (*StockProductionLot) Many2One

func (spl *StockProductionLot) Many2One() *Many2One

Many2One convert StockProductionLot to *Many2One.

type StockProductionLots

type StockProductionLots []StockProductionLot

StockProductionLots represents array of stock.production.lot model.

type StockQuant

type StockQuant struct {
	LastUpdate       *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyId        *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate       *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid        *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName      *String   `xmlrpc:"display_name,omptempty"`
	Id               *Int      `xmlrpc:"id,omptempty"`
	InDate           *Time     `xmlrpc:"in_date,omptempty"`
	LocationId       *Many2One `xmlrpc:"location_id,omptempty"`
	LotId            *Many2One `xmlrpc:"lot_id,omptempty"`
	OwnerId          *Many2One `xmlrpc:"owner_id,omptempty"`
	PackageId        *Many2One `xmlrpc:"package_id,omptempty"`
	ProductId        *Many2One `xmlrpc:"product_id,omptempty"`
	ProductTmplId    *Many2One `xmlrpc:"product_tmpl_id,omptempty"`
	ProductUomId     *Many2One `xmlrpc:"product_uom_id,omptempty"`
	Quantity         *Float    `xmlrpc:"quantity,omptempty"`
	ReservedQuantity *Float    `xmlrpc:"reserved_quantity,omptempty"`
	WriteDate        *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid         *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockQuant represents stock.quant model.

func (*StockQuant) Many2One

func (sq *StockQuant) Many2One() *Many2One

Many2One convert StockQuant to *Many2One.

type StockQuantPackage

type StockQuantPackage struct {
	LastUpdate                   *Time     `xmlrpc:"__last_update,omptempty"`
	CompanyId                    *Many2One `xmlrpc:"company_id,omptempty"`
	CreateDate                   *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid                    *Many2One `xmlrpc:"create_uid,omptempty"`
	CurrentDestinationLocationId *Many2One `xmlrpc:"current_destination_location_id,omptempty"`
	CurrentPickingId             *Bool     `xmlrpc:"current_picking_id,omptempty"`
	CurrentPickingMoveLineIds    *Relation `xmlrpc:"current_picking_move_line_ids,omptempty"`
	CurrentSourceLocationId      *Many2One `xmlrpc:"current_source_location_id,omptempty"`
	DisplayName                  *String   `xmlrpc:"display_name,omptempty"`
	Id                           *Int      `xmlrpc:"id,omptempty"`
	IsProcessed                  *Bool     `xmlrpc:"is_processed,omptempty"`
	LocationId                   *Many2One `xmlrpc:"location_id,omptempty"`
	MoveLineIds                  *Relation `xmlrpc:"move_line_ids,omptempty"`
	Name                         *String   `xmlrpc:"name,omptempty"`
	OwnerId                      *Many2One `xmlrpc:"owner_id,omptempty"`
	PackagingId                  *Many2One `xmlrpc:"packaging_id,omptempty"`
	QuantIds                     *Relation `xmlrpc:"quant_ids,omptempty"`
	WriteDate                    *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid                     *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockQuantPackage represents stock.quant.package model.

func (*StockQuantPackage) Many2One

func (sqp *StockQuantPackage) Many2One() *Many2One

Many2One convert StockQuantPackage to *Many2One.

type StockQuantPackages

type StockQuantPackages []StockQuantPackage

StockQuantPackages represents array of stock.quant.package model.

type StockQuantityHistory

type StockQuantityHistory struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	ComputeAtDate *Selection `xmlrpc:"compute_at_date,omptempty"`
	CreateDate    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One  `xmlrpc:"create_uid,omptempty"`
	Date          *Time      `xmlrpc:"date,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	WriteDate     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockQuantityHistory represents stock.quantity.history model.

func (*StockQuantityHistory) Many2One

func (sqh *StockQuantityHistory) Many2One() *Many2One

Many2One convert StockQuantityHistory to *Many2One.

type StockQuantityHistorys

type StockQuantityHistorys []StockQuantityHistory

StockQuantityHistorys represents array of stock.quantity.history model.

type StockQuants

type StockQuants []StockQuant

StockQuants represents array of stock.quant model.

type StockReturnPicking

type StockReturnPicking struct {
	LastUpdate         *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate         *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid          *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName        *String   `xmlrpc:"display_name,omptempty"`
	Id                 *Int      `xmlrpc:"id,omptempty"`
	LocationId         *Many2One `xmlrpc:"location_id,omptempty"`
	MoveDestExists     *Bool     `xmlrpc:"move_dest_exists,omptempty"`
	OriginalLocationId *Many2One `xmlrpc:"original_location_id,omptempty"`
	ParentLocationId   *Many2One `xmlrpc:"parent_location_id,omptempty"`
	PickingId          *Many2One `xmlrpc:"picking_id,omptempty"`
	ProductReturnMoves *Relation `xmlrpc:"product_return_moves,omptempty"`
	WriteDate          *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid           *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockReturnPicking represents stock.return.picking model.

func (*StockReturnPicking) Many2One

func (srp *StockReturnPicking) Many2One() *Many2One

Many2One convert StockReturnPicking to *Many2One.

type StockReturnPickingLine

type StockReturnPickingLine struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	MoveId      *Many2One `xmlrpc:"move_id,omptempty"`
	ProductId   *Many2One `xmlrpc:"product_id,omptempty"`
	Quantity    *Float    `xmlrpc:"quantity,omptempty"`
	ToRefund    *Bool     `xmlrpc:"to_refund,omptempty"`
	UomId       *Many2One `xmlrpc:"uom_id,omptempty"`
	WizardId    *Many2One `xmlrpc:"wizard_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockReturnPickingLine represents stock.return.picking.line model.

func (*StockReturnPickingLine) Many2One

func (srpl *StockReturnPickingLine) Many2One() *Many2One

Many2One convert StockReturnPickingLine to *Many2One.

type StockReturnPickingLines

type StockReturnPickingLines []StockReturnPickingLine

StockReturnPickingLines represents array of stock.return.picking.line model.

type StockReturnPickings

type StockReturnPickings []StockReturnPicking

StockReturnPickings represents array of stock.return.picking model.

type StockSchedulerCompute

type StockSchedulerCompute struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockSchedulerCompute represents stock.scheduler.compute model.

func (*StockSchedulerCompute) Many2One

func (ssc *StockSchedulerCompute) Many2One() *Many2One

Many2One convert StockSchedulerCompute to *Many2One.

type StockSchedulerComputes

type StockSchedulerComputes []StockSchedulerCompute

StockSchedulerComputes represents array of stock.scheduler.compute model.

type StockScrap

type StockScrap struct {
	LastUpdate      *Time      `xmlrpc:"__last_update,omptempty"`
	CreateDate      *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid       *Many2One  `xmlrpc:"create_uid,omptempty"`
	DateExpected    *Time      `xmlrpc:"date_expected,omptempty"`
	DisplayName     *String    `xmlrpc:"display_name,omptempty"`
	Id              *Int       `xmlrpc:"id,omptempty"`
	LocationId      *Many2One  `xmlrpc:"location_id,omptempty"`
	LotId           *Many2One  `xmlrpc:"lot_id,omptempty"`
	MoveId          *Many2One  `xmlrpc:"move_id,omptempty"`
	Name            *String    `xmlrpc:"name,omptempty"`
	Origin          *String    `xmlrpc:"origin,omptempty"`
	OwnerId         *Many2One  `xmlrpc:"owner_id,omptempty"`
	PackageId       *Many2One  `xmlrpc:"package_id,omptempty"`
	PickingId       *Many2One  `xmlrpc:"picking_id,omptempty"`
	ProductId       *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductUomId    *Many2One  `xmlrpc:"product_uom_id,omptempty"`
	ScrapLocationId *Many2One  `xmlrpc:"scrap_location_id,omptempty"`
	ScrapQty        *Float     `xmlrpc:"scrap_qty,omptempty"`
	State           *Selection `xmlrpc:"state,omptempty"`
	Tracking        *Selection `xmlrpc:"tracking,omptempty"`
	WriteDate       *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid        *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockScrap represents stock.scrap model.

func (*StockScrap) Many2One

func (ss *StockScrap) Many2One() *Many2One

Many2One convert StockScrap to *Many2One.

type StockScraps

type StockScraps []StockScrap

StockScraps represents array of stock.scrap model.

type StockTraceabilityReport

type StockTraceabilityReport struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockTraceabilityReport represents stock.traceability.report model.

func (*StockTraceabilityReport) Many2One

func (str *StockTraceabilityReport) Many2One() *Many2One

Many2One convert StockTraceabilityReport to *Many2One.

type StockTraceabilityReports

type StockTraceabilityReports []StockTraceabilityReport

StockTraceabilityReports represents array of stock.traceability.report model.

type StockWarehouse

type StockWarehouse struct {
	LastUpdate          *Time      `xmlrpc:"__last_update,omptempty"`
	Active              *Bool      `xmlrpc:"active,omptempty"`
	BuyPullId           *Many2One  `xmlrpc:"buy_pull_id,omptempty"`
	BuyToResupply       *Bool      `xmlrpc:"buy_to_resupply,omptempty"`
	Code                *String    `xmlrpc:"code,omptempty"`
	CompanyId           *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate          *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid           *Many2One  `xmlrpc:"create_uid,omptempty"`
	CrossdockRouteId    *Many2One  `xmlrpc:"crossdock_route_id,omptempty"`
	DefaultResupplyWhId *Many2One  `xmlrpc:"default_resupply_wh_id,omptempty"`
	DeliveryRouteId     *Many2One  `xmlrpc:"delivery_route_id,omptempty"`
	DeliverySteps       *Selection `xmlrpc:"delivery_steps,omptempty"`
	DisplayName         *String    `xmlrpc:"display_name,omptempty"`
	Id                  *Int       `xmlrpc:"id,omptempty"`
	InTypeId            *Many2One  `xmlrpc:"in_type_id,omptempty"`
	IntTypeId           *Many2One  `xmlrpc:"int_type_id,omptempty"`
	LotStockId          *Many2One  `xmlrpc:"lot_stock_id,omptempty"`
	MtoPullId           *Many2One  `xmlrpc:"mto_pull_id,omptempty"`
	Name                *String    `xmlrpc:"name,omptempty"`
	OutTypeId           *Many2One  `xmlrpc:"out_type_id,omptempty"`
	PackTypeId          *Many2One  `xmlrpc:"pack_type_id,omptempty"`
	PartnerId           *Many2One  `xmlrpc:"partner_id,omptempty"`
	PickTypeId          *Many2One  `xmlrpc:"pick_type_id,omptempty"`
	ReceptionRouteId    *Many2One  `xmlrpc:"reception_route_id,omptempty"`
	ReceptionSteps      *Selection `xmlrpc:"reception_steps,omptempty"`
	ResupplyRouteIds    *Relation  `xmlrpc:"resupply_route_ids,omptempty"`
	ResupplyWhIds       *Relation  `xmlrpc:"resupply_wh_ids,omptempty"`
	RouteIds            *Relation  `xmlrpc:"route_ids,omptempty"`
	ViewLocationId      *Many2One  `xmlrpc:"view_location_id,omptempty"`
	WhInputStockLocId   *Many2One  `xmlrpc:"wh_input_stock_loc_id,omptempty"`
	WhOutputStockLocId  *Many2One  `xmlrpc:"wh_output_stock_loc_id,omptempty"`
	WhPackStockLocId    *Many2One  `xmlrpc:"wh_pack_stock_loc_id,omptempty"`
	WhQcStockLocId      *Many2One  `xmlrpc:"wh_qc_stock_loc_id,omptempty"`
	WriteDate           *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid            *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockWarehouse represents stock.warehouse model.

func (*StockWarehouse) Many2One

func (sw *StockWarehouse) Many2One() *Many2One

Many2One convert StockWarehouse to *Many2One.

type StockWarehouseOrderpoint

type StockWarehouseOrderpoint struct {
	LastUpdate    *Time      `xmlrpc:"__last_update,omptempty"`
	Active        *Bool      `xmlrpc:"active,omptempty"`
	CompanyId     *Many2One  `xmlrpc:"company_id,omptempty"`
	CreateDate    *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid     *Many2One  `xmlrpc:"create_uid,omptempty"`
	DisplayName   *String    `xmlrpc:"display_name,omptempty"`
	GroupId       *Many2One  `xmlrpc:"group_id,omptempty"`
	Id            *Int       `xmlrpc:"id,omptempty"`
	LeadDays      *Int       `xmlrpc:"lead_days,omptempty"`
	LeadType      *Selection `xmlrpc:"lead_type,omptempty"`
	LocationId    *Many2One  `xmlrpc:"location_id,omptempty"`
	Name          *String    `xmlrpc:"name,omptempty"`
	ProductId     *Many2One  `xmlrpc:"product_id,omptempty"`
	ProductMaxQty *Float     `xmlrpc:"product_max_qty,omptempty"`
	ProductMinQty *Float     `xmlrpc:"product_min_qty,omptempty"`
	ProductUom    *Many2One  `xmlrpc:"product_uom,omptempty"`
	QtyMultiple   *Float     `xmlrpc:"qty_multiple,omptempty"`
	WarehouseId   *Many2One  `xmlrpc:"warehouse_id,omptempty"`
	WriteDate     *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid      *Many2One  `xmlrpc:"write_uid,omptempty"`
}

StockWarehouseOrderpoint represents stock.warehouse.orderpoint model.

func (*StockWarehouseOrderpoint) Many2One

func (swo *StockWarehouseOrderpoint) Many2One() *Many2One

Many2One convert StockWarehouseOrderpoint to *Many2One.

type StockWarehouseOrderpoints

type StockWarehouseOrderpoints []StockWarehouseOrderpoint

StockWarehouseOrderpoints represents array of stock.warehouse.orderpoint model.

type StockWarehouses

type StockWarehouses []StockWarehouse

StockWarehouses represents array of stock.warehouse model.

type StockWarnInsufficientQty

type StockWarnInsufficientQty struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	LocationId  *Many2One `xmlrpc:"location_id,omptempty"`
	ProductId   *Many2One `xmlrpc:"product_id,omptempty"`
	QuantIds    *Relation `xmlrpc:"quant_ids,omptempty"`
}

StockWarnInsufficientQty represents stock.warn.insufficient.qty model.

func (*StockWarnInsufficientQty) Many2One

func (swiq *StockWarnInsufficientQty) Many2One() *Many2One

Many2One convert StockWarnInsufficientQty to *Many2One.

type StockWarnInsufficientQtyScrap

type StockWarnInsufficientQtyScrap struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	LocationId  *Many2One `xmlrpc:"location_id,omptempty"`
	ProductId   *Many2One `xmlrpc:"product_id,omptempty"`
	QuantIds    *Relation `xmlrpc:"quant_ids,omptempty"`
	ScrapId     *Many2One `xmlrpc:"scrap_id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

StockWarnInsufficientQtyScrap represents stock.warn.insufficient.qty.scrap model.

func (*StockWarnInsufficientQtyScrap) Many2One

func (swiqs *StockWarnInsufficientQtyScrap) Many2One() *Many2One

Many2One convert StockWarnInsufficientQtyScrap to *Many2One.

type StockWarnInsufficientQtyScraps

type StockWarnInsufficientQtyScraps []StockWarnInsufficientQtyScrap

StockWarnInsufficientQtyScraps represents array of stock.warn.insufficient.qty.scrap model.

type StockWarnInsufficientQtys

type StockWarnInsufficientQtys []StockWarnInsufficientQty

StockWarnInsufficientQtys represents array of stock.warn.insufficient.qty model.

type String

type String struct {
	// contains filtered or unexported fields
}

String is a string wrapper

func NewString

func NewString(v string) *String

NewString creates a new *String.

func (*String) Get

func (s *String) Get() string

Get *String value.

type TaxAdjustmentsWizard

type TaxAdjustmentsWizard struct {
	LastUpdate        *Time      `xmlrpc:"__last_update,omptempty"`
	AdjustmentType    *Selection `xmlrpc:"adjustment_type,omptempty"`
	Amount            *Float     `xmlrpc:"amount,omptempty"`
	CompanyCurrencyId *Many2One  `xmlrpc:"company_currency_id,omptempty"`
	CreateDate        *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid         *Many2One  `xmlrpc:"create_uid,omptempty"`
	CreditAccountId   *Many2One  `xmlrpc:"credit_account_id,omptempty"`
	Date              *Time      `xmlrpc:"date,omptempty"`
	DebitAccountId    *Many2One  `xmlrpc:"debit_account_id,omptempty"`
	DisplayName       *String    `xmlrpc:"display_name,omptempty"`
	Id                *Int       `xmlrpc:"id,omptempty"`
	JournalId         *Many2One  `xmlrpc:"journal_id,omptempty"`
	Reason            *String    `xmlrpc:"reason,omptempty"`
	TaxId             *Many2One  `xmlrpc:"tax_id,omptempty"`
	WriteDate         *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid          *Many2One  `xmlrpc:"write_uid,omptempty"`
}

TaxAdjustmentsWizard represents tax.adjustments.wizard model.

func (*TaxAdjustmentsWizard) Many2One

func (taw *TaxAdjustmentsWizard) Many2One() *Many2One

Many2One convert TaxAdjustmentsWizard to *Many2One.

type TaxAdjustmentsWizards

type TaxAdjustmentsWizards []TaxAdjustmentsWizard

TaxAdjustmentsWizards represents array of tax.adjustments.wizard model.

type Time

type Time struct {
	// contains filtered or unexported fields
}

Time is a time.Time wrapper.

func NewTime

func NewTime(v time.Time) *Time

NewTime creates a new *Time.

func (*Time) Get

func (t *Time) Get() time.Time

Get *Time value.

type UtmCampaign

type UtmCampaign struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

UtmCampaign represents utm.campaign model.

func (*UtmCampaign) Many2One

func (uc *UtmCampaign) Many2One() *Many2One

Many2One convert UtmCampaign to *Many2One.

type UtmCampaigns

type UtmCampaigns []UtmCampaign

UtmCampaigns represents array of utm.campaign model.

type UtmMedium

type UtmMedium struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	Active      *Bool     `xmlrpc:"active,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

UtmMedium represents utm.medium model.

func (*UtmMedium) Many2One

func (um *UtmMedium) Many2One() *Many2One

Many2One convert UtmMedium to *Many2One.

type UtmMediums

type UtmMediums []UtmMedium

UtmMediums represents array of utm.medium model.

type UtmMixin

type UtmMixin struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CampaignId  *Many2One `xmlrpc:"campaign_id,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	MediumId    *Many2One `xmlrpc:"medium_id,omptempty"`
	SourceId    *Many2One `xmlrpc:"source_id,omptempty"`
}

UtmMixin represents utm.mixin model.

func (*UtmMixin) Many2One

func (um *UtmMixin) Many2One() *Many2One

Many2One convert UtmMixin to *Many2One.

type UtmMixins

type UtmMixins []UtmMixin

UtmMixins represents array of utm.mixin model.

type UtmSource

type UtmSource struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

UtmSource represents utm.source model.

func (*UtmSource) Many2One

func (us *UtmSource) Many2One() *Many2One

Many2One convert UtmSource to *Many2One.

type UtmSources

type UtmSources []UtmSource

UtmSources represents array of utm.source model.

type ValidateAccountMove

type ValidateAccountMove struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

ValidateAccountMove represents validate.account.move model.

func (*ValidateAccountMove) Many2One

func (vam *ValidateAccountMove) Many2One() *Many2One

Many2One convert ValidateAccountMove to *Many2One.

type ValidateAccountMoves

type ValidateAccountMoves []ValidateAccountMove

ValidateAccountMoves represents array of validate.account.move model.

type Version

type Version struct {
	ServerVersion     *String     `xmlrpc:"server_version"`
	ServerVersionInfo interface{} `xmlrpc:"server_version_info"`
	ServerSerie       *String     `xmlrpc:"server_serie"`
	ProtocolVersion   *Int        `xmlrpc:"protocol_version"`
}

Version describes odoo instance version.

type WebEditorConverterTestSub

type WebEditorConverterTestSub struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

WebEditorConverterTestSub represents web_editor.converter.test.sub model.

func (*WebEditorConverterTestSub) Many2One

func (wcts *WebEditorConverterTestSub) Many2One() *Many2One

Many2One convert WebEditorConverterTestSub to *Many2One.

type WebEditorConverterTestSubs

type WebEditorConverterTestSubs []WebEditorConverterTestSub

WebEditorConverterTestSubs represents array of web_editor.converter.test.sub model.

type WebPlanner

type WebPlanner struct {
	LastUpdate         *Time      `xmlrpc:"__last_update,omptempty"`
	Active             *Bool      `xmlrpc:"active,omptempty"`
	CreateDate         *Time      `xmlrpc:"create_date,omptempty"`
	CreateUid          *Many2One  `xmlrpc:"create_uid,omptempty"`
	Data               *String    `xmlrpc:"data,omptempty"`
	DisplayName        *String    `xmlrpc:"display_name,omptempty"`
	Id                 *Int       `xmlrpc:"id,omptempty"`
	MenuId             *Many2One  `xmlrpc:"menu_id,omptempty"`
	Name               *String    `xmlrpc:"name,omptempty"`
	PlannerApplication *Selection `xmlrpc:"planner_application,omptempty"`
	Progress           *Int       `xmlrpc:"progress,omptempty"`
	TooltipPlanner     *String    `xmlrpc:"tooltip_planner,omptempty"`
	ViewId             *Many2One  `xmlrpc:"view_id,omptempty"`
	WriteDate          *Time      `xmlrpc:"write_date,omptempty"`
	WriteUid           *Many2One  `xmlrpc:"write_uid,omptempty"`
}

WebPlanner represents web.planner model.

func (*WebPlanner) Many2One

func (wp *WebPlanner) Many2One() *Many2One

Many2One convert WebPlanner to *Many2One.

type WebPlanners

type WebPlanners []WebPlanner

WebPlanners represents array of web.planner model.

type WebTourTour

type WebTourTour struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	UserId      *Many2One `xmlrpc:"user_id,omptempty"`
}

WebTourTour represents web_tour.tour model.

func (*WebTourTour) Many2One

func (wt *WebTourTour) Many2One() *Many2One

Many2One convert WebTourTour to *Many2One.

type WebTourTours

type WebTourTours []WebTourTour

WebTourTours represents array of web_tour.tour model.

type WizardIrModelMenuCreate

type WizardIrModelMenuCreate struct {
	LastUpdate  *Time     `xmlrpc:"__last_update,omptempty"`
	CreateDate  *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid   *Many2One `xmlrpc:"create_uid,omptempty"`
	DisplayName *String   `xmlrpc:"display_name,omptempty"`
	Id          *Int      `xmlrpc:"id,omptempty"`
	MenuId      *Many2One `xmlrpc:"menu_id,omptempty"`
	Name        *String   `xmlrpc:"name,omptempty"`
	WriteDate   *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid    *Many2One `xmlrpc:"write_uid,omptempty"`
}

WizardIrModelMenuCreate represents wizard.ir.model.menu.create model.

func (*WizardIrModelMenuCreate) Many2One

func (wimmc *WizardIrModelMenuCreate) Many2One() *Many2One

Many2One convert WizardIrModelMenuCreate to *Many2One.

type WizardIrModelMenuCreates

type WizardIrModelMenuCreates []WizardIrModelMenuCreate

WizardIrModelMenuCreates represents array of wizard.ir.model.menu.create model.

type WizardMultiChartsAccounts

type WizardMultiChartsAccounts struct {
	LastUpdate            *Time     `xmlrpc:"__last_update,omptempty"`
	BankAccountCodePrefix *String   `xmlrpc:"bank_account_code_prefix,omptempty"`
	BankAccountIds        *Relation `xmlrpc:"bank_account_ids,omptempty"`
	CashAccountCodePrefix *String   `xmlrpc:"cash_account_code_prefix,omptempty"`
	ChartTemplateId       *Many2One `xmlrpc:"chart_template_id,omptempty"`
	CodeDigits            *Int      `xmlrpc:"code_digits,omptempty"`
	CompanyId             *Many2One `xmlrpc:"company_id,omptempty"`
	CompleteTaxSet        *Bool     `xmlrpc:"complete_tax_set,omptempty"`
	CreateDate            *Time     `xmlrpc:"create_date,omptempty"`
	CreateUid             *Many2One `xmlrpc:"create_uid,omptempty"`
	CurrencyId            *Many2One `xmlrpc:"currency_id,omptempty"`
	DisplayName           *String   `xmlrpc:"display_name,omptempty"`
	Id                    *Int      `xmlrpc:"id,omptempty"`
	OnlyOneChartTemplate  *Bool     `xmlrpc:"only_one_chart_template,omptempty"`
	PurchaseTaxId         *Many2One `xmlrpc:"purchase_tax_id,omptempty"`
	PurchaseTaxRate       *Float    `xmlrpc:"purchase_tax_rate,omptempty"`
	SaleTaxId             *Many2One `xmlrpc:"sale_tax_id,omptempty"`
	SaleTaxRate           *Float    `xmlrpc:"sale_tax_rate,omptempty"`
	TransferAccountId     *Many2One `xmlrpc:"transfer_account_id,omptempty"`
	UseAngloSaxon         *Bool     `xmlrpc:"use_anglo_saxon,omptempty"`
	WriteDate             *Time     `xmlrpc:"write_date,omptempty"`
	WriteUid              *Many2One `xmlrpc:"write_uid,omptempty"`
}

WizardMultiChartsAccounts represents wizard.multi.charts.accounts model.

func (*WizardMultiChartsAccounts) Many2One

func (wmca *WizardMultiChartsAccounts) Many2One() *Many2One

Many2One convert WizardMultiChartsAccounts to *Many2One.

type WizardMultiChartsAccountss

type WizardMultiChartsAccountss []WizardMultiChartsAccounts

WizardMultiChartsAccountss represents array of wizard.multi.charts.accounts model.

Source Files

Directories

Path Synopsis
cmd

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL