Шаблони QWeb¶
QWeb є основною системою templating, яку використовує Odoo2. Це система шаблонів XML1, яка використовується переважно для генерування HTML фрагментів і сторінок.
Директиви шаблону вказуються як XML-атрибути з префіксом t-
, наприклад t-if
для Умовні, з елементами та іншими атрибутами, які відображаються безпосередньо.
Щоб уникнути візуалізації елемента, також доступний елемент-заповнювач <t>
, який виконує свою директиву, але не генерує жодного виводу сам по собі:
<t t-if="condition">
<p>Test</p>
</t>
призведе до:
<p>Test</p>
якщо condition
true, але:
<div t-if="condition">
<p>Test</p>
</div>
призведе до:
<div>
<p>Test</p>
</div>
Виведення даних¶
QWeb’s output directive out
will automatically HTML-escape its input,
limiting XSS risks when displaying user-provided content.
out
takes an expression, evaluates it and injects the result in the document:
<p><t t-out="value"/></p>
відтворено зі значенням value
встановленим на 42
дає:
<p>42</p>
See Advanced Output for more advanced topics (e.g. injecting raw HTML, etc…).
Умовні¶
QWeb має умовну директиву if
, яка обчислює вираз, поданий як значення атрибута:
<div>
<t t-if="condition">
<p>ok</p>
</t>
</div>
Елемент відображається, якщо умова - true:
<div>
<p>ok</p>
</div>
але якщо умова - false, вона видаляється з результату:
<div>
</div>
Умовне відображення застосовується до носія директиви, яка не обов’язково має бути <t>
:
<div>
<p t-if="condition">ok</p>
</div>
дасть ті самі результати, що й попередній приклад.
Також доступні додаткові директиви умовного розгалуження t-elif
і t-else
:
<div>
<p t-if="user.birthday == today()">Happy birthday!</p>
<p t-elif="user.login == 'root'">Welcome master!</p>
<p t-else="">Welcome!</p>
</div>
Повторення¶
QWeb має директиву ітерації foreach
, яка приймає вираз, що повертає колекцію для ітерації, і другий параметр t-as
, що надає назву для використання для «поточного елемента» ітерації:
<t t-foreach="[1, 2, 3]" t-as="i">
<p><t t-out="i"/></p>
</t>
буде представлено як:
<p>1</p>
<p>2</p>
<p>3</p>
Як і умови, foreach
застосовується до елемента, що несе атрибут директиви, і
<p t-foreach="[1, 2, 3]" t-as="i">
<t t-out="i"/>
</p>
еквівалентний попередньому прикладу.
foreach
може повторювати масив (поточний елемент буде поточним значенням) або відображення (поточний елемент буде поточним ключем). Ітерація цілого числа (еквівалентна ітерації масиву від 0 включно до наданого виняткового цілого числа) все ще підтримується, але не підтримується.
На додаток до імені, переданого через t-as
, foreach
надає кілька інших змінних для різних точок даних:
Попередження
$as
буде замінено іменем, переданим t-as
$as_all
(застаріле)об’єкт, який повторюється
Примітка
Ця змінна доступна лише на JavaScript QWeb, а не на Python.
$as_value
поточне значення ітерації, ідентичне
$as
для списків і цілих чисел, але для відображень воно надає значення (де$as
надає ключ)$as_index
індекс поточної ітерації (перший елемент ітерації має індекс 0)
$as_size
розмір колекції, якщо вона доступна
$as_first
чи є поточний елемент першим у ітерації (еквівалентно
$as_index == 0
)$as_last
чи є поточний елемент останнім у ітерації (еквівалентно
$as_index + 1 == $as_size
), вимагає наявності розміру ітерованого$as_parity
(застаріле)або
"even"
або"odd"
, парність поточного циклу ітерації$as_even
(застаріле)логічний прапор, який вказує, що поточний раунд ітерації має парний індекс
$as_odd
(застаріле)логічний прапор, який вказує, що поточний раунд ітерації має парний індекс
Ці надані додаткові змінні та всі нові змінні, створені в foreach
, доступні лише в області foreach
. Якщо змінна існує поза контекстом foreach
, значення копіюється в кінці foreach у глобальний контекст.
<t t-set="existing_variable" t-value="False"/>
<!-- existing_variable now False -->
<p t-foreach="[1, 2, 3]" t-as="i">
<t t-set="existing_variable" t-value="True"/>
<t t-set="new_variable" t-value="True"/>
<!-- existing_variable and new_variable now True -->
</p>
<!-- existing_variable always True -->
<!-- new_variable undefined -->
атрибути¶
QWeb може обчислювати атрибути на льоту та встановлювати результат обчислення на вихідному вузлі. Це робиться за допомогою директиви t-att
(атрибут), яка існує в 3 різних формах:
t-att-$name
створюється атрибут під назвою
$name
, значення атрибута оцінюється, а результат встановлюється як значення атрибута:<div t-att-a="42"/>
буде представлено як:
<div a="42"></div>
t-attf-$name
те саме, що й попередній, але параметр є формат рядка, а не просто виразом, часто корисним для змішування літерального та нелітерального рядків (наприклад, класів):
<t t-foreach="[1, 2, 3]" t-as="item"> <li t-attf-class="row {{ (item_index % 2 === 0) ? 'even' : 'odd' }}"> <t t-out="item"/> </li> </t>
буде представлено як:
<li class="row even">1</li> <li class="row odd">2</li> <li class="row even">3</li>
Порада
There are two equivalent syntaxes for format strings:
"plain_text {{code}}"
(aka jinja-style) and"plain_text #{code}"
(aka ruby-style).t-att=mapping
якщо параметр є відображенням, кожна пара (ключ, значення) генерує новий атрибут і його значення:
<div t-att="{'a': 1, 'b': 2}"/>
буде представлено як:
<div a="1" b="2"></div>
t-att=pair
якщо параметр є парою (кортежем або масивом із 2 елементів), перший елемент пари - назва атрибута, а другий - значення:
<div t-att="['a', 'b']"/>
буде представлено як:
<div a="b"></div>
налаштування змінних¶
QWeb дозволяє створювати змінні з шаблону, запам’ятовувати обчислення (використовувати його кілька разів), давати фрагменту даних чіткішу назву, …
Це робиться за допомогою директиви set
, яка приймає назву змінної для створення. Значення для встановлення можна надати двома способами:
атрибут
t-value
, що містить вираз, і результат його оцінки буде встановлено:<t t-set="foo" t-value="2 + 1"/> <t t-out="foo"/>
надрукує
3
якщо атрибут
t-value
відсутній, тіло вузла відображається та встановлюється як значення змінної:<t t-set="foo"> <li>ok</li> </t> <t t-out="foo"/>
виклик підшаблонів¶
Шаблони QWeb можна використовувати для візуалізації верхнього рівня, але їх також можна використовувати з іншого шаблону (щоб уникнути дублювання або надати імена частинам шаблонів) за допомогою директиви t-call
:
<t t-call="other-template"/>
Це викликає названий шаблон із контекстом виконання батьківського, якщо other_template
визначено як:
<p><t t-value="var"/></p>
виклик вище буде відображено як <p/>
(без вмісту), але:
<t t-set="var" t-value="1"/>
<t t-call="other-template"/>
буде відображено як <p>1</p>
.
However, this has the problem of being visible from outside the t-call
.
Alternatively, content set in the body of the call
directive will be
evaluated before calling the sub-template, and can alter a local context:
<t t-call="other-template">
<t t-set="var" t-value="1"/>
</t>
<!-- "var" does not exist here -->
Тіло директиви call
може бути як завгодно складним (не тільки директиви ``set
), і її відтворена форма буде доступна в шаблоні виклику як магічна змінна 0
:
<div>
This template was called with content:
<t t-out="0"/>
</div>
називається так:
<t t-call="other-template">
<em>content</em>
</t>
призведе до:
<div>
This template was called with content:
<em>content</em>
</div>
Advanced Output¶
By default, out
should HTML-escape content which needs to be escaped,
protecting the system against XSS
Content which does not need to be escaped will instead be injected as-is in the document, and may become part of the document’s actual markup.
The only cross-platform «safe» content is the output of
t-call or a t-set
used with a «body» (as opposed to t-value
or t-valuef
).
Python¶
Usually you should not have to care too much: APIs for which it makes sense should generate «safe» content automatically, and things should work transparently.
For the cases where things need to be clearer though the following APIs output safe content which will by default not be (re-)escaped when injected into templates:
html_escape()
andmarkupsafe.escape()
(they are aliases, and have no risk of double-escaping).html_sanitize()
.markupsafe.Markup
.Попередження
markupsafe.Markup
is an unsafe API, it’s an assertion that you want the content to be markup-safe but necessarily can not check that, it should be used with care.to_text()
does not mark the content as safe, but will not strip that information from safe content.
forcing double-escaping¶
If content is marked as safe but for some reason needs to be escaped anyway
(e.g. printing the markup of an HTML fields), it can just be converted back
to a normal string to «strip» the safety flag e.g. str(content)
in Python and
String(content)
in Javascript.
Примітка
Because Markup
is a much richer type than
Markup()
, some operations will strip the safety information from
a Markup()
but not a Markup
e.g. string
concatenation ('' + content
) in Python will result in a
Markup
with the other operand having been properly
escaped, while in Javascript will yield a String()
where the
other operand was not escaped before the concatenation.
Deprecated output directives¶
esc
An alias for
out
, would originally HTML-escape its input. Not yet formally deprecated as the only difference betweenout
andesc
is that the latter is a bit unclear / incorrect.raw
A version of
out
which never escapes its content. Content is emitted as-is, whether it’s safe or not.Застаріло починаючи з версії 15.0: Use
out
with amarkupsafe.Markup
value instead.t-raw
was deprecated because as the code producting the content evolves it can be hard to track that it’s going to be used for markup, leading to more complicated reviews and more dangerous lapses.
Python¶
Ексклюзивні директиви¶
Пакети активів¶
форматування полів «розумних записів»¶
Директиву t-field
можна використовувати лише під час виконання доступу до поля (a.b
) для «розумного» запису (результат методу browse
). Він здатний автоматично форматувати на основі типу поля та інтегрований у редагування форматованого тексту веб-сайту.
t-options
можна використовувати для налаштування полів, найпоширенішим варіантом є widget
, інші параметри залежать від полів або віджетів.
Налагодження¶
t-debug
with an empty value, invokes the
breakpoint()
builtin function, which usually invokes a debugger (pdb
by default).The behaviour can be configured via
PYTHONBREAKPOINT
orsys.breakpointhook()
.
Rendering cache:¶
t-cache="key_cache"
tags part of template to be cached at rendering time.
Every sub-directives will be call only during the first rendering. It means
that the sql queries excecuted during the rendering of those sub-directives
are also done only once.
t-nocache="documentation"
tags part of template to be render every time.
The content can only use the root values.
Why and when to use t-cache
?¶
This directive is used to speed up the rendering, by caching parts of the final
document, which may save queries to the database. However, it should be used
sparingly, as t-cache
will inevitably complicate templates (and their
understanding of t-set
for example).
However, in order to actually save database queries, it might be necessary to render the template with values that are evaluated lazily. If those lazy values are used in a cached part, they will not be evaluated if the part is available in cache.
The t-cache
directive is useful for template parts using values that depend
on a limited amount of data. We recommend to analyze the rendering of the
template with the profiler (by activating the «Add qweb directive context»
option). Passing lazy values to the rendering in controllers allow you to
display the directives using these values and triggering the queries.
A concern of using such a cache are making it available to different users
(different users should render the cached parts the same way). Another
potential issue is to invalidate its entries when necessary. For the latter,
the key expression should be chosen wisely. Using the write_date
of a
recordset can make a cache key out-of-date without having to discard it
explicitly from the cache, for instance.
One should also pay attention to the fact that the values in t-cache
parts
are scoped. This implies that if there are t-set
directives in this part of
the template, the rendering of what comes after it could be different than if
there was no t-cache
directive.
What if there is a t-cache
inside a t-cache
?¶
The parts are cached. Each containing only the string corresponding to its
rendering. Thus, the t-cache
inside will probably be read less often, its
cache key will not necessarily be used. If this must be the case, then you may
need to add a t-nocache
(on the same node or a parent).
What is t-nocache
used for?¶
If you want to cache part of a template with t-cache
but a small piece must
remain dynamic and be evaluated at cache times. However, the part in
t-nocache
will not have access to the t-set
value of the template. Only
the values provided by the controller are accessible there.
For example, the menu is cached because it’s the same all the time and takes
time to render (using the performance devtools with the qweb context lets you
investigate). However, in the menu, we want the ecommerce cart to be always up
to date. So there is a t-nocache
to keep this part dynamic.
The base of t-cache
¶
The t-cache
directive allows you to store the rendered result of a template.
The key expression (eg 42: t-cache="42"
) will be evaluated as a python
expression. This will be used to generate the cache key. So there can be
different cache values (cached render part) for the same template part. If
the key expression is a tuple or a list, it will be searched when generating
the cache key. If one or more recordsets are returned by the key
expression, then the model, ids and their corresponding write_date will be
used to generate the cache key. Special case: If the key expression
returns a Falsy value, then the content will not be cached.
Приклад:
<div t-cache="record,bool(condition)">
<span t-if="condition" t-field="record.partner_id.name">
<span t-else="" t-field="record.partner_id" t-options-widget="contact">
</div>
In this case, there may be values (string) in the cache corresponding to each record already returned with a true condition, as well as for the false condition. And if a module modifies the record, the write_date being modified, the cached value is discarded.
t-cache
and scoped values (t-set
, t-foreach
…)¶
Values in t-cache
are scoped, this involves a change in behavior between
having or not having t-cache
on one of the parent nodes. Don’t forget to
take into account that Odoo uses a lot of templates, t-call
and view
inheritance. Adding a t-cache
can therefore modify the rendering of a
template that you do not see when editing.
(t-foreach
it’s like a t-set
for each iteration)
Приклад:
<div>
<t t-set="a" t-value="1"/>
<inside>
<t t-set="a" t-value="2"/>
<t t-out="a"/>
</inside>
<outside t-out="a"/>
<t t-set="b" t-value="1"/>
<inside t-cache="True">
<t t-set="b" t-value="2"/>
<t t-out="b"/>
</inside>
<outside t-out="b"/>
</div>
Will render:
<div>
<inside>2</inside>
<outside>2</inside>
<inside>2</inside>
<outside>1</inside>
</div>
The base of t-nocache
¶
The template part contained in a node with a t-nocache
attribute is not
cached. This content is therefore dynamic and is rendered systematically.
However the available values are those provided by the controller (when
calling the _render
method).
Приклад:
<section>
<article t-cache="record">
<title><t t-out="record.name"/> <i t-nocache="">(views: <t t-out="counter"/>)</i></titlle>
<content t-out="record.description"/>
</article>
</section>
Will render (counter = 1):
<section>
<article>
<title>The record name <i>(views: 1)</i></titlle>
<content>Record description</content>
</article>
</section>
Here the <i>
tag that contains the container will always be rendered. While
the rest is as a single string in the cache.
t-nocache
and scoped root values (t-set
, t-foreach
…)¶
The contents of the t-nocache
tag can be used for documentation and to
explain why the directive is added.
The values are scoped into t-nocache
, these values are root values only
(values provided by the controller and/or when calling the _render
method
of ir.qweb
). t-set
can be done in the template part, but will not be
available elsewhere.
Приклад:
<section>
<t t-set="counter" t-value="counter * 10"/>
<header t-nocache="">
<t t-set="counter" t-value="counter + 5"/>
(views: <t t-out="counter"/>)
</header>
<article t-cache="record">
<title><t t-out="record.name"/> <i t-nocache="">(views: <t t-out="counter"/>)</i></titlle>
<content t-out="record.description"/>
</article>
<footer>(views: <t t-out="counter"/>)</footer>
</section>
Will render (counter = 1):
<section>
<header>
(views: 6)
</header>
<article>
<title>The record name <i>(views: 1)</i></titlle>
<content>Record description</content>
</article>
<footer>(views: 10)</footer>
</section>
Here the <i>
tag that contains the container will always be rendered. While
the rest is as a single string in the cache. The counter is not updated by the
t-set
out of the t-nocache
t-nocache-*
add some primitive values in the cache¶
In order to be able to use values generated in the template, it is possible to
cache them. The directive is used as t-nocache-*="expr"
where *
is the
name of the chosen value and expr
the python expression so the result will
be cached. The cached value must be primitive type.
Приклад:
<section t-cache="records">
<article t-foreach="records" t-as="record">
<header>
<title t-field="record.get_method_title()"/>
</header>
<footer t-nocache="This part has a dynamic counter and must be rendered all the time."
t-nocache-cached_value="record.get_base_counter()">
<span t-out="counter + cached_value"/>
</footer>
</article>
</section>
The value cached_value
is cached with the cached template part of
t-cache="records"
and add to the scoped root values each time.
Помічники¶
На основі запитів¶
Most Python-side uses of QWeb are in controllers (and during HTTP requests),
in which case templates stored in the database (as
views) can be trivially rendered by calling
odoo.http.HttpRequest.render()
:
response = http.request.render('my-template', {
'context_value': 42
})
Це автоматично створює об’єкт Response
, який можна повернути з контролера (або додатково налаштувати відповідно до нього).
На основі представлення¶
At a deeper level than the previous helper is the _render
method on
ir.qweb
(use the datable) and the public module method render
(don’t use the database):
- _render(id[, values])¶
Renders a QWeb view/template by database id or external id. Templates are automatically loaded from
ir.qweb
records._prepare_environment
method sets up a number of default values in the rendering context. Thehttp_routing
andwebsite
addons, also default values they need. You can useminimal_qcontext=False
option to avoid this default value like the public methodrender
:request
the current
Request
object, if anydebug
чи поточний запит (якщо є) знаходиться в режимі
debug
quote_plus
функція утиліти кодування url
json
відповідний модуль стандартної бібліотеки
time
відповідний модуль стандартної бібліотеки
datetime
відповідний модуль стандартної бібліотеки
- relativedelta
переглянути модуль
keep_query
допоміжна функція
keep_query
- Параметри
values – значення контексту для передачі в QWeb для візуалізації
engine (str) – ім’я моделі Odoo для використання для рендерингу, можна використовувати для локального розширення або налаштування QWeb (шляхом створення «нового» qweb на основі
ir.qweb
зі змінами)
- render(template_name, values, load, **options)¶
load(ref)()
returns etree object, ref
Javascript¶
Ексклюзивні директиви¶
Визначення шаблонів¶
Директиву t-name
можна розмістити лише на верхньому рівні файлу шаблону (направляти дітей до кореня документа):
<templates>
<t t-name="template-name">
<!-- template code -->
</t>
</templates>
Він не приймає інших параметрів, але може використовуватися з елементом <t>
або будь-яким іншим. З елементом <t>
елемент <t>
повинен мати єдиного дочірнього елемента.
Назва шаблону - це довільний рядок, хоча, коли кілька шаблонів пов’язано (наприклад, підшаблони), прийнято використовувати розділені крапками імена для позначення ієрархічних зв’язків.
Спадкування шаблонів¶
- Успадкування шаблону використовується для:
Змінювати існуючі шаблони на місці, напр. щоб додати інформацію до шаблонів
- створені іншими модулями.
Створіть новий шаблон із заданого батьківського шаблону
- Успадкування шаблону виконується за допомогою двох директив:
t-inherit
, це назва шаблону для успадкування,t-inherit-mode
, який є поведінкою успадкування: його можна встановити якprimary
, щоб створити новий дочірній шаблон із батьківського, абоextension
, щоб змінити батьківський шаблон на місці.
Також можна вказати необов’язкову директиву t-name
. Це буде назваою новоствореного шаблону, якщо він використовується в основному режимі, інакше його буде додано як коментар до перетвореного шаблону, щоб допомогти відстежити успадкування.
Для самого успадкування зміни вносяться за допомогою директив xpaths. Перегляньте документацію XPATH, щоб отримати повний набір доступних інструкцій.
Первинне успадкування (дочірній шаблон):
<t t-name="child.template" t-inherit="base.template" t-inherit-mode="primary">
<xpath expr="//ul" position="inside">
<li>new element</li>
</xpath>
</t>
Спадкування розширення (перетворення на місці):
<t t-inherit="base.template" t-inherit-mode="extension">
<xpath expr="//tr[1]" position="after">
<tr><td>new cell</td></tr>
</xpath>
</t>
Старий механізм успадкування (застарілий)¶
Успадкування шаблону виконується за допомогою директиви t-extend
, яка приймає назву шаблону, який потрібно змінити, як параметр.
Директива t-extend
діятиме як первинне успадкування в поєднанні з t-name
і як розширення, якщо використовується окремо.
В обох випадках зміна виконується за допомогою будь-якої кількості піддиректив t-jquery
:
<t t-extend="base.template">
<t t-jquery="ul" t-operation="append">
<li>new element</li>
</t>
</t>
Директиви t-jquery
використовують селектор CSS. Цей селектор використовується в розширеному шаблоні для вибору контекстних вузлів, до яких застосована вказана t-операція
:
append
тіло вузла додається в кінці вузла контексту (після останнього дочірнього вузла контексту)
prepend
тіло вузла додається до контекстного вузла (вставляється перед першим дочірнім елементом контекстного вузла)
before
тіло вузла вставляється безпосередньо перед вузлом контексту
after
тіло вузла вставляється безпосередньо перед вузлом контексту
inner
тіло вузла замінює дочірніх елементів контекстного вузла
replace
тіло вузла використовується для заміни самого вузла контексту
attributes
тіло вузла має бути будь-якою кількістю елементів
attribute
, кожен з атрибутомname
і деяким текстовим вмістом, іменований атрибут вузла контексту буде встановлено на вказане значення (або замінено, якщо воно вже існувало або додано, якщо ні)- Без операції
якщо
t-operation
не вказана, тіло шаблону інтерпретується як код javascript і виконується з контекстним вузлом якthis
Попередження
хоча цей режим набагато потужніший за інші операції, він також набагато важчий для налагодження та підтримки, рекомендується уникати його
налагодження¶
Реалізація javascript QWeb надає кілька гачків для налагодження:
t-log
приймає параметр виразу, обчислює вираз під час візуалізації та записує його результат за допомогою
console.log
:<t t-set="foo" t-value="42"/> <t t-log="foo"/>
виведе
42
на консольt-debug
запускає точку зупину налагоджувача під час візуалізації шаблону:
<t t-if="a_test"> <t t-debug=""/> </t>
зупинить виконання, якщо налагодження активне (точна умова залежить від браузера та його інструментів розробки)
t-js
тіло вузла - це код javascript, який виконується під час візуалізації шаблону. Приймає параметр
context
, який є назвою, під якою контекст візуалізації буде доступний у тіліt-js
:<t t-set="foo" t-value="42"/> <t t-js="ctx"> console.log("Foo is", ctx.foo); </t>
Помічники¶
- core.qweb¶
(ядро - це модуль
web.core
) ЕкземплярQWeb2.Engine()
із завантаженими всіма визначеними модулем файлами шаблонів і посиланнями на стандартні допоміжні об’єкти_
(підкреслення),_t
(функція перекладу) і JSON.core.qweb.render
можна використовувати для легкого відтворення основних шаблонів модулів
API¶
- class QWeb2.Engine()¶
«Рендеринг» QWeb обробляє більшість логіки QWeb (завантаження, аналіз, компіляція та візуалізація шаблонів).
Odoo Web створює екземпляр для користувача в основному модулі та експортує його до
core.qweb
. Він також завантажує всі файли шаблонів різних модулів у цей екземпляр QWeb.QWeb2.Engine()
також служить «простором назв шаблону».- QWeb2.Engine.QWeb2.Engine.render(template[, context])¶
Відтворює попередньо завантажений шаблон у рядок, використовуючи
context
(якщо надається) для пошуку змінних, до яких звертаються під час відтворення шаблону (наприклад, рядки для відображення).- Аргументи
template (
String()
) – назва шаблону для візуалізаціїcontext (
Object()
) – основний простір назв для відтворення шаблону
- Повертає
рядок
Механізм надає інший метод, який може бути корисним у деяких випадках (наприклад, якщо вам потрібен окремий простір імен шаблону з, в Odoo Web, представлення Kanban отримують власний екземпляр
QWeb2.Engine()
, тому їх шаблони не стикаються з більш загальними шаблонами «модулів»):- QWeb2.Engine.QWeb2.Engine.add_template(templates)¶
Завантажує файл шаблону (набір шаблонів) в примірник QWeb. Шаблони можна вказати як:
- Рядок XML
QWeb спробує розібрати його до документа XML, а потім завантажити.
- URL
QWeb спробує завантажити вміст URL-адреси, а потім завантажити отриманий рядок XML.
Документ
абоВузол
QWeb пройде перший рівень документа (дочірні вузли наданого кореня) і завантажить будь-який названий шаблон або перевизначення шаблону.
QWeb2.Engine()
також надає різні атрибути для налаштування поведінки:- QWeb2.Engine.QWeb2.Engine.prefix¶
Префікс, який використовується для розпізнавання директив під час аналізу. Рядок. За замовчуванням
t
.
- QWeb2.Engine.QWeb2.Engine.debug¶
Логічний прапор, що переводить движок у «режим налагодження». Зазвичай QWeb перехоплює будь-яку помилку, яка виникає під час виконання шаблону. У режимі налагодження він залишає всі винятки проходити без їх перехоплення.
- QWeb2.Engine.QWeb2.Engine.jQuery¶
Екземпляр jQuery, який використовується під час обробки успадкування шаблону. За замовчуванням
window.jQuery
.
- QWeb2.Engine.QWeb2.Engine.preprocess_node¶
Функція
. Якщо є, викликається перед компіляцією кожного вузла DOM у код шаблону. В Odoo Web це використовується для автоматичного перекладу текстового вмісту та деяких атрибутів у шаблонах. За замовчуваннямnull
.