View architectures¶
Generic architecture¶
The architecture of a view is defined by XML data interpreted by the JavaScript framework.
For most views, there is a *.rng
file defining the attributes and possible architectures.
Some views are not ruled by such a file either because they accept HTML content, or for performance
reasons.
Примітка
The current context and user access rights may impact the view abilities.
Перегляньте також
Python expression¶
When evaluating node attributes, e.g. the readonly
modifier, it is possible to provide a Python
expression that will be executed in an environment that has access to the following variables:
The names of all fields present in the current view, containing the value of the current record, except for
column_invisible
in list view; relational fields are given as a list of IDs;The ID of the current record;
parent
: the record that refers to the container; only inside sub-views of relational fields;context (dict)
: the current view’s context;uid (int)
: the id of the current user;today (str)
: the current local date in theYYYY-MM-DD
format;now (str)
: the current local datetime in theYYYY-MM-DD hh:mm:ss
format.
Example
<field name="field_a" readonly="True"/>
<field name="field_b" invisible="context.get('show_me') and field_a == 4"/>
Example
<field name="field_a"/>
<field name="x2m">
<!-- sub-view -->
<form>
<field name="field_b" invisible="parent.field_a"/>
</form>
</field>
Форма¶
Form views are used to display the data from a single record. They are composed of regular HTML with additional semantic and structural components.
The root element of form views is form
.
<form>
...
</form>
Root attributes¶
Optional attributes can be added to the root element form
to customize the view.
- string
The view title. It is displayed only if you open an action that has no name and whose target is
new
(opening a dialog).- Requirement
Optional
- тип
- Default
''
- create
Вимкнути/увімкнути створення записів у представленні.
- Requirement
Optional
- тип
- Default
True
- edit
Disable/enable record edition on the view.
- Requirement
Optional
- тип
- Default
True
- duplicate
Вимкніть/увімкніть дублювання запису в представленні за допомогою спадного меню Дія.
- Requirement
Optional
- тип
- Default
True
- delete
Disable/enable record deletion on the view through the Action dropdown.
- Requirement
Optional
- тип
- Default
True
- js_class
The name of the JavaScript component the webclient will instantiate instead of the form view.
- Requirement
Optional
- тип
- Default
''
- disable_autofocus
Disable automatic focusing on the first field in the view.
- Requirement
Optional
- тип
- Default
False
- banner_route
The route to fetch HTML from and prepend it to the view.
If this attribute is set, the URL of the controller route is fetched and the returned content is displayed above the view. The JSON response from the controller must contain an
html
key.If the HTML contains a
<link>
tag for a stylesheet, it is removed from its original location and appended to the<head>
section.Use
<a type="action">
tags to interact with the backend, like with action buttons.Example
<tree banner_route="/module_name/hello" />
class MyController(odoo.http.Controller): @http.route('/module_name/hello', auth='user', type='json') def hello(self): return { 'html': """ <div> <link href="/module_name/static/src/css/banner.css" rel="stylesheet"> <h1>hello, world</h1> </div> """ }
- Requirement
Optional
- тип
- Default
''
Семантичні компоненти¶
Semantic components tie into the Odoo system and allow interaction with it.
Form views accept the following children semantic components: field, label, button, Chatter widget, and Attachments preview widget.
Placeholders are denoted in all caps.
field
: display field values¶
The field
element renders (and allows editing of, possibly) a single field of the current record.
Using the same field multiple times in a form view is supported, and the fields can receive
different values for the invisible
and readonly
attributes. These fields may have the same
values but can be displayed differently. However, the behavior is not guaranteed when several fields
exist with different values for the required
attribute.
<form>
<field name="FIELD_NAME"/>
</form>
The field
element can have the following attributes:
- name
The name of the field to render.
- Requirement
Mandatory
- тип
- id
The node id. Useful when there are several occurrences of the same field in the view (see label: display field labels).
- Requirement
Optional
- тип
- Default
The field name
- string
The label of the field.
- Requirement
Optional
- тип
- Default
The
string
attribute of the model’s field
- help
The tooltip displayed when hovering the field or its label.
- Requirement
Optional
- тип
- Default
''
- widget
The rendering method and context to use in place of the default one assigned to the field’s type (e.g.,
Char
,Many2one
). See Поля.Example
<form> <field name="tag_ids" widget="many2many_tags"/> </form> <tree> <field name="sequence" widget="handle"/> <field name="level_progress" widget="progressbar"/> </tree>
- Requirement
Optional
- тип
- Default
''
- options
The configuration options for the field’s widget (including default widgets), as a Python expression that evaluates to a dict.
For relation fields, the following options are available:
no_create
,no_quick_create
,no_open
, andno_create_edit
.Example
<field name="tag_ids" widget="many2many_tags" options="{'color_field': 'FIELD_NAME', 'no_quick_create': True}"/>
- Requirement
Optional
- тип
- Default
{}
- readonly
Whether the field can be modified by the user (
False
) or is read-only (True
), as a Python expression that evaluates to a bool.Example
<field name="fname_a" readonly="True"/> <field name="fname_b" readonly="name_a in [fname_b, parent.fname_d]"/>
- Requirement
Optional
- тип
- Default
False
- required
Whether the field can be left empty (
False
) or must be set (True
), as a Python expression that evaluates to a bool.Example
<field name="fname_a" required="True"/> <field name="fname_b" required="fname_c != 3"/>
- Requirement
Optional
- тип
- Default
False
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
- groups
The comma-separated list of user groups to whom the element is displayed. Users who do not belong to at least one of these groups are unable to see the element. Groups can be prefixed with the negative
!
operator to exclude them.Example
<field name="FIELD_NAME" groups="base.group_no_one,!base.group_multi_company"/>
- Requirement
Optional
- тип
- Default
''
- domain
The filters to apply when displaying existing records for selection, as a Python expression that evaluates to a domain.
Example
<field name="fname" domain="[('fname_a', '=', parent.fname_b)]"/>
- Requirement
Optional
- тип
- Default
[]
- Scope
Реляційні поля
- context
The context to use when fetching possible values and creating or searching records, as a Python expression that evaluates to a dict.
Example
<field name="fname" context="{ 'TYPE_view_ref': 'ADDON.MODEL_view_TYPE', 'group_by': 'FIELD_NAME', 'default_FIELD_NAME': ANY, 'search_default_FIELD_NAME': True, 'OTHER_BUSINESS_KEY': ANY, }"/>
- Requirement
Optional
- тип
- Default
{}
- Scope
Реляційні поля
- nolabel
Whether the field label should be hidden.
- Requirement
Optional
- тип
- Default
False
- Scope
Fields that are a direct child of a
group
element
- placeholder
The help message to display on empty fields. It can replace field labels in complex forms. However, it should not be an example of data, as users may confuse placeholder text with filled fields.
- Requirement
Optional
- тип
- Default
''
- mode
The comma-separated list of display modes (view types) to use for the field’s linked records. Allowed modes are:
tree
,form
,kanban
, andgraph
.
- class
The HTML class to set on the generated element.
The styling uses the Bootstrap framework and UI icons. Common Odoo classes include:
oe_inline
: prevents the usual line break following fields, and limits their span;oe_left
,oe_right
: floats the element to the corresponding direction;oe_read_only
,oe_edit_only
: only displays the element in the corresponding form mode;oe_avatar
: for image fields, displays images as an «avatar» (max 90x90 square);oe_stat_button
: defines a particular rendering to dynamically display information while being clickable to target an action.
Example
<field name="fname" class="oe_inline oe_left oe_avatar"/>
Example
<button type="object" name="ACTION" class="oe_stat_button" icon="FONT_AWESOME" help="HELP"> <div class="o_field_widget o_stat_info"> <span class="o_stat_value"><FIELD/></span> <span class="o_stat_text">TEXT</span> </div> </button>
- Requirement
Optional
- тип
- Default
''
- filename
The name of the related field providing the name of the file.
- password
Whether the field stores a password and thus its data should not be displayed.
- kanban_view_ref
The XMLID of the specific Kanban view record that should be used when selecting records in a mobile environment.
- Requirement
Optional
- тип
- Default
''
- Scope
Реляційні поля
- default_focus
Whether the field is focused when the view opens. It can be applied to only one field of a view.
- Requirement
Optional
- тип
- Default
False
Примітка
Relational fields nodes can contain specific subviews.
Example
<field name="children_ids">
<tree>
<field name="name"/>
</tree>
<form>
<field name="id"/>
<field name="name"/>
</form>
</field>
label
: display field labels¶
When a field component is not placed directly
inside a group, or when its nolabel
attribute is
set, the field’s label is not automatically displayed alongside its value. The label
component is
the manual alternative of displaying the label of a field.
<form>
<div class="col col-md-auto">
<label for="FIELD_NAME" string="LABEL"/>
<div>
<field name="FIELD_NAME" class="oe_inline"/>
</div>
</div>
</form>
The label
element can have the following attributes:
- for
The reference to the field associated with the label. It can be either the name of the field, or its id (the
id
attribute set on the field).When there are several occurrences of the same field in the view, and there are several
label
components associated with these field nodes, these labels must have uniquefor
attribute; in this case, referencing theid
attribute of the corresponding field nodes.- Requirement
Mandatory
- тип
- string
The label to display.
- Requirement
Optional
- тип
- Default
The field’s label coming from the field definition on the model
- class
The HTML class to set on the generated element.
The styling uses the Bootstrap framework and UI icons. Common Odoo classes include:
oe_inline
: prevents the usual line break following fields, and limits their span;oe_left
,oe_right
: floats the element to the corresponding direction;oe_read_only
,oe_edit_only
: only displays the element in the corresponding form mode;oe_avatar
: for image fields, displays images as an «avatar» (max 90x90 square);oe_stat_button
: defines a particular rendering to dynamically display information while being clickable to target an action.
Example
<field name="fname" class="oe_inline oe_left oe_avatar"/>
Example
<button type="object" name="ACTION" class="oe_stat_button" icon="FONT_AWESOME" help="HELP"> <div class="o_field_widget o_stat_info"> <span class="o_stat_value"><FIELD/></span> <span class="o_stat_text">TEXT</span> </div> </button>
- Requirement
Optional
- тип
- Default
''
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
Chatter widget¶
The chatter widget is the communication and log tool allowing to email colleagues and customers directly from a record (task, order, invoice, event, note…).
It is added with a div
element with the class oe_chatter
when the model inherits the
mail.thread
mixin.
Example
<form>
<sheet>
...
</sheet>
<div class="oe_chatter">
<field name="message_follower_ids"/>
<field name="activity_ids"/>
<field name="message_ids" options="OPTIONS"/>
</div>
</form>
Attachments preview widget¶
The attachment preview widget is added with an empty div
element with the class
o_attachment_preview
.
Example
<form>
<sheet>
...
</sheet>
<div class="o_attachment_preview"/>
<form>
Структурні компоненти¶
Структурні компоненти забезпечують структуру або «візуальні» функції з невеликою логікою. Вони використовуються як елементи або набори елементів у представленнях форм.
Form views accept the following children structural components: group, sheet, notebook, notebook, newline, separator, header, footer, Buttons container, and Title container.
Placeholders are denoted in all caps.
group
: define columns layouts¶
The group
element is used to define column layouts in forms. By default, groups define 2 columns,
and most direct children of groups take a single column.
field elements that are direct children of groups
display a label
by default, and the label and the field itself have a colspan
of 1
each.
Children are laid out horizontally (they try to fill the next column before changing row).
<form>
<group>
...
</group>
</form>
The group
element can have the following attributes:
- string
The title displayed for the group.
- Requirement
Optional
- тип
- Default
''
- col
The number of columns in a
group
.- Requirement
Optional
- тип
- Default
2
- colspan
The number of columns taken by a child element.
- Requirement
Optional
- тип
- Default
1
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
Possible structure and representation of its rendering
<group>
<field name="a" string="custom"/>
<field name="b"/>
</group>
<group string="title 1">
<group string="title 2">
<field name="c"/>
<field name="d"/>
</group>
<group>
<field name="e"/>
<field name="f"/>
<field name="g"/>
</group>
</group>
<group col="12">
<group colspan="8">
<field name="h"/>
</group>
<group colspan="4">
<field name="i"/>
</group>
</group>
|
sheet
: make the layout responsive¶
The sheet
element can be used as a direct child of the form root element for a narrower and more responsive form layout
(centered page, margin…). It usually contains group elements.
<form>
<sheet>
...
</sheet>
</form>
notebook
& page
: add tabbed sections¶
The notebook
element defines a tabbed section. Each tab is defined through a page
child element.
The notebook
element should not be placed within group
elements.
<form>
<notebook>
<page string="LABEL">
...
</page>
</notebook>
</form>
The page
element can have the following attributes:
- string
The title of the tab.
- Requirement
Optional
- тип
str
- Default
''
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
Possible structure and representation of its rendering
<form>
<notebook>
<page string="Page1">
...
</page>
<page string="Page2">
...
</page>
</notebook>
</form>
|
newline
: start new group rows¶
The newline
element is used within group
elements to end the current row early and immediately switch to a new row, without filling any
remaining column beforehand.
<form>
<group>
...
<newline/>
...
</group>
</form>
Possible structure and representation of its rendering
<form>
<group string="Title 1">
<group string="Title 1.1">...</group>
<newline/>
<group string="Title 1.2">...</group>
<group string="Title 1.3">...</group>
</group>
</form>
|
separator
: add horizontal spacing¶
The separator
element adds vertical spacing between elements within a group.
<form>
...
<separator/>
...
</form>
The <separator>
element can have the following attributes:
- string
The title as a section title.
- Requirement
Optional
- тип
str
- Default
''
Possible structure and representation of its rendering
<form>
<group>
<FIELD/>
<separator string="Title 1"/>
<FIELD/>
<group>
<FIELD/>
<separator string="Title 2"/>
<FIELD/>
</group>
<group>
<FIELD/>
<FIELD/>
</group>
</group>
</form>
|
Порада
The separator
element can be used to achieve visual separation between elements within the same
inner group
element while keeping them horizontally aligned.
Title container¶
A title field element container can be created with
a div
element with the class oe_title
.
<form>
<sheet>
<div class="oe_title">
<h1><FIELD/></h1>
</div>
</sheet>
<form>
Settings¶
Settings views are a customization of the form view. They are used to display settings in a centralized place. They differ from generic form views in that they have a search bar and a sidebar.
Example
<app string="CRM" name="crm">
<setting type="header" string="Foo">
<field name="foo" title="Foo?."/>
<button name="nameAction" type="object" string="Button"/>
</setting>
<block title="Title of group Bar">
<setting help="this is bar" documentation="/applications/technical/web/settings/this_is_a_test.html">
<field name="bar"/>
</setting>
<setting string="This is Big BAR" company_specific="1">
<field name="bar"/>
</setting>
</block>
<block title="Title of group Foo">
<setting string="Personalize setting" help="this is full personalize setting">
<div>This is a different setting</div>
</setting>
</block>
</app>
Components¶
Settings views accept the field, label and button elements of form views, as well as three additional children elements: app, block, and setting.
Placeholders are denoted in all caps.
app
: declare the application¶
The app
element is used to declare the application on the settings view. It creates an entry with
the logo of the application on the sidebar of the view. It also acts as delimiter when searching.
<form>
<app string="NAME" name="TECHNICAL_NAME">
...
</app>
</form>
The app
element can have the following attributes:
- string
The name of the application.
- Requirement
Mandatory
- тип
- name
The technical name of the application (the name of the module).
- Requirement
Mandatory
- тип
- logo
The relative path to the logo.
- Requirement
Optional
- тип
- Default
A path computed with the
name
attribute:/name/static/description/icon.png
- groups
The comma-separated list of user groups to whom the element is displayed. Users who do not belong to at least one of these groups are unable to see the element. Groups can be prefixed with the negative
!
operator to exclude them.Example
<field name="FIELD_NAME" groups="base.group_no_one,!base.group_multi_company"/>
- Requirement
Optional
- тип
- Default
''
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
block
: declare a group of settings¶
The block
element is used to declare a group of settings. This group can have a title and a
description.
<form>
<app string="NAME" name="TECHNICAL_NAME">
...
<block title="TITLE">
...
</block>
...
</app>
</form>
The block
element can have the following attributes:
- title
The title of the block of settings. One can search on its value.
- Requirement
Optional
- тип
- Default
''
- help
The description of the block of settings. One can search on its value.
- Requirement
Optional
- тип
- Default
''
- groups
The comma-separated list of user groups to whom the element is displayed. Users who do not belong to at least one of these groups are unable to see the element. Groups can be prefixed with the negative
!
operator to exclude them.Example
<field name="FIELD_NAME" groups="base.group_no_one,!base.group_multi_company"/>
- Requirement
Optional
- тип
- Default
''
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
setting
: declare the setting¶
The setting
element is used to declare the setting itself.
The first field element in the setting is used as
the main field. It is placed on the left panel if it is a boolean field, and on the top of the right
panel otherwise. The field is also used to create the setting label if a string
attribute is not
defined.
The setting
element can also contain additional elements (e.g., HTML). All of those elements are
rendered in the right panel.
<form>
<app string="NAME" name="TECHNICAL_NAME">
<block title="TITLE">
...
<setting string="SETTING_NAME">
...
<field name="FIELD_NAME"/>
...
</setting>
...
</block>
</app>
</form>
The <setting>
element can have the following attributes:
- type
By default, a setting is visually separated on two panels (left and right), and is used to edit a given field. By defining
type="header"
, a special kind of setting is rendered instead. This setting is used to modify the scope of the other settings. For example, on the Website application, this setting is used to indicate to which website the other settings apply. The header setting is visually represented as a banner on top of the screen.- Requirement
Optional
- тип
- Default
''
- string
The text used as the label of the setting.
- Requirement
Optional
- тип
- Default
The first field’s label
- title
The text used as a tooltip.
- Requirement
Optional
- тип
- Default
''
- help
The description of the setting. This text is displayed just below the setting label (with the class
text-muted
).- Requirement
Optional
- тип
- Default
''
- company_dependent
Whether the setting is company-specific. If set, an icon is displayed next to the setting label.
It accepts only the value
'1'
.- Requirement
Optional
- тип
- Default
''
- documentation
The path to the documentation on the setting. If set, a clickable icon is displayed next to the setting label. The path can be both an absolute or a relative path. In the latter case, it is relative to
https://simbiozems.com/documentation/<version>
.- Requirement
Optional
- тип
path_
- Default
''
- groups
The comma-separated list of user groups to whom the element is displayed. Users who do not belong to at least one of these groups are unable to see the element. Groups can be prefixed with the negative
!
operator to exclude them.Example
<field name="FIELD_NAME" groups="base.group_no_one,!base.group_multi_company"/>
- Requirement
Optional
- тип
- Default
''
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
Список¶
The root element of list views is tree
1.
Possible structure and representation of its rendering
<tree>
...
</tree>
|
Root attributes¶
Optional attributes can be added to the root element tree
to customize the view.
- string
The view title. It is displayed only if you open an action that has no name and whose target is
new
(opening a dialog).- Requirement
Optional
- тип
- Default
''
- create
Вимкнути/увімкнути створення записів у представленні.
- Requirement
Optional
- тип
- Default
True
- edit
Disable/enable record edition on the view.
- Requirement
Optional
- тип
- Default
True
- delete
Disable/enable record deletion on the view through the Action dropdown.
- Requirement
Optional
- тип
- Default
True
- import
Disable/enable record import from data on the view.
- Requirement
Optional
- тип
- Default
True
- export_xlsx
Disable/enable record export to data on the view.
- Requirement
Optional
- тип
- Default
True
- editable
Make the view’s records editable in-place, and allow creating new records from a row of the list. It can have two different values:
- top
New records are created from the top of the list.
- bottom
New records are created from the bottom of the list.
The architecture for the inline form view is derived from the list view. Most attributes valid on a form view’s fields and buttons are thus accepted by list views, although they may not have any meaning if the list view is non-editable.
Важливо
This behavior is disabled if the
edit
attribute is set toFalse
.- Requirement
Optional
- тип
- Default
''
- multi_edit
Activate the multi-editing feature that allows updating a field to the same value for multiple records at once.
It accepts only the value
'1'
.- Requirement
Optional
- тип
- Default
''
- open_form_view
Display a button at the end of each row to open the record in a form view.
It has no effect if the view is non-editable.
- Requirement
Optional
- тип
- Default
False
- default_group_by
The name of the field on which the records should be grouped by default if no grouping is specified via the action or the current search.
- Requirement
Optional
- тип
- Default
''
- default_order
A comma-separated list of fields names that overrides the ordering defined on the model through the
_order
attribute.To inverse the sorting order of a field, postfix it with
desc
, separated by a space.Example
<tree default_order="sequence,name desc"> ... </tree>
- Requirement
Optional
- тип
- Default
''
- decoration-<style>
The style that should be applied to matching records“ rows, as a Python expression that evaluates to a bool.
<style>
must be replaced by one ofbf
(bold),it
(italic),info
,warning
,danger
,muted
,primary
, andsuccess
.Example
<tree decoration-danger="field_qty > field_limit"> ... </tree>
- Requirement
Optional
- тип
- Default
False
- limit
The default size of a page. It must be strictly positive.
- Requirement
Optional
- тип
- Default
80
for list views,40
for X2many lists in form views
- groups_limit
The default number of groups on a page when the list view is grouped. It must be strictly positive.
- Requirement
Optional
- тип
- Default
80
for list views,40
for X2many lists in form views
- expand
Whether the first level of groups should be opened by default when the list view is grouped.
Попередження
It may be slow, depending on the number of groups.
- Requirement
Optional
- тип
- Default
False
- sample
Whether the view should be populated with a set of sample records if none are found for the current model.
These fake records have heuristics for certain field names/models. For example, a field
display_name
on the modelres.users
will be populated with sample people names, while anemail
field will be in the formfirstname.lastname@sample.demo
.The user is unable to interact with these data, and they will be discarded as soon as an action is performed (record created, column added, etc.).
- Requirement
Optional
- тип
- Default
False
- banner_route
The route to fetch HTML from and prepend it to the view.
If this attribute is set, the URL of the controller route is fetched and the returned content is displayed above the view. The JSON response from the controller must contain an
html
key.If the HTML contains a
<link>
tag for a stylesheet, it is removed from its original location and appended to the<head>
section.Use
<a type="action">
tags to interact with the backend, like with action buttons.Example
<tree banner_route="/module_name/hello" />
class MyController(odoo.http.Controller): @http.route('/module_name/hello', auth='user', type='json') def hello(self): return { 'html': """ <div> <link href="/module_name/static/src/css/banner.css" rel="stylesheet"> <h1>hello, world</h1> </div> """ }
- Requirement
Optional
- тип
- Default
''
Components¶
List views accept the following children elements: field, button, groupby, header, control, and create.
Placeholders are denoted in all caps.
field
: display field values¶
The field
element renders (and allows editing of, possibly) a single field of all current records
as a column.
Using the same field multiple times in a list view is not supported
<tree>
<field name="FIELD_NAME"/>
</tree>
The field
element can have the following attributes:
- name
The name of the field to render.
- Requirement
Mandatory
- тип
- string
The label of the field.
- Requirement
Optional
- тип
- Default
The
string
attribute of the model’s field
- optional
Make the visibility of the field optional. The field’s column can be hidden or shown through a button on the view’s header.
It can have two different values:
- show
The field is shown by default.
- hide
The field is hidden by default.
Example
<field name="fname_a" optional="show"/> <field name="fname_b" optional="hide"/>
- Requirement
Optional
- тип
- readonly
Whether the field can be modified by the user (
False
) or is read-only (True
), as a Python expression that evaluates to a bool.Example
<field name="fname_a" readonly="True"/> <field name="fname_b" readonly="name_a in [fname_b, parent.fname_d]"/>
- Requirement
Optional
- тип
- Default
False
- required
Whether the field can be left empty (
False
) or must be set (True
), as a Python expression that evaluates to a bool.Example
<field name="fname_a" required="True"/> <field name="fname_b" required="fname_c != 3"/>
- Requirement
Optional
- тип
- Default
False
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
- column_invisible
Whether the column is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Unlike
invisible
, it affects the entire column, and is evaluated without the subtree values.Example
<field name="product_is_late" column_invisible="parent.has_late_products == False"/> <button type="object" name="action_confirm" column_invisible="context.get('hide_confirm')"/>
- Requirement
Optional
- тип
- Default
False
- groups
The comma-separated list of user groups to whom the element is displayed. Users who do not belong to at least one of these groups are unable to see the element. Groups can be prefixed with the negative
!
operator to exclude them.Example
<field name="FIELD_NAME" groups="base.group_no_one,!base.group_multi_company"/>
- Requirement
Optional
- тип
- Default
''
- decoration-<style>
The style that should be applied to matching records“ field, as a Python expression that evaluates to a bool.
<style>
must be replaced by one ofbf
(bold),it
(italic),info
,warning
,danger
,muted
,primary
, andsuccess
.Example
<field name="name" decoration-bf="1"/> <field name="quantity" decoration-info="state == 'draft'"/>
- Requirement
Optional
- тип
- Default
False
- widget
The rendering method and context to use in place of the default one assigned to the field’s type (e.g.,
Char
,Many2one
). See Поля.Example
<form> <field name="tag_ids" widget="many2many_tags"/> </form> <tree> <field name="sequence" widget="handle"/> <field name="level_progress" widget="progressbar"/> </tree>
- Requirement
Optional
- тип
- Default
''
- sum, avg
The aggregate to display at the bottom of the column. The aggregation is computed on only records that are currently displayed. The aggregation operation must match the corresponding field’s
group_operator
.Example
<field name="sent" sum="Total" /> <field name="clicks_ratio" avg="Average"/>
- Requirement
Optional
- тип
- Default
''
- width
The width to apply to the field’s column when there are no records in the list, as an absolute width (e.g.,
100px
).Важливо
The width is set by the webclient when there are records in the list.
- Requirement
Optional
- тип
- Default
''
- nolabel
Whether the field’s column header should remain empty. If set, the column will not be sortable.
It accepts only the value
'1'
- Requirement
Optional
- тип
- Default
''
Примітка
When a list view is grouped, numeric fields are aggregated and displayed for each group. Also, if there are too many records in a group, a pager appears on the right of the group row. For this reason, it is a bad practice to have a numeric field in the last column when the list view is in a situation where it can be grouped. However, it does not pose a problem for X2many fields in a form view, as they cannot be grouped.
Possible structure and representation of its rendering
<tree>
<field name="name" string="My Custom Name"/>
<field name="amount" sum="Total"/>
<field name="company_id" invisible="1"/>
<field name="currency_id"/>
<field name="tax_id"/>
</tree>
|
groupby
: define group headers¶
The groupby
element is used to define group headers with button elements when grouping records on
Many2one
fields. It also accepts field elements, which can be used for modifiers. These fields
thus belong on the Many2one co-model. These extra fields are fetched in batch.
<tree>
...
<groupby name="FIELD_NAME">
<BUTTONS/>
<FIELDS/>
</groupby>
</tree>
The groupby
element can have the following attributes:
- name
The name of the a
Many2one
field to use as header.A special button element with
type="edit"
can be defined to open the Many2one field’s form view.- Requirement
Mandatory
- тип
Possible structure and representation of its rendering
<tree>
<field name="name"/>
<field name="amount"/>
<field name="currency"/>
<field name="tax_id"/>
<groupby name="partner_id">
<button type="edit" name="edit" icon="fa-edit" title="Edit"/>
<field name="email"/>
<button type="object" name="my_method" string="Button1" invisible="email == 'jhon@conor.com'"/>
</groupby>
</tree>
|
Примітка
Fields inside the groupby
element are used only to fetch and store the value, but they are
never displayed.
Пошук¶
Search views are different from other view types in that they are not used to display content. Although they apply to a specific model, they are used to filter another view’s content (usually aggregated views; e.g., Список and Графік).
The root element of search views is search
.
It takes no attributes.
Possible structure and representation of its rendering
<search>
...
</search>
|
Components¶
Search views accept the following children elements: field, filter, separator, group, and searchpanel.
Placeholders are denoted in all caps.
field
: filter based on field values¶
The field
element defines domains or contexts with user-provided values. When search domains are
generated, field domains are joined with each other and with filters using the AND operator.
<search>
<field name="FIELD_NAME"/>
</search>
The field
element can have the following attributes:
- name
The name of the field to filter on.
- Requirement
Mandatory
- тип
- string
The label of the field.
- Requirement
Optional
- тип
- Default
The
string
attribute of the model’s field
- operator
By default, fields generate domains of the form
[(name, operator, value)]
, wherename
is the field’s name andvalue
is the value provided by the user, possibly filtered or transformed (e.g., a user is expected to provide the label of a selection field’s value, not the value itself).The
operator
attribute allows overriding the default operator, which depends on the field’s type (e.g.,=
for float fields, butilike
for char fields andchild_of
for many2one).- Requirement
Optional
- тип
- Default
=
- filter_domain
The domain to use as the field’s search domain, as a Python expression that evaluates to a domain.
It can use the
self
variable to inject the provided value in the custom domain. It can be used to generate significantly more flexible domains than with theoperator
attribute alone (e.g., search on multiple fields at once).If both the
operator
andfilter_domain
attributes are provided,filter_domain
takes precedence.- Requirement
Optional
- тип
- Default
[]
- context
The context to merge into the context of the view that the search view is targeting, as a Python expression that evaluates to a dict.
It can contain user-provided values, which are available under the
self
variable.- Requirement
Optional
- тип
- Default
{}
- domain
The filters to apply to the completion results for fields that allow for auto-completion (e.g.,
Many2one
).- Requirement
Optional
- тип
- Default
[]
- groups
The comma-separated list of user groups to whom the element is displayed. Users who do not belong to at least one of these groups are unable to see the element. Groups can be prefixed with the negative
!
operator to exclude them.Example
<field name="FIELD_NAME" groups="base.group_no_one,!base.group_multi_company"/>
- Requirement
Optional
- тип
- Default
''
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
Possible structure and representation of its rendering
<search>
<field name="name" string="My Custom Name"/>
<field name="amount"/>
<field name="company_id" invisible="1"/>
<field name="currency_id"/>
<field name="ref" filter_domain="[('name', 'like', self)]"/>
</search>
|
filter
: create pre-defined filters¶
The filter
element is used to create pre-defined filters that can be toggled in the search view.
It allows adding data to the search context the context passed to the data view for
searching/filtering, or appending new sections to the search filter.
<search>
<filter string="LABEL" domain="DOMAIN"/>
</search>
The filter
element can have the following attributes:
- name
The technical name of the filter. It can be used to enable it by default or as an inheritance hook.
- Requirement
Mandatory
- тип
- string
The label of the filter.
- Requirement
Mandatory
- тип
- help
The tooltip displayed when hovering the filter.
- Requirement
Optional
- тип
- Default
''
- domain
The domain to append to the action’s domain as part of the search domain.
- Requirement
Optional
- тип
- Default
[]
- date
The name of the
date
ordatetime
field to filter on.When used, this attribute creates a set of filters available in a sub-menu of the Filters menu. The available filters are time-dependent but not dynamic in the sense that their domains are evaluated at the time of the control panel instantiation.
Example
<filter string="Creation Date" name="filter_create_date" date="create_date"/>
- Requirement
Optional
- тип
- Default
''
- default_period
The default period of the time-based filter (with a
date
attribute). It must be one of, or a comma-separated list of,today
,this_week
,this_month
,last_month
,antepenultimate_month
,fourth_quarter
,third_quarter
,second_quarter
,first_quarter
,this_year
,last_year
orantepenultimate_year
.The filter must be in the default set of filters activated at the view initialization.
Example
<filter string="Creation Date" name="filter_create_date" date="create_date" default_period="this_year,last_year"/>
- Requirement
Optional
- тип
- Default
this_month
- Scope
Filters with a non-empty
date
attribute
- invisible
Whether the element is visible (
False
) or hidden (True
), as a Python expression that evaluates to a bool.Примітка
There are two uses for the
invisible
attribute:Usability: to avoid overloading the view and to make it easier for the user to read, depending on the content.
Technical: a field must be present (invisible is enough) in the view to be used in a Python expression.
Example
<field name="fname_a" invisible="True"/> <!-- necessary to evaluate invisible attribute of 'fname_b' field --> <field name="fname_b" invisible="fname_c != 3 and fname_a == parent.fname_d"/> <group invisible="fname_c != 4"> <field name="fname_c"/> <field name="fname_d"/> <group>
- Requirement
Optional
- тип
- Default
False
- groups
The comma-separated list of user groups to whom the element is displayed. Users who do not belong to at least one of these groups are unable to see the element. Groups can be prefixed with the negative
!
operator to exclude them.Example
<field name="FIELD_NAME" groups="base.group_no_one,!base.group_multi_company"/>
- Requirement
Optional
- тип
- Default
''
- context
The context merged into the action’s domain to generate the search domain
The context key
group_by
set with a field as value can be used to define a group available in the Group By menu. When the field is of typedate
ordatetime
, the filter generates a submenu of the Group By menu with the following interval options available: Year, Quarter, Month, Week, and Day. When the filter is in the default set of filters activated at the view initialization, the records are grouped by month by default. This can be changed by using the syntaxdate_field:interval
.Example
<filter string="Category" name="groupby_category" context="{'group_by': 'category_id'}"/> <filter string="Creation Date" name="groupby_create_date" context="{'group_by': 'create_date:week'}"/>
Примітка
The results of
read_groups
grouped on a field may be influenced by itsgroup_expand
attribute, allowing to display empty groups when needed. For more information, please refer toField
.- Requirement
Optional
- тип
- Default
{}
Застереження
Sequences of filters (without non-filters elements separating them) are treated as inclusively
composited: they will be composed with OR
rather than the usual AND
.
Example
<filter domain="[('state', '=', 'draft')]"/>
<filter domain="[('state', '=', 'done')]"/>
Records whose state
field is draft
or done
are shown.
Example
<filter domain="[('state', '=', 'draft')]"/>
<separator/>
<filter domain="[('delay', '<', 15)]"/>
Records whose state
field is draft
and delay
field is below 15.
Possible structure and representation of its rendering
<search>
<filter string="My Custom Name" domain="[('name', 'ilike', 'AAA')]"/>
<filter string="My orders" domain="[('user_id', '=', uid)]"/>
<filter string="Category" context="{'group_by': 'category_id'}"/>
</search>
|
separator
: separate groups of filters¶
The separator
element is used to separates groups of filters in simple search views. For more complex search views,
the group element is recommended.
<search>
<FILTERS/>
<separator/>
<FILTERS/>
</search>
The separator
element takes no attributes.
group
: separate groups of filters¶
The group
element is used to separate groups of filters in cluttered search views. In simpler search views, it
can be substituted for the separator element.
<search>
<group expand="0" string="LABEL">
<FILTERS/>
</group>
</search>
The group
element takes no attributes.
searchpanel
: display search panels¶
The searchpanel
element displays a search panel to the left of multi-records views. It allows for
quickly filtering data on the basis of given fields.
<search>
<searchpanel>
<FIELDS/>
</searchpanel>
</search>
The searchpanel
element accepts only field
children elements.
The field
element used as a child element of a searchpanel
element can have the following
attributes:
- name
The name of the field to filter on.
- Requirement
Mandatory
- тип
- string
The label of the field.
- Requirement
Optional
- тип
- Default
The
string
attribute of the model’s field
- select
The behavior and display of the field. It can have two different values:
- one
At most one value can be selected. Supported field types are
many2one
andselection
.
- multi
Several values can be selected. Supported field types are
many2one
,many2many
andselection
.
- Requirement
Optional
- тип
- Default
one
- groups
The comma-separated list of user groups to whom the element is displayed. Users who do not belong to at least one of these groups are unable to see the element. Groups can be prefixed with the negative
!
operator to exclude them.Example
<field name="FIELD_NAME" groups="base.group_no_one,!base.group_multi_company"/>
- Requirement
Optional
- тип
- Default
''
- icon
The icon of the field.
- Requirement
Optional
- тип
- Default
''
- color
The color of the field.
- Requirement
Optional
- тип
- Default
''
When the field
element has the select=one
attribute set, it can have the following additional
attributes:
- hierarchize
Whether child categories should appear under their parent category, or at the same hierarchy level.
When the field
element has the select=multi
attribute set, it can have the following additional
attributes:
- enable_counters
Whether the record counters is computed and displayed if non-zero.
Порада
This attribute exists to avoid impacting performance. Another way to address performance issues is to override the
search_panel_select_range
andsearch_panel_select_multi_range
methods.- Requirement
Optional
- тип
- Default
False
- expand
Whether categories and filters with no records should be shown.
- Requirement
Optional
- тип
- Default
False
- limit
The maximal number of values to fetch for the field. If the limit is reached, no values are displayed on the search panel, and an error message is shown instead. If set to 0, all values are fetched.
- Requirement
Optional
- тип
- Default
200
- domain
The conditions that the records have to satisfy.
Example
<searchpanel> <field name="department_id"/> <field name="manager_id" select="multi" domain="[('department_id', '=', department_id)]"/> </searchpanel>
- Requirement
Optional
- тип
- Default
[]
Пошук за умовчанням¶
Search fields and filters can be configured through the action’s context
using
search_default_name
keys. For fields, the value must be the value to set to the field. For
filters, it must be a boolean value or a number.
Example
With foo
, a field, and bar
, a filter, the following action context will search foo
on
acro
and enable bar
by default:
{
'search_default_foo': 'acro',
'search_default_bar': 1
}
A numeric value (between 1 and 99) can be used to define the order of default groupby filters.
Example
With foo
and bar
, two groupby filters, the following action context will first enable
bar
, then foo
.
{
'search_default_foo': 2,
'search_default_bar': 1
}
Канбан¶
Kanban views are a used as a kanban board visualisation: they display records as «cards», halfway between a list view and a non-editable form view.
Records may be grouped in columns for use in workflow visualisation or manipulation (e.g., tasks or work-progress management), or ungrouped (used simply to visualize records).
The root element of Kanban views is kanban
.
Possible structure and representation of its rendering
<kanban>
...
</kanban>
|
Примітка
Kanban views load and display a maximum of ten columns. Any column after that is closed but can still be opened by the user.
Root attributes¶
Optional attributes can be added to the root element kanban
to customize the view.
- string
The view title. It is displayed only if you open an action that has no name and whose target is
new
(opening a dialog).- Requirement
Optional
- тип
- Default
''
- create
Вимкнути/увімкнути створення записів у представленні.
- Requirement
Optional
- тип
- Default
True
- edit
Disable/enable record edition on the view.
- Requirement
Optional
- тип
- Default
True
- delete
Disable/enable record deletion on the view through the Action dropdown.
- Requirement
Optional
- тип
- Default
True
- default_group_by
The name of the field on which the records should be grouped by default if no grouping is specified via the action or the current search.
- Requirement
Optional
- тип
- Default
''
- default_order
A comma-separated list of fields names that overrides the ordering defined on the model through the
_order
attribute.To inverse the sorting order of a field, postfix it with
desc
, separated by a space.Example
<tree default_order="sequence,name desc"> ... </tree>
- Requirement
Optional
- тип
- Default
''
- class
Add HTML classes to the root HTML element of the view.
- Requirement
Optional
- тип
- Default
''
- examples
The key in the
KanbanExamplesRegistry
of the examples than can be browsed when creating a new column in the grouped kanban view.Перегляньте також
- Requirement
Optional
- тип
- Default
''
- group_create
Whether the Add a new column bar is visible.
- Requirement
Optional
- тип
- Default
True
- group_delete
Whether columns can be deleted via the cog menu.
- Requirement
Optional
- тип
- Default
True
- group_edit
Whether columns can be edited via the cog menu.
- Requirement
Optional
- тип
- Default
True
- groups_draggable
Whether columns can be reordered.
- Requirement
Optional
- тип
- Default
True
- records_draggable
Whether records can be dragged when the kanban view is grouped.
- Requirement
Optional
- тип
- Default
True
- archivable
Whether records belonging to a column can be archived and unarchived when the
active
field is defined on the model.- Requirement
Optional
- тип
- Default
True
- quick_create
Whether it should be possible to create records without switching to the form view.
- Requirement
Optional
- тип
- Default
True
when the kanban view is grouped by many2one, selection, char, or boolean fields, otherwiseFalse
- quick_create_view
The reference of the form view to open when using the quick creation of records.
- Requirement
Optional
- тип
- Default
''
- on_create
The custom action to call when clicking on Create.
If set to
'quick_create'
, the quick creation of records is used instead. If the quick creation is disabled, the standard create action is called.- Requirement
Optional
- тип
- Default
''
- sample
Whether the view should be populated with a set of sample records if none are found for the current model.
These fake records have heuristics for certain field names/models. For example, a field
display_name
on the modelres.users
will be populated with sample people names, while anemail
field will be in the formfirstname.lastname@sample.demo
.The user is unable to interact with these data, and they will be discarded as soon as an action is performed (record created, column added, etc.).
- Requirement
Optional
- тип
- Default
False
- banner_route
The route to fetch HTML from and prepend it to the view.
If this attribute is set, the URL of the controller route is fetched and the returned content is displayed above the view. The JSON response from the controller must contain an
html
key.If the HTML contains a
<link>
tag for a stylesheet, it is removed from its original location and appended to the<head>
section.Use
<a type="action">
tags to interact with the backend, like with action buttons.Example
<tree banner_route="/module_name/hello" />
class MyController(odoo.http.Controller): @http.route('/module_name/hello', auth='user', type='json') def hello(self): return { 'html': """ <div> <link href="/module_name/static/src/css/banner.css" rel="stylesheet"> <h1>hello, world</h1> </div> """ }
- Requirement
Optional
- тип
- Default
''
Components¶
Kanban views accept the following children elements: field, header, progressbar, and templates.
Placeholders are denoted in all caps.
field
: display field values¶
The field
element declares fields to use in the templates. If the field is simply displayed, it does not need
to be pre-declared.
<kanban>
<field name="FIELD_NAME"/>
...
</kanban>
The field
element can have the following attributes:
- name
The name of the field to render.
- Requirement
Mandatory
- тип
Possible structure and representation of its rendering
<kanban>
<templates>
<t t-name="kanban-box">
<div>
<field name="name"/>
</div>
</t>
</templates>
</kanban>
|
progressbar
: show progress bars on top of columns¶
The progressbar
element is used to define a progress bar to display on top of kanban columns.
<kanban>
<progressbar field="FIELD_NAME"/>
...
</kanban>
The progressbar
element can have the following attributes:
- field
The name of the field on which the progress bar’s sub-groups are based.
- Requirement
Mandatory
- тип
- colors
The mapping of the progress bar’s field values to the color values
muted
,success
,warning
, anddanger
.- Requirement
Mandatory
- тип
- sum_field
The name of the field to use in a sum displayed next to the progress bar. If not set, the total number of records is displayed instead.
- Requirement
Optional
- тип
- Default
''
Possible structure and representation of its rendering
<kanban>
<progressbar field="activity_state"
colors="{'planned': 'success', 'today': 'warning', 'overdue': 'danger'}"
sum_field="expected_revenue"/>
<templates>
...
</templates>
</kanban>
|
templates
: define cards structure¶
The templates
elements is used to define the QWeb templates that structure
the kanban cards.
Cards structure definition can be split into multiple templates for clarity, but at least one root
template kanban-box
must be defined.
Two additional templates can be defined: kanban-menu
and kanban-tooltip
. If defined, the
kanban-menu
template is rendered inside a dropdown that can be toggled with a vertical ellipsis
(⋮) on the top right of the card. The kanban-tooltip
template is rendered inside a
tooltip when hovering kanban cards.
The templates are written in JavaScript QWeb
<kanban>
...
<templates>
<t t-name="kanban-box">
<div>
<field name="name"/>
</div>
</t>
</templates>
</kanban>
The following variables are available in the rendering context:
- widget
The current
KanbanRecord()
. It can be used to fetch some meta-information. The methods are also available directly in the template context and don’t need to be accessed viawidget
.- тип
- record
An object with all the requested fields as its attributes. Each field has two attributes:
value
andraw_value
. The former is formatted according to current user parameters while the latter is the raw value from aread()
(except for thedate
anddatetime
fields that are formatted according to the user locale).- тип
- context
The current context propagated from either the action that opens the kanban view, or the one2many or many2many field that embeds the kanban view in a form view.
- тип
- read_only_mode
- тип
- selection_mode
Whether the kanban view is opened when selecting a many2one or many2many field in mobile environment.
- тип
While most of the kanban templates are standard QWeb templates, the kanban
view processes field
, button
and a
elements is a special way:
By default, fields are replaced by their formatted value, unless the
widget
attribute is specified, in which case their rendering and behavior depends on the corresponding widget. Thewidget
attribute can have different values including:- handle
Allow reordering records with a drag and drop when their are sorted based on
sequence
(orinteger
) fields.
Buttons and links with a
type
attribute perform different operations than their standard HTML function. Thetype
attribute can have the valuesaction
andobject
of regular buttons, or the following values:- open
Clicking the element opens the card’s record in form view in read-only mode.
- edit
Clicking the element opens the card’s record in form view in editable mode.
- delete
Clicking the element deletes the card’s record and removes the card.
QWeb¶
Представлення QWeb - це стандартні Шаблони QWeb шаблони всередині архів
представлення. Вони не мають певного кореневого елемента. Оскільки представлення QWeb не мають певного кореневого елемента, їхній тип має бути вказано явно (його не можна вивести з кореневого елемента поля arch
).
Представлення QWeb мають два випадки використання:
їх можна використовувати як шаблони інтерфейсу, у цьому випадку template слід використовувати як ярлик.
їх можна використовувати як фактичні представлення qweb (відкриті всередині дії), у цьому випадку їх слід визначити як звичайні представлення з явним
type
(його не можна вивести) і моделлю.
Основні доповнення qweb-as-view до базового шаблону qweb-as-as:
qweb-as-view має особливий випадок для елемента
<nav>
, що несе клас CSSo_qweb_cp_buttons
: його вміст має бути кнопками, його буде витягнуто та переміщено до області кнопок панелі керування, Сам<nav>
буде видалено, це обхідний шлях для панелі керування, яка ще не існуєвідтворення qweb-as-view додає кілька елементів до стандартного контексту відтворення qweb:
model
модель, до якої прив’язано представлення qweb
domain
домен, наданий у представленні пошуку
context
контекст, наданий пошуковим поданням
records
відкладений проксі для
model.search(domain)
, це можна використовувати, якщо ви просто хочете повторювати записи, а не виконувати більш складні операції (наприклад, групування)
qweb-as-view також надає додаткові хуки візуалізації:
_qweb_prepare_context(view_id, domain)
готує контекст відтворення, специфічний для qweb-as-viewqweb_render_view(view_id, domain)
- це метод, який викликається клієнтом і викликає методи підготовки контексту та, зрештою,env['ir.qweb'].render()
.
Графік¶
Графічне представлення використовується для візуалізації агрегацій для кількох записів або груп записів. Його кореневим елементом є <graph>
, який може приймати такі атрибути:
type
(optional)один із
bar
(за замовчуванням),pie
таline
, тип графіка для використанняstacked
(optional)only used for
bar
charts. Set to0
to prevent the bars within a group to be stacked initially.disable_linking
(optional)set to
1
to prevent from redirecting clicks on graph to list vieworder
(optional)якщо встановлено, значення осі x буде відсортовано за замовчуванням відповідно до їх вимірювання щодо заданого порядку (
asc
абоdesc
). Використовується лише для графіківbar
таpie
.string
(необов’язковий)string displayed in the breadcrumbs when redirecting to list view.
- sample
Whether the view should be populated with a set of sample records if none are found for the current model.
These fake records have heuristics for certain field names/models. For example, a field
display_name
on the modelres.users
will be populated with sample people names, while anemail
field will be in the formfirstname.lastname@sample.demo
.The user is unable to interact with these data, and they will be discarded as soon as an action is performed (record created, column added, etc.).
- Requirement
Optional
- тип
- Default
False
Єдиним дозволеним елементом у представленні графіка є field
, яке може мати такі атрибути:
name
(обов’язково)назва поля для використання в представленні. Якщо використовується для групування (а не агрегування)
invisible
(необов’язково)якщо істина, поле не відображатиметься ні в активних мірах, ні в мірах, які можна вибрати.
type
(optional)if set to
measure
, the field will be used as an aggregated value within a group instead of a grouping criteria. It only works for the last field with that attribute but it is useful for other fields with string attribute (see below).interval
(необов’язковий)on date and datetime fields, groups by the specified interval (
day
,week
,month
,quarter
oryear
) instead of grouping on the specific datetime (fixed second resolution) or date (fixed day resolution). Default ismonth
.string
(необов’язковий)only used for field with
type="measure"
. The name that will be used to display the field in the graph view, overrides the default python String attribute of the field.
Показники автоматично генеруються з полів моделі; використовуються лише агреговані поля. Ці показники також відсортовані в алфавітному порядку в рядку поля.
Попередження
агрегації подання графіків виконуються для вмісту бази даних, незбережені функціональні поля не можна використовувати в поданнях графіків
In Graph views, a field
can have a widget
attribute to dictate its format.
The widget should be a field formatter, of which the most interesting are
float_time
, and monetary
.
<field name="working_hours_close" widget="float_time"/>
Зведена таблиця¶
Зведене таюлиця використовується для візуалізації агрегацій у представленні зведена таблиця. Його кореневим елементом є <pivot>
, який може приймати такі атрибути:
disable_linking
(optional)Set to
1
to remove table cell’s links to list view.display_quantity
(optional)Set to
1
to display the Quantity column by default.default_order
(optional)Назва міри та порядок (за зростанням або спаданням), які використовуватимуться як порядок за замовчуванням у представленні.
<pivot default_order="foo asc"> <field name="foo" type="measure"/> </pivot>
Єдиним дозволеним елементом у представленні графіка є field
, яке може мати такі атрибути:
name
(обов’язково)назва поля для використання в представленні. Якщо використовується для групування (а не агрегування)
string
(необов’язковий)назва, яке використовуватиметься для відображення поля у зведеній таблиці, замінює стандартний атрибут python String поля.
type
(optional)вказує, чи слід використовувати поле як критерій групування чи як агреговане значення в межах групи. Можливі значення:
row
(за замовчуванням)групування за вказаним полем, кожна група отримує окремий рядок.
col
створює групи по стовпцях
measure
поле для агрегування в групу
interval
у полях дати та дати й часу групує за вказаним інтервалом (
день
,тиждень
,місяць
,квартал
аборік
) замість групування за конкретною датою та часом ( фіксована друга роздільна здатність) або дата (фіксована роздільна здатність дня).
invisible
(необов’язково)якщо істина, поле не відображатиметься ні в активних показниках, ні в параметрах, які можна вибрати (корисно для полів, які не мають сенсу агрегувати, наприклад, поля в різних одиницях, наприклад, € та $).
- sample
Whether the view should be populated with a set of sample records if none are found for the current model.
These fake records have heuristics for certain field names/models. For example, a field
display_name
on the modelres.users
will be populated with sample people names, while anemail
field will be in the formfirstname.lastname@sample.demo
.The user is unable to interact with these data, and they will be discarded as soon as an action is performed (record created, column added, etc.).
- Requirement
Optional
- тип
- Default
False
Показники автоматично генеруються з полів моделі; використовуються лише агреговані поля. Ці показники також відсортовані в алфавітному порядку в рядку поля.
Попередження
Подібно до графічного перегляду, зведена агрегує дані про вміст бази даних, що означає, що незбережені функціональні поля не можна використовувати в зведених представленнях
У зведеній таблиці field
може мати атрибут widget
, щоб диктувати його формат. Віджет має бути форматувальником полів, найбільш цікавими з яких є date
, datetime
, float_time
і monetary
.
Наприклад, зведену таблицю табеля можна визначити як:
<pivot string="Timesheet">
<field name="employee_id" type="row"/>
<field name="date" interval="month" type="col"/>
<field name="unit_amount" type="measure" widget="float_time"/>
</pivot>
Календар¶
Calendar views display records as events in a daily, weekly, monthly or yearly calendar.
Примітка
By default the calendar view will be centered around the current date
(today). You can pass a specific initial date to the context of the action in
order to set the initial focus of the calendar on the period (see mode
) around
this date (the context key to use being initial_date
)
Their root element is <calendar>
. Available attributes on the
calendar view are:
- string
string (default:
''
)This view title is displayed only if you open an action that has no name and whose target is „new“ (opening a dialog)
- створити
bool (default:
True
)Вимкнути/увімкнути створення записів у представленні.
- edit
bool (default:
True
)Disable/enable record edition on the view.
- вилучити
bool (default:
True
)Вимкніть/увімкніть видалення запису у представленні через спадне меню Дія.
date_start
(обов’язково)назва поля запису, що містить дату початку події
date_stop
назва поля запису, що містить кінцеву дату для події, якщо вказано
date_stop
записи стають переміщуваними (через перетягування) безпосередньо в календаріdate_delay
альтернатива
date_stop
, надає тривалість події замість її кінцевої дати (одиниця: день)color
назва поля запису для кольорової сегментації. Записи в одному кольоровому сегменті виділяються однаковим кольором виділення в календарі, кольори розподіляються напів-випадково. Відображено display_name/avatar видимого запису на бічній панелі
form_view_id
перегляд, який відкривається, коли користувач створює або редагує подію. Зауважте, що якщо цей атрибут не встановлено, перегляд календаря повернеться до ідентифікатора перегляду форми в поточній дії, якщо такий є.
event_open_popup
Якщо для параметра „event_open_popup“ встановлено значення true, перегляд календаря відкриватиме події (або записи) у вікні FormViewDialog. В іншому випадку події відкриються в новому поданні форми (з do_action)
quick_create
enables quick-event creation on click: only asks the user for a
name
(the field to which this values is saved can be controlled throughrec_name
) and tries to create a new event with just that and the clicked event time. Falls back to a full form dialog if the quick creation failsquick_create_view_id
View to open when the attribute
quick_create
is set and the user creates an event instead of the default dialog.create_name_field
name of the record’s field holding the textual representation of the record, this is used when creating records through the „quick create“ mechanism
all_day
назва логічного поля в записі, яке вказує, чи позначено відповідну подію як денну (і тривалість не має значення)
mode
Режим відображення за замовчуванням під час завантаження календаря. Можливі атрибути:
день
,тиждень
,місяць
,рік
scales
Розділений комами список шкал, які потрібно надати. За замовчуванням доступні всі масштаби. Перегляньте режим для можливих значень масштабу.
create
,delete
дозволяє вимкнути відповідну дію в поданні, встановивши для відповідного атрибута значення
false
<field>
оголошує поля для агрегування або використання в logic канбану. Якщо поле просто відображається в календарних картках.
Поля можуть мати додаткові атрибути:
invisible
використовуйте «True», щоб приховати значення в картках
avatar_field
лише для поля x2many, щоб відображати аватар замість display_name у картках
write_model
andwrite_field
andfilter_field
you can add a filter and save the result in the defined model, the filter is added in the sidebar. The
filter_field
is optional and allows you to specify the field that will hold the status of the filter.filters
andcolor
використовуйте «True», щоб додати це поле у фільтр на бічній панелі. Ви можете вказати поле
color
для розфарбовування прапорця.
Model Commons¶
- Model._date_name = 'date'
поле для представлення календаря за замовчуванням
Активність¶
The Activity view is used to display the activities linked to the records. The
data are displayed in a chart with the records forming the rows and the activity
types the columns. The first cell of each row displays a (customizable, see
templates
, quite similarly to Канбан) card representing
the corresponding record. When clicking on others cells, a detailed description
of all activities of the same type for the record is displayed.
Попередження
Перегляд активності доступний, лише коли встановлено модуль mail
, а також для моделей, які успадковують mail.activity.mixin
.
Кореневим елементом представлення активності є <activity>
, він приймає такі атрибути:
string
(обов’язковий)Заголовок, який повинен описувати вигляд
Можливі нащадки елемента view:
field
оголошує поля для використання в logic активності. Якщо поле просто відображається у вікні активності, його не потрібно попередньо декларувати.
Можливі атрибути:
name
(обов’язково)назва поля для отримання
templates
визначає шаблони Шаблони QWeb. Визначення карток можна розділити на кілька шаблонів для ясності, але представлення активності повинні визначати принаймні один кореневий шаблон
activity-box
, який буде відтворено один раз для кожного запису.The activity view uses mostly-standard javascript qweb and provides the following context variables (see Канбан for more details):
widget
поточний
ActivityRecord()
можна використовувати для отримання деякої мета-інформації. Ці методи також доступні безпосередньо в контексті шаблону, і до них не потрібно звертатися черезwidget
record
об’єкт з усіма запитаними полями як його атрибутами. Кожне поле має два атрибути
value
іraw_value
Когорта¶
Enterprise featureПерегляд когорти використовується для відображення та розуміння того, як деякі дані змінюються протягом певного періоду часу. Наприклад, уявіть, що для певного бізнесу клієнти можуть підписатися на певну послугу. Когортний перегляд може відображати загальну кількість підписок щомісяця та вивчати швидкість, з якою клієнт залишає службу (відтік). Якщо клацнути комірку, перегляд когорти перенаправить вас до нової дії, у якій ви побачите лише записи, що містяться в інтервалі часу комірки; ця дія містить подання списку та подання форми.
Примітка
За замовчуванням когортне подання використовуватиме ті самі подання списку та форми, які визначено в дії. Ви можете передати подання списку та подання форми в контекст дії, щоб установити/замінити подання, які використовуватимуться (контекстні ключі для використання: form_view_id
і list_view_id
)
Наприклад, ось дуже простий перегляд когорти:
<cohort string="Subscription" date_start="date_start" date_stop="date" interval="month"/>
Кореневим елементом перегляду когорти є <cohort>, він приймає такі атрибути:
string
(обов’язковий)Заголовок, який повинен описувати вигляд
date_start
(обов’язковий)Правильне поле дати або часу. Це поле вважається датою початку запису
date_stop
(обов’язковий)Правильне поле дати або часу. Це поле сприймається представленням як кінцева дата запису. Це поле, яке визначатиме відтік.
disable_linking
(optional)Set to
1
to prevent from redirecting clicks on cohort cells to list view.mode
(необов’язковий)Рядок для опису режиму. Це має бути або „відтік“, або „утримання“ (за замовчуванням). Режим відтоку почнеться з 0% і накопичуватиметься з часом, тоді як утримання почнеться зі 100% і з часом зменшуватиметься.
timeline
(необов’язково)Рядок для опису шкали часу. Це має бути „зворотна“ або „пряма“ (за замовчуванням). Пряма шкала часу відображатиме дані від date_start до date_stop, тоді як зворотна часова шкала відображатиме дані від date_stop до date_start (якщо date_start у майбутньому / більше, ніж date_stop).
interval
(необов’язковий)Рядок для опису інтервалу часу. Це має бути „день“, „тиждень“, „місяць“ (за замовчуванням) або „рік“.
measure
(необов’язковий)Поле, яке можна агрегувати. Це поле використовуватиметься для обчислення значень для кожної клітинки. Якщо не встановлено, перегляд когорти підраховуватиме кількість випадків.
<field>
(необов’язково)дозволяє вказати конкретне поле, щоб керувати ним із доступних вимірювань, його основне використання полягає в тому, щоб приховати поле від вибраних вимірювань:
name
(обов’язково)назва поля для використання у вигляді.
string
(необов’язковий)назва, яке використовуватиметься для відображення поля в когортному представленні, замінює стандартний атрибут Python String поля.
invisible
(необов’язково)if true, the field will not appear either in the active measures nor in the selectable measures (useful for fields that do not make sense aggregated, such as fields in different units, e.g. € and $). If the value is a domain, the domain is evaluated in the context of the current row’s record, if
True
the corresponding attribute is set on the cell.
- odoo.addons.base.models.ir_ui_view.sample
Whether the view should be populated with a set of sample records if none are found for the current model.
These fake records have heuristics for certain field names/models. For example, a field
display_name
on the modelres.users
will be populated with sample people names, while anemail
field will be in the formfirstname.lastname@sample.demo
.The user is unable to interact with these data, and they will be discarded as soon as an action is performed (record created, column added, etc.).
- Requirement
Optional
- тип
- Default
False
Grid¶
Enterprise featureLimitations¶
This view is a work in progress and may have to be expanded or altered.
only
date
column fields have been tested,selection
andmany2one
are nominally implemented and supported but have not been tested,datetime
is not implemented at all.column cells are hardly configurable and must be numerical
cell adjustment is disabled by default and must be configured to be enabled
create
,edit
anddelete
ACL metadata doesn’t get automatically set on the view root due to limitations infields_view_get
post-processing (there’s a fixed explicit list of the view types getting those attributes)
Schema¶
The grid view has its own schema and additional validation in this module. The view architecture is:
<grid>
(1)architecture root element
mandatory
string
attributeoptional
create
,edit
anddelete
attributesoptional
adjustment
andadjust_name
attributesadjustment
can be eitherobject
oraction
to indicate whether a cell’s adjustment should be performed through a method call or an action execution.adjust_name
provides respectively the method name and the action id.In both cases, the adjustment parameters are provided as a
grid_adjust
context member, in theobject
case, the parameters are also provided as positional function parameters (next to an empty list of ids):row_domain
the domain matching the entire row of the adjusted cell
column_field
the name of the column for the adjusted cell
column_value
the value of the column for the adjusted cell
cell_field
the measure field of the adjusted cell
change
the difference between the old value of the cell and the adjusted one, may be positive or negative
optional
hide_line_total
andhide_column_total
attributeshide_line_total
set to true to hide total line (default false)
hide_column_total
set to true to hide total column (default false)
optional
barchart_total
attributebarchart_total
set to
true
in order to display a bar chart at the bottom of the grid, based on the totals of the columns (default false).
optional
create_inline
anddisplay_empty
attributescreate_inline
set to
true
in order to display an additional row at bottom of the grid with anAdd a line
button (default false). When this option is set totrue
, theAdd a line
button from the control panel is hidden. When no data is available and whendisplay_empty
is not set (so when the help content is displayed), the theAdd a line
button from the control panel is shown in order to let the user create a first record.display_empty
set to
true
in order to keep displaying the grid when there is no data (default false). This can be useful when you want the user to be able to keep track of the current period (as dates are displayed in the columns headers). As a reminder, when no data are present and when this attribute is no set, the help content is displayed instead of the grid.
<button>
(0+)Regular Odoo action buttons, displayed in the view header
mandatory
string
attribute (the button label)mandatory
type
attribute, eitherobject
oraction
Примітка
workflow buttons are not supported
mandatory
name
attribute, either the name of the method to call, or the ID of the action to executeoptional
context
The server callback is provided with all the record ids displayed in the view, either as the ids passed to the method (
object
button) or as the context’sactive_ids
(action
buttons)<field type="row">
(1+)Row grouping fields, will be replaced by the search view’s groupby filter if any.
The order of
row
fields in the view provides their grouping depth: if the first field isschool
and the second isage
the records will be grouped byschool
first and byage
within each school.<field type="col">
(1)Column grouping field.
The col field can contain 0+
<range>
elements which specify customisable column ranges.range
elements have the following mandatory attributesname
can be used to override the default range (the first one by default) through the
grid_range
context valuestring
the range button’s label (user-visible)
span
symbolic name of the span of all columns to display at once in the view, may trigger pagination.
For
date
fields, valid spans are currentlyweek
andmonth
.step
symbolic name of the step between one column and the previous/next
For
date
fields, the only valid span is currentlyday
.
<field type="measure">
(1)Cell field, automatically accumulated (by
read_group
).The measure field can take a
widget
attribute to customise its display.
Server interactions¶
Aside from optional buttons, the grid view currently calls two methods:
read_grid
(provided on all models by the module) returns almost the entirety of the grid’s content as a dict:the row titles is a list of dictionaries with the following keys:
values
(required)this maps to a dictionary with a key per
row
field, the values are always of the form[value, label]
.domain
(required)the domain of any record at the source of this row, in case it’s necessary to copy a record during cell adjustment
the column titles is a list of dictionaries with at least one key:
values
(required)see row title values
domain
(required)see column domain value
current
(optional)boolean, marks/highlights a column
the grid data as a list (of rows) of list (of cells) of cell dicts each with the following keys:
value
the numeric value associated with the cell
domain
the domain matching the cell’s records (should be assumed opaque)
size
the number of records grouped in the cell
readonly
(optional)a boolean indicating that this specific cell should not be client-editable
classes
(optional)a list of classes (as strings) to add on the cell’s container (between the cell’s TD and the cell’s potentially-editable element).
In case of conflicts between this list and the base classes (prefixed with
o_grid_cell_
), the classes in this list are ignored.
Note that the grid data is dense, if querying the database yields no group matching a cell a cell will generate an «empty» cell with default values for required keys.
prev
andnext
which can be either falsy (no pagination) or a context item to merge into the view’s own context toread_grid
the previous or next page, it should be assumed to be opaque
read_grid_domain(field, range)
(provided on al models by the module) returns the domain matching the current configured «span» of the grid. This is also done internally byread_grid
, but can be useful or necessary to call independently to use with separate e.g.search_count
orread_group
.adjust_grid
, for which there currently isn’t a blanket implementation and whose semantics are likely to evolve with time and use cases
Server Hooks¶
read_grid
calls a number of hooks allowing the customisation of its
operations from within without having to override the entire method:
_grid_format_cell(group, cell_field)
converts the output of a read_group (group-by-group) into cells in the format described above (as part of «the grid data»)
_grid_make_empty_cell(row_domain, column_domain, view_domain)
generates an empty version of a cell (if there is no corresponding group)
_grid_column_info(name, range)
generates a ColumnMetadata object based on the column type, storing values either returned directly (as part of
read_grid
) or used query and reformatread_group
intoread_grid
:grouping
the actual grouping field/query for the columns
domain
domain to apply to
read_group
in case the column field is paginated, can be an empty listprev
andnext
context segments which will be sent to
read_grid
for pages before and after the current one. IfFalse
, disables pagination in that directionvalues
column values to display on the «current page», each value is a dictionary with the following keys:
values
dictionary mapping field names to values for the entire column, usually just
name
-> a valuedomain
domain matching this specific column
is_current
True
if the current column should be specifically outlined in the grid,False
otherwiseformat
how to format the values of that column/type from
read_group
formatting toread_grid
formatting (matchingvalues
in ColumnInfo)
ACL¶
if the view is not editable, individual cells won’t be editable
if the view is not creatable, the
Add a Line
button will not be displayed (it currently creates a new empty record)
Context Keys¶
grid_range
selects which range should be used by default if the view has multiple ranges
grid_anchor
if applicable, used as the default anchor of column ranges instead of whatever
read_grid
defines as its default.For date fields, the reference date around which the initial span will be computed. The default date anchor is «today» (in the user’s timezone)
Гант¶
Enterprise featureПредставлення Ганта належним чином відображають діаграми Ганта (для планування).
Кореневим елементом представлень Gantt є <gantt/>
, він не має дочірніх, але може приймати такі атрибути:
- string
string (default:
''
)This view title is displayed only if you open an action that has no name and whose target is „new“ (opening a dialog)
- створити
bool (default:
True
)Вимкнути/увімкнути створення записів у представленні.
- edit
bool (default:
True
)Disable/enable record edition on the view.
- вилучити
bool (default:
True
)Вимкніть/увімкніть видалення запису у представленні через спадне меню Дія.
date_start
(обов’язково)назва поля, що містить дату початку події для кожного запису.
date_stop
(обов’язково)назва поля, що містить кінцеву тривалість події для кожного запису.
dependency_field
name of the
many2many
field that provides the dependency relation between two records. If B depends on A,dependency_field
is the field that allows getting A from B. Both this field anddependency_inverted_field
field are used to draw dependency arrows between pills and reschedule them.dependency_inverted_field
(required ifdependency_field
is provided)name of the
many2many
field that provides the invert dependency relation thandependency_field
. If B depends on A,dependency_inverted_field
is the field that allows getting B from A.color
назва поля, яке використовується для кольору pills відповідно до його значення
decoration-{$name}
python expression that evaluates to a bool
дозволяють змінювати стиль тексту комірки на основі атрибутів відповідного запису.
{$name}
може бути одним із таких bootstrap contextual color (danger
,info
,secondary
,success
абоwarning
).Визначити умовне відображення запису в стилі тексту рядка на основі атрибутів відповідного запису.
Значення є виразами Python. Для кожного запису вираз обчислюється з атрибутами запису як контекстними значеннями, і якщо
true
, до рядка застосовується відповідний стиль. Ось деякі інші значення, доступні в контексті:uid
: id поточного користувача,today
: поточна місцева дата у вигляді рядкаYYYY-MM-DD
,now
: те саме, щоtoday
з додаванням поточного часу. Це значення має форматYYYY-MM-DD hh:mm:ss
.
<gantt decoration-info="state == 'draft'" decoration-danger="state == 'help_needed'" decoration-bf="state == 'busy'"> ... </gantt>
default_group_by
назва поля для групування завдань
disable_drag_drop
якщо встановлено значення true, перегляд ганта не матиме підтримки перетягування та скидання
consolidation
назва поля для відображення значення консолідації в клітинці запису
consolidation_max
словник із полем «групувати за» як ключем і максимальним значенням консолідації, якого можна досягти перед відображенням клітинки червоним кольором (наприклад,
{"user_id": 100}
)consolidation_exclude
назва поля, яке описує, чи потрібно виключити завдання з консолідації, якщо встановлено значення true, у рядку консолідації відображається смугаста зона
create
,cell_create
,edit
,delete
,plan
дозволяє вимкнутивідповідну дію в представленні, встановивши для відповідного атрибута значення
false
(за замовчуванням:true
).create
: якщо ввімкнено, на панелі керування буде доступна кнопкаДодати
для створення записів.cell_create
: якщо ввімкнено таcreate
увімкнено, кнопка «+» відображатиметься під час наведення курсора на клітинку часового інтервалу для створення нового запису в цьому слоті.edit
: якщо ввімкнено, відкриті записи будуть у режимі редагування (тому їх можна буде редагувати).plan
: якщо ввімкнено таedit
, кнопка «збільшувальне скло» відображатиметься на часових інтервалах для планування непризначених записів у цей часовий інтервал.
Example
Якщо ви не бажаєте створювати записи у представленні Ганта, а в моделі потрібні дати початку та завершення, функцію планування слід вимкнути, оскільки жодного запису не буде знайдено.
offset
Залежно від масштабу, кількість одиниць, які потрібно додати до сьогоднішнього дня, щоб обчислити період за умовчанням. Приклади: зсув +1 у default_scale тиждень відкриє перегляд ганта для наступного тижня, а зміщення -2 у default_scale місяць відкриє представлення ганта 2 місяці тому.
progress
назва поля, що містить відсоток завершення для події запису, від 0 до 100
string
назва представлення Ганта
precision
Об’єкт JSON, який визначає точність примикання для pills у кожному масштабі.
Можливі значення для шкали
day
(за замовчуванням:hour
):hour
: записує час, прив’язаний до повних годин (наприклад: 7:12 стає 8:00)hour:half
: запис часу прив’язується до півгодини (наприклад: 7:12 стає 7:30)hour:quarter
: запис часу прив’язується до півгодини (наприклад: 7:12 стає 7:15)
Можливі значення для шкали
week
(за замовчуванням:day:half
):day
: записує час, прив’язаний до повних днів (наприклад, 7:28 стає 23:59:59 попереднього дня, 22:32 стає 12:00 поточного дня)day:half
: записує час до півгодини (наприклад, 7:28 стає 12:00)
Можливі значення для шкали
week
(за замовчуванням:day:half
):day
: записує час, прив’язаний до повних днів (наприклад, 7:28 стає 23:59:59 попереднього дня, 22:32 стає 12:00 поточного дня)day:half
: записує час до півгодини (наприклад, 7:28 стає 12:00)
Шкала
year
завжди прив’язується до повного дня.Приклад атрибута точності:
{"day": "hour:quarter", "week": "day:half", "month": "day"}
total_row
логічне значення, щоб контролювати, чи слід відображати рядок із загальною кількістю записів. (за замовчуванням:
false
)collapse_first_level
логічне значення, щоб контролювати, чи можливо згорнути кожен рядок, якщо згруповано одним полем. (за замовчуванням:
false
, згортання починається при групуванні за двома полями)display_unavailability
логічне значення для позначення дат, повернутих функцією
gantt_unavailability
моделі, як доступних у представленні Ганта. У них ще можна планувати записи, але візуально відображається їх недоступність. (за замовчуванням:false
)default_scale
масштаб за замовчуванням під час візуалізації представлення. Можливі значення (за замовчуванням:
month
):day
week
month
year
scales
розділений комами список допустимих масштабів для цього перегляду. За замовчуванням дозволені всі масштаби. Для можливих значень масштабу для використання в цьому списку перегляньте
default_scale
.templates
визначає Шаблони QWeb шаблон
gantt-popover
, який використовується, коли користувач наводить курсор на один із записів у представленні ганта.Представлення Гант використовує здебільшого стандартний javascript qweb і надає такі контекстні змінні:
widget
поточний
GanttRow()
можна використовувати для отримання певної мета-інформації. МетодgetColor
для перетворення в ціле число кольору також доступний безпосередньо в контексті шаблону без використанняwidget
.on_create
Якщо це вказано під час натискання кнопки Додати в представленні, замість відкриття загального діалогового вікна запускати дію клієнта. тут має міститися xmlid дії (наприклад:
on_create="%(my_module.my_wizard)d"
form_view_id
представлення, яке відкривається, коли користувач створює або редагує запис. Зауважте, що якщо цей атрибут не встановлено, представлення ганта повернеться до ідентифікатора представлення форми в поточній дії, якщо така є.
dynamic_range
якщо встановлено значення true, представлення ганта розпочнеться з першого запису, а не з початку року/місяця/дня.
pill_label
If set to true, the time appears in the pill label when the scale is set on week or month. (e.g.
7:00 AM - 11:00 AM (4h) - DST Task 1
)thumbnails
Це дозволяє відображати мініатюру поруч із назвою групи, якщо група є реляційним полем. Це очікує python dict, які ключі є назвою поля в активній моделі. Значення - це назви полів, що містять мініатюру на пов’язаній моделі.
Приклад: завдання мають поле user_id, яке посилається на res.users. Модель res.users має зображення поля, яке містить аватар, а потім:
<gantt date_start="date_start" date_stop="date_stop" thumbnails="{'user_id': 'image_128'}" > </gantt>
відображатиме аватари користувачів поряд із їхніми іменами, якщо згруповано за user_id.
- odoo.addons.base.models.ir_ui_view.sample
Whether the view should be populated with a set of sample records if none are found for the current model.
These fake records have heuristics for certain field names/models. For example, a field
display_name
on the modelres.users
will be populated with sample people names, while anemail
field will be in the formfirstname.lastname@sample.demo
.The user is unable to interact with these data, and they will be discarded as soon as an action is performed (record created, column added, etc.).
- Requirement
Optional
- тип
- Default
False
Карта¶
Enterprise featureThis view is able to display records on a map and the routes between them. The records are represented by pins. It also allows the visualization of fields from the model in a popup tied to the record’s pin.
Примітка
The model on which the view is applied should contain a res.partner
many2one since the view relies on the res.partner
’s address and coordinates fields to localize the records.
API¶
The view uses location data platforms“ API to fetch the tiles (the map’s background), do the geoforwarding (converting addresses to a set of coordinates) and fetch the routes. The view implements two API, OpenStreetMap and MapBox. OpenStreetMap is used by default and is able to fetch tiles and do geoforwarding. This API does not require a token. As soon as a valid MapBox token is provided in the general settings the view switches to the MapBox API. This API is faster and allows the computation of routes. A token can be obtained by signing up to MapBox.
Структурні компоненти¶
The view’s root element is <map>
. It can have the following attributes:
res_partner
Contains the
res.partner
many2one. If not provided the view resorts to create an empty map.default_order
If a field is provided the view overrides the model’s default order. The field must be part of the model on which the view is applied, not from
res.partner
.routing
if
1
display the routes between the records. The view needs a valid MapBox token and at least two located records (i.e the records have ares.partner
many2one and the partner has an address or valid coordinates).hide_name
if
1
hide the name from the pin’s popup (default:0
).hide_address
if
1
hide the address from the pin’s popup (default:0
).hide_title
if
1
hide the title from the pin list (default:0
).panel_title
String to display as title of the pin list. If not provided, the title is the action’s name or «Items» if the view is not in an action.
limit
Maximum number of records to fetch (default:
80
). It must be a positive integer.
The <map>
element can contain multiple <field>
elements. Each <field>
element is interpreted as a line in the pin’s popup. The field’s attributes are the following:
name
Поле для відображення.
string
String to display before the field’s content. It can be used as a description.
- Наприклад, ось карта:
<map res_partner="partner_id" default_order="date_begin" routing="1" hide_name="1"> <field name="partner_id" string="Customer Name"/> </map>