際際滷

際際滷Share a Scribd company logo
How to Create & Manage
a Dashboard Using OWL
in Odoo 17
Enterprise
Introduction
Enterprise
A dashboard in Odoo is a user interface feature that provides a visual
overview of key performance indicators (KPIs), metrics, and important data
points relevant to a business. Dashboards are designed to present this
information in an easy-to-read format, often using charts, graphs, and
tables, to help users quickly assess the state of their business and make
informed decisions.
For the comprehensive data from the modules of Odoo, the use of
dashboard is really important to show only the brief and precise data as
reports in a single click
Enterprise
Dashboards are created and managed in Odoo 17 using Client actions
which involves a combination of XML and JavaScript to define custom
behavior and visualizations. Heres a step-by-step guide to creating a
custom dashboard using client actions:
 Define the Client Action in xml
 Create a Menu Item to access your custom dashboard
 Implement the client action using JavaScript which defines how
the dashboard is loaded and displayed
 Create the dashboard view in XML which will define the layout and
elements of the dashboard.
Enterprise
We can create a custom module named dashboard_custom to show
the count of purchase orders in different states. The xml code to create
the client action and the new menu is as
<?xml version="1.0" encoding="UTF-8" ?>
<odoo>
<!--Client action for dashboard-->
<record id="action_dashboard_purchase" model="ir.actions.client">
<field name="name">Purchase</field>
<field name="tag">purchase_dashboard</field>
</record>
<menuitem id="menu_purchase_dashboard" name="Dashboard"
action="action_dashboard_purchase"
sequence="-1"/>
</odoo>
The client action is defined with the tag attribute as purchase_dashboard. It is
with this tag we need to define the javascript and add it in the registry.
The menu is created without any parent, so it will be shown with the Odoos
default icon and will be named as Dashboard
Enterprise
And the menu will be shown as :
Enterprise
Now create a template in the path static/src/dashboard/purchase_dashboard.xml.
<?xml version="1.0" encoding="UTF-8" ?>
<templates xml:space="preserve">
<div t-name="purchase_dashboard.PurchaseDashboard" owl="1" class="">
<PurchaseCard
purchase_order_count="purchase_order_count.all_purchase_order"
rfq="purchase_order_count.rfq"
rfq_sent="purchase_order_count.rfq_sent"
to_approve="purchase_order_count.to_approve"
purchase="purchase_order_count.purchase"
done="purchase_order_count.done"
cancel="purchase_order_count.cancel"/>
</div>
</templates>
Enterprise
For the model purchase. order define the function get_purchase_order_count() to fetch
the data from the backend.
The Python code will be
from odoo import api, models
class PurchaseOrder(models.Model):
_inherit = 'purchase.order'
@api.model
def get_purchase_order_count(self):
purchase_order_count = {
'all_purchase_order': len(self.env['purchase.order'].search([])),
'rfq': len(self.env['purchase.order'].search([("state", "=", "draft")])),
'rfq_sent': len(self.env['purchase.order'].search([("state", "=", "sent")])),
'to_approve': len(self.env['purchase.order'].search(
[("state", "=", "to approve")])),
'purchase': len(self.env['purchase.order'].search(
[("state", "=", "purchase")])),
'done': len(self.env['purchase.order'].search([("state", "=", "done")])),
'cancel': len(self.env['purchase.order'].search([("state", "=", "cancel")])),
}
return purchase_order_count
Enterprise
Here, for the dictionary purchase_order_count the keys like
all_purchase_order, rfq, rfq_sent, to_approve, etc is assigned with
the count of the records in purchase order which are in the
corresponding states.
Then, once these method is called from the js file using orm.call(),
the dictionary will be returned and passed to the template that is
called from js. Well see the codes for this in the coming slides
Enterprise
Lets define the javascript file under the path static/src/dashboard/purchase_dashboard.js.
/* @odoo-module */
import { PurchaseCard } from './purchase_card';
import { useBus, useService } from "@web/core/utils/hooks";
import {registry} from '@web/core/registry';
const { Component, useState, onWillStart } = owl;
export class PurchaseDashboard extends Component {
setup() {this.orm = useService("orm");
onWillStart(async () => {
await this.loadDashboardData();
});}
async loadDashboardData() {
const context = {};
this.purchase_order_count = await this.orm.call(
'purchase.order',
'get_purchase_order_count',[],
{context: context});}
}
registry.category("actions").add("purchase_dashboard", PurchaseDashboard);
PurchaseDashboard.components = { PurchaseCard };
PurchaseDashboard.template = 'purchase_dashboard.PurchaseDashboard';
Enterprise
Here, the first import of PurchaseCard is done from the file
purchase_card in the same directory of the module.
Then after importing other hooks and registry, we define the class
PurchaseDashboard and define the method loadDashboardData().
Inside this method, we use the orm.call() to call the remote method of
the model from the backend. Here, from the model purchase.order,
we call the custom method get_purchase_order_count(). The value
returned from that method is passed as context
Then, this class is saved in the registry with the earlier xml defined tag
name purchase_dashboard. And its components is set as
PurchaseCard which we are going to discuss.
Enterprise
Under the same directory dashboard of the module, lets create the file
purchase_card.js
/* @odoo-module */
import {registry} from '@web/core/registry';
const { Component } = owl;
export class PurchaseCard extends Component {}
PurchaseCard.template = 'purchase_dashboard.PurchaseCard';
PurchaseCard.props = ['purchase_order_count', 'rfq',
'rfq_sent','to_approve','purchase','done','cancel'];
Here, we define the class PurchaseCard from Component of owl and set the
dashboard tags template as a new template named PurchaseCard that we
are going to design.
The classs props are assigned with the needed parameters passed from the
PurchaseDashboard template.
Enterprise
Lets design the PurchaseCard template by starting with a nice heading
and description as we need. Here, weve started like
<?xml version="1.0" encoding="UTF-8" ?>
<templates xml:space="preserve">
<div t-name="purchase_dashboard.PurchaseCard" owl="1" style="background-
color: #990000;"
class="py-3 text-odoo text-center">
<h1>PURCHASE DASHBOARD</h1>
<div style="background-color: #ffcccc ;">
<h5>No.of Purchase Orders in different states</h5>
<table class="table table-hover">
Inside the last line of defining <table>, we need to set the headings
<thead> and content <body> for it.
Enterprise
<thead>
<tr> <th>STATE</th> <th>COUNT</th> </tr>
/thead>
<tbody>
<tr><td>RFQ</td> <td><t t-esc="props.rfq"/></td></tr>
<tr><td>RFQ Sent</td> <td><t t-esc="props.rfq_sent"/></td>
</tr>
<tr><td>To Approve</td> <td><t t-esc="props.to_approve"/></td>
</tr>
<tr><td>Purchase</td> <td><t t-esc="props.purchase"/></td>
</tr>
<tr><td>Done</td> <td><t t-esc="props.done"/></td>
</tr>
<tr><td>Cancel</td> <td><t t-esc="props.cancel"/></td>
</tr>
<tr><td>Total</td> <td><t t-esc="props.purchase_order_count"/></td>
</tr>
</tbody>
The headings STATE and COUNT will be set this and the corresponding
contents are displayed using <t t-esc> tag from the props.
Enterprise
Finally, the dashboard will look like
For More Info.
Check our company website for related blogs
and Odoo book.
Check our YouTube channel for
functional and technical videos in Odoo.
Enterprise
www.cybrosys.com

More Related Content

Similar to How to Create & Manage a Dashboard Using OWL in Odoo 17 (20)

How to Create a Dynamic Report in Odoo 17
How to Create a Dynamic Report in Odoo 17How to Create a Dynamic Report in Odoo 17
How to Create a Dynamic Report in Odoo 17
Celine George
URLS and routing in odoo 18 - Odoo 際際滷s
URLS and routing in odoo 18 - Odoo 際際滷sURLS and routing in odoo 18 - Odoo 際際滷s
URLS and routing in odoo 18 - Odoo 際際滷s
Celine George
SenchaCon 2016: Handle Real-World Data with Confidence - Fredric Berling
SenchaCon 2016: Handle Real-World Data with Confidence - Fredric Berling SenchaCon 2016: Handle Real-World Data with Confidence - Fredric Berling
SenchaCon 2016: Handle Real-World Data with Confidence - Fredric Berling
Sencha
How to modify_create components control buttons in Pos odoo.pptx
How to modify_create components control buttons in Pos odoo.pptxHow to modify_create components control buttons in Pos odoo.pptx
How to modify_create components control buttons in Pos odoo.pptx
Celine George
How to add Many2Many fields in odoo website form.pptx
How to add Many2Many fields in odoo website form.pptxHow to add Many2Many fields in odoo website form.pptx
How to add Many2Many fields in odoo website form.pptx
Celine George
How to Create a Custom Web Form View in Odoo 17
How to Create a Custom  Web Form View in Odoo 17How to Create a Custom  Web Form View in Odoo 17
How to Create a Custom Web Form View in Odoo 17
Celine George
How to Add a Custom Button in Pos Odoo 17
How to Add a Custom Button in Pos Odoo 17How to Add a Custom Button in Pos Odoo 17
How to Add a Custom Button in Pos Odoo 17
Celine George
Ctools presentation
Ctools presentationCtools presentation
Ctools presentation
Digitaria
E-Bazaar
E-BazaarE-Bazaar
E-Bazaar
ayanthi1
Customization of Odoo 17 Periodic Digest parameters from backend
Customization of Odoo 17 Periodic Digest parameters from backendCustomization of Odoo 17 Periodic Digest parameters from backend
Customization of Odoo 17 Periodic Digest parameters from backend
Celine George
How to add menu in Odoo 17 Website - Odoo 17 際際滷s
How to add menu in Odoo 17 Website - Odoo 17 際際滷sHow to add menu in Odoo 17 Website - Odoo 17 際際滷s
How to add menu in Odoo 17 Website - Odoo 17 際際滷s
Celine George
How to Store Data on the Odoo 17 Website
How to Store Data on the Odoo 17 WebsiteHow to Store Data on the Odoo 17 Website
How to Store Data on the Odoo 17 Website
Celine George
mean stack
mean stackmean stack
mean stack
michaelaaron25322
How to make a component and add it to systray in Odoo
How to make a component and add it to systray in OdooHow to make a component and add it to systray in Odoo
How to make a component and add it to systray in Odoo
Celine George
How to Customize POS Receipts in the Odoo 17
How to Customize POS Receipts in the Odoo 17How to Customize POS Receipts in the Odoo 17
How to Customize POS Receipts in the Odoo 17
Celine George
How to Add Pagination in Website portal in Odoo
How to Add Pagination in Website portal in OdooHow to Add Pagination in Website portal in Odoo
How to Add Pagination in Website portal in Odoo
Celine George
Solid angular
Solid angularSolid angular
Solid angular
Nir Kaufman
Check printing in_r12
Check printing in_r12Check printing in_r12
Check printing in_r12
Rajesh Khatri
Web Components for Java Developers
Web Components for Java DevelopersWeb Components for Java Developers
Web Components for Java Developers
Joonas Lehtinen
Simplify Feature Engineering in Your Data Warehouse
Simplify Feature Engineering in Your Data WarehouseSimplify Feature Engineering in Your Data Warehouse
Simplify Feature Engineering in Your Data Warehouse
FeatureByte
How to Create a Dynamic Report in Odoo 17
How to Create a Dynamic Report in Odoo 17How to Create a Dynamic Report in Odoo 17
How to Create a Dynamic Report in Odoo 17
Celine George
URLS and routing in odoo 18 - Odoo 際際滷s
URLS and routing in odoo 18 - Odoo 際際滷sURLS and routing in odoo 18 - Odoo 際際滷s
URLS and routing in odoo 18 - Odoo 際際滷s
Celine George
SenchaCon 2016: Handle Real-World Data with Confidence - Fredric Berling
SenchaCon 2016: Handle Real-World Data with Confidence - Fredric Berling SenchaCon 2016: Handle Real-World Data with Confidence - Fredric Berling
SenchaCon 2016: Handle Real-World Data with Confidence - Fredric Berling
Sencha
How to modify_create components control buttons in Pos odoo.pptx
How to modify_create components control buttons in Pos odoo.pptxHow to modify_create components control buttons in Pos odoo.pptx
How to modify_create components control buttons in Pos odoo.pptx
Celine George
How to add Many2Many fields in odoo website form.pptx
How to add Many2Many fields in odoo website form.pptxHow to add Many2Many fields in odoo website form.pptx
How to add Many2Many fields in odoo website form.pptx
Celine George
How to Create a Custom Web Form View in Odoo 17
How to Create a Custom  Web Form View in Odoo 17How to Create a Custom  Web Form View in Odoo 17
How to Create a Custom Web Form View in Odoo 17
Celine George
How to Add a Custom Button in Pos Odoo 17
How to Add a Custom Button in Pos Odoo 17How to Add a Custom Button in Pos Odoo 17
How to Add a Custom Button in Pos Odoo 17
Celine George
Ctools presentation
Ctools presentationCtools presentation
Ctools presentation
Digitaria
E-Bazaar
E-BazaarE-Bazaar
E-Bazaar
ayanthi1
Customization of Odoo 17 Periodic Digest parameters from backend
Customization of Odoo 17 Periodic Digest parameters from backendCustomization of Odoo 17 Periodic Digest parameters from backend
Customization of Odoo 17 Periodic Digest parameters from backend
Celine George
How to add menu in Odoo 17 Website - Odoo 17 際際滷s
How to add menu in Odoo 17 Website - Odoo 17 際際滷sHow to add menu in Odoo 17 Website - Odoo 17 際際滷s
How to add menu in Odoo 17 Website - Odoo 17 際際滷s
Celine George
How to Store Data on the Odoo 17 Website
How to Store Data on the Odoo 17 WebsiteHow to Store Data on the Odoo 17 Website
How to Store Data on the Odoo 17 Website
Celine George
How to make a component and add it to systray in Odoo
How to make a component and add it to systray in OdooHow to make a component and add it to systray in Odoo
How to make a component and add it to systray in Odoo
Celine George
How to Customize POS Receipts in the Odoo 17
How to Customize POS Receipts in the Odoo 17How to Customize POS Receipts in the Odoo 17
How to Customize POS Receipts in the Odoo 17
Celine George
How to Add Pagination in Website portal in Odoo
How to Add Pagination in Website portal in OdooHow to Add Pagination in Website portal in Odoo
How to Add Pagination in Website portal in Odoo
Celine George
Solid angular
Solid angularSolid angular
Solid angular
Nir Kaufman
Check printing in_r12
Check printing in_r12Check printing in_r12
Check printing in_r12
Rajesh Khatri
Web Components for Java Developers
Web Components for Java DevelopersWeb Components for Java Developers
Web Components for Java Developers
Joonas Lehtinen
Simplify Feature Engineering in Your Data Warehouse
Simplify Feature Engineering in Your Data WarehouseSimplify Feature Engineering in Your Data Warehouse
Simplify Feature Engineering in Your Data Warehouse
FeatureByte

More from Celine George (20)

Analysis of Conf File Parameters in Odoo 17
Analysis of Conf File Parameters in Odoo 17Analysis of Conf File Parameters in Odoo 17
Analysis of Conf File Parameters in Odoo 17
Celine George
How to Manage Check Out Process in Odoo 17 Website
How to Manage Check Out Process in Odoo 17 WebsiteHow to Manage Check Out Process in Odoo 17 Website
How to Manage Check Out Process in Odoo 17 Website
Celine George
Managing Online Signature and Payment with Odoo 17
Managing Online Signature and Payment with Odoo 17Managing Online Signature and Payment with Odoo 17
Managing Online Signature and Payment with Odoo 17
Celine George
Recruitment in the Odoo 17 - Odoo 17 際際滷s
Recruitment in the Odoo 17 - Odoo 17 際際滷sRecruitment in the Odoo 17 - Odoo 17 際際滷s
Recruitment in the Odoo 17 - Odoo 17 際際滷s
Celine George
How to Setup Company Data in Odoo 17 Accounting App
How to Setup Company Data in Odoo 17 Accounting AppHow to Setup Company Data in Odoo 17 Accounting App
How to Setup Company Data in Odoo 17 Accounting App
Celine George
How to Install Odoo 18 with Pycharm - Odoo 18 際際滷s
How to Install Odoo 18 with Pycharm - Odoo 18 際際滷sHow to Install Odoo 18 with Pycharm - Odoo 18 際際滷s
How to Install Odoo 18 with Pycharm - Odoo 18 際際滷s
Celine George
How to Manage Purchase Order Approval in Odoo 18
How to Manage Purchase Order Approval in Odoo 18How to Manage Purchase Order Approval in Odoo 18
How to Manage Purchase Order Approval in Odoo 18
Celine George
How to Configure Outgoing and Incoming mail servers in Odoo 18
How to Configure Outgoing and Incoming mail servers in Odoo 18How to Configure Outgoing and Incoming mail servers in Odoo 18
How to Configure Outgoing and Incoming mail servers in Odoo 18
Celine George
How to Grant Discounts in Sale Order Lines in Odoo 18 Sales
How to Grant Discounts in Sale Order Lines in Odoo 18 SalesHow to Grant Discounts in Sale Order Lines in Odoo 18 Sales
How to Grant Discounts in Sale Order Lines in Odoo 18 Sales
Celine George
Comparing RFQ Lines for the best price in Odoo 17
Comparing RFQ Lines for the best price in Odoo 17Comparing RFQ Lines for the best price in Odoo 17
Comparing RFQ Lines for the best price in Odoo 17
Celine George
List View Attributes in Odoo 18 - Odoo 際際滷s
List View Attributes in Odoo 18 - Odoo 際際滷sList View Attributes in Odoo 18 - Odoo 際際滷s
List View Attributes in Odoo 18 - Odoo 際際滷s
Celine George
How to Set Default Terms and Conditions in Odoo 17 Accounting
How to Set Default Terms and Conditions in Odoo 17 AccountingHow to Set Default Terms and Conditions in Odoo 17 Accounting
How to Set Default Terms and Conditions in Odoo 17 Accounting
Celine George
Enhance Your Quotations by Sections, Notes, and Subtotals in Odoo Sales
Enhance Your Quotations by Sections, Notes, and Subtotals in Odoo SalesEnhance Your Quotations by Sections, Notes, and Subtotals in Odoo Sales
Enhance Your Quotations by Sections, Notes, and Subtotals in Odoo Sales
Celine George
What are the Views in Odoo 18 Purchase - Odoo 際際滷s
What are the Views in Odoo 18 Purchase - Odoo 際際滷sWhat are the Views in Odoo 18 Purchase - Odoo 際際滷s
What are the Views in Odoo 18 Purchase - Odoo 際際滷s
Celine George
Configuration of Python and SQL Constraints in Odoo 18
Configuration of Python and SQL Constraints in Odoo 18Configuration of Python and SQL Constraints in Odoo 18
Configuration of Python and SQL Constraints in Odoo 18
Celine George
How to Add Custom Fields to Configuration Settings in Odoo 18
How to Add Custom Fields to  Configuration Settings in Odoo 18How to Add Custom Fields to  Configuration Settings in Odoo 18
How to Add Custom Fields to Configuration Settings in Odoo 18
Celine George
How to Manage Abandoned Cart in Odoo 17 Website
How to Manage Abandoned Cart in Odoo 17 WebsiteHow to Manage Abandoned Cart in Odoo 17 Website
How to Manage Abandoned Cart in Odoo 17 Website
Celine George
How to Add opening Balance in Odoo Accounting
How to Add opening Balance in Odoo AccountingHow to Add opening Balance in Odoo Accounting
How to Add opening Balance in Odoo Accounting
Celine George
How to Manage Your Company Budget Using Odoo 17 Accounting
How to Manage Your Company Budget Using Odoo 17 AccountingHow to Manage Your Company Budget Using Odoo 17 Accounting
How to Manage Your Company Budget Using Odoo 17 Accounting
Celine George
How to Simplify Reconciliation Process using Reconciliation Models using odoo...
How to Simplify Reconciliation Process using Reconciliation Models using odoo...How to Simplify Reconciliation Process using Reconciliation Models using odoo...
How to Simplify Reconciliation Process using Reconciliation Models using odoo...
Celine George
Analysis of Conf File Parameters in Odoo 17
Analysis of Conf File Parameters in Odoo 17Analysis of Conf File Parameters in Odoo 17
Analysis of Conf File Parameters in Odoo 17
Celine George
How to Manage Check Out Process in Odoo 17 Website
How to Manage Check Out Process in Odoo 17 WebsiteHow to Manage Check Out Process in Odoo 17 Website
How to Manage Check Out Process in Odoo 17 Website
Celine George
Managing Online Signature and Payment with Odoo 17
Managing Online Signature and Payment with Odoo 17Managing Online Signature and Payment with Odoo 17
Managing Online Signature and Payment with Odoo 17
Celine George
Recruitment in the Odoo 17 - Odoo 17 際際滷s
Recruitment in the Odoo 17 - Odoo 17 際際滷sRecruitment in the Odoo 17 - Odoo 17 際際滷s
Recruitment in the Odoo 17 - Odoo 17 際際滷s
Celine George
How to Setup Company Data in Odoo 17 Accounting App
How to Setup Company Data in Odoo 17 Accounting AppHow to Setup Company Data in Odoo 17 Accounting App
How to Setup Company Data in Odoo 17 Accounting App
Celine George
How to Install Odoo 18 with Pycharm - Odoo 18 際際滷s
How to Install Odoo 18 with Pycharm - Odoo 18 際際滷sHow to Install Odoo 18 with Pycharm - Odoo 18 際際滷s
How to Install Odoo 18 with Pycharm - Odoo 18 際際滷s
Celine George
How to Manage Purchase Order Approval in Odoo 18
How to Manage Purchase Order Approval in Odoo 18How to Manage Purchase Order Approval in Odoo 18
How to Manage Purchase Order Approval in Odoo 18
Celine George
How to Configure Outgoing and Incoming mail servers in Odoo 18
How to Configure Outgoing and Incoming mail servers in Odoo 18How to Configure Outgoing and Incoming mail servers in Odoo 18
How to Configure Outgoing and Incoming mail servers in Odoo 18
Celine George
How to Grant Discounts in Sale Order Lines in Odoo 18 Sales
How to Grant Discounts in Sale Order Lines in Odoo 18 SalesHow to Grant Discounts in Sale Order Lines in Odoo 18 Sales
How to Grant Discounts in Sale Order Lines in Odoo 18 Sales
Celine George
Comparing RFQ Lines for the best price in Odoo 17
Comparing RFQ Lines for the best price in Odoo 17Comparing RFQ Lines for the best price in Odoo 17
Comparing RFQ Lines for the best price in Odoo 17
Celine George
List View Attributes in Odoo 18 - Odoo 際際滷s
List View Attributes in Odoo 18 - Odoo 際際滷sList View Attributes in Odoo 18 - Odoo 際際滷s
List View Attributes in Odoo 18 - Odoo 際際滷s
Celine George
How to Set Default Terms and Conditions in Odoo 17 Accounting
How to Set Default Terms and Conditions in Odoo 17 AccountingHow to Set Default Terms and Conditions in Odoo 17 Accounting
How to Set Default Terms and Conditions in Odoo 17 Accounting
Celine George
Enhance Your Quotations by Sections, Notes, and Subtotals in Odoo Sales
Enhance Your Quotations by Sections, Notes, and Subtotals in Odoo SalesEnhance Your Quotations by Sections, Notes, and Subtotals in Odoo Sales
Enhance Your Quotations by Sections, Notes, and Subtotals in Odoo Sales
Celine George
What are the Views in Odoo 18 Purchase - Odoo 際際滷s
What are the Views in Odoo 18 Purchase - Odoo 際際滷sWhat are the Views in Odoo 18 Purchase - Odoo 際際滷s
What are the Views in Odoo 18 Purchase - Odoo 際際滷s
Celine George
Configuration of Python and SQL Constraints in Odoo 18
Configuration of Python and SQL Constraints in Odoo 18Configuration of Python and SQL Constraints in Odoo 18
Configuration of Python and SQL Constraints in Odoo 18
Celine George
How to Add Custom Fields to Configuration Settings in Odoo 18
How to Add Custom Fields to  Configuration Settings in Odoo 18How to Add Custom Fields to  Configuration Settings in Odoo 18
How to Add Custom Fields to Configuration Settings in Odoo 18
Celine George
How to Manage Abandoned Cart in Odoo 17 Website
How to Manage Abandoned Cart in Odoo 17 WebsiteHow to Manage Abandoned Cart in Odoo 17 Website
How to Manage Abandoned Cart in Odoo 17 Website
Celine George
How to Add opening Balance in Odoo Accounting
How to Add opening Balance in Odoo AccountingHow to Add opening Balance in Odoo Accounting
How to Add opening Balance in Odoo Accounting
Celine George
How to Manage Your Company Budget Using Odoo 17 Accounting
How to Manage Your Company Budget Using Odoo 17 AccountingHow to Manage Your Company Budget Using Odoo 17 Accounting
How to Manage Your Company Budget Using Odoo 17 Accounting
Celine George
How to Simplify Reconciliation Process using Reconciliation Models using odoo...
How to Simplify Reconciliation Process using Reconciliation Models using odoo...How to Simplify Reconciliation Process using Reconciliation Models using odoo...
How to Simplify Reconciliation Process using Reconciliation Models using odoo...
Celine George

Recently uploaded (20)

Studying and Notetaking: Some Suggestions
Studying and Notetaking: Some SuggestionsStudying and Notetaking: Some Suggestions
Studying and Notetaking: Some Suggestions
Damian T. Gordon
Pass SAP C_C4H47_2503 in 2025 | Latest Exam Questions & Study Material
Pass SAP C_C4H47_2503 in 2025 | Latest Exam Questions & Study MaterialPass SAP C_C4H47_2503 in 2025 | Latest Exam Questions & Study Material
Pass SAP C_C4H47_2503 in 2025 | Latest Exam Questions & Study Material
Jenny408767
Gold Spot Dairy Store Jordan Minnesota 55352
Gold Spot Dairy Store Jordan Minnesota 55352Gold Spot Dairy Store Jordan Minnesota 55352
Gold Spot Dairy Store Jordan Minnesota 55352
Forklift Trucks in Minnesota
Viceroys of India & Their Tenure Key Events During British Rule
Viceroys of India & Their Tenure  Key Events During British RuleViceroys of India & Their Tenure  Key Events During British Rule
Viceroys of India & Their Tenure Key Events During British Rule
DeeptiKumari61
MIPLM subject matter expert Nicos Raftis
MIPLM subject matter expert Nicos RaftisMIPLM subject matter expert Nicos Raftis
MIPLM subject matter expert Nicos Raftis
MIPLM
Antifungal agents by Mrs. Manjushri Dabhade
Antifungal agents by Mrs. Manjushri DabhadeAntifungal agents by Mrs. Manjushri Dabhade
Antifungal agents by Mrs. Manjushri Dabhade
Dabhade madam Dabhade
Celine Caira presents at Women girls and AI Paving the way to a balanced digi...
Celine Caira presents at Women girls and AI Paving the way to a balanced digi...Celine Caira presents at Women girls and AI Paving the way to a balanced digi...
Celine Caira presents at Women girls and AI Paving the way to a balanced digi...
EduSkills OECD
Different perspectives on dugout canoe heritage of Soomaa.pdf
Different perspectives on dugout canoe heritage of Soomaa.pdfDifferent perspectives on dugout canoe heritage of Soomaa.pdf
Different perspectives on dugout canoe heritage of Soomaa.pdf
Aivar Ruukel
UTI Quinolones by Mrs. Manjushri Dabhade
UTI Quinolones by Mrs. Manjushri DabhadeUTI Quinolones by Mrs. Manjushri Dabhade
UTI Quinolones by Mrs. Manjushri Dabhade
Dabhade madam Dabhade
MIPLM subject matter expert Dr Robert Klinski
MIPLM subject matter expert Dr Robert KlinskiMIPLM subject matter expert Dr Robert Klinski
MIPLM subject matter expert Dr Robert Klinski
MIPLM
Karin Clavel - Collection Wall: Inspiring connection and collaboration
Karin Clavel - Collection Wall: Inspiring connection and collaborationKarin Clavel - Collection Wall: Inspiring connection and collaboration
Karin Clavel - Collection Wall: Inspiring connection and collaboration
voginip
Unit 3: Combustion in Spark Ignition Engines
Unit 3: Combustion in Spark Ignition EnginesUnit 3: Combustion in Spark Ignition Engines
Unit 3: Combustion in Spark Ignition Engines
NileshKumbhar21
Sulfonamides by Mrs. Manjushri P. Dabhade
Sulfonamides by Mrs. Manjushri P. DabhadeSulfonamides by Mrs. Manjushri P. Dabhade
Sulfonamides by Mrs. Manjushri P. Dabhade
Dabhade madam Dabhade
Anti-Fungal Agents.pptx Medicinal Chemistry III B. Pharm Sem VI
Anti-Fungal Agents.pptx Medicinal Chemistry III B. Pharm Sem VIAnti-Fungal Agents.pptx Medicinal Chemistry III B. Pharm Sem VI
Anti-Fungal Agents.pptx Medicinal Chemistry III B. Pharm Sem VI
Samruddhi Khonde
compiler design BCS613C question bank 2022 scheme
compiler design BCS613C question bank 2022 schemecompiler design BCS613C question bank 2022 scheme
compiler design BCS613C question bank 2022 scheme
Suvarna Hiremath
20250402 ACCA TeamScienceAIEra 20250402 v10.pptx
20250402 ACCA TeamScienceAIEra 20250402 v10.pptx20250402 ACCA TeamScienceAIEra 20250402 v10.pptx
20250402 ACCA TeamScienceAIEra 20250402 v10.pptx
home
MICROECONOMICS: RENT AND THEORIES OF RENT
MICROECONOMICS: RENT AND THEORIES OF RENTMICROECONOMICS: RENT AND THEORIES OF RENT
MICROECONOMICS: RENT AND THEORIES OF RENT
DrSundariD
Key Frameworks in Systematic Reviews - Dr Reginald Quansah
Key Frameworks in Systematic Reviews - Dr Reginald QuansahKey Frameworks in Systematic Reviews - Dr Reginald Quansah
Key Frameworks in Systematic Reviews - Dr Reginald Quansah
Systematic Reviews Network (SRN)
ANTIVIRAL agent by Mrs. Manjushri Dabhade
ANTIVIRAL agent by Mrs. Manjushri DabhadeANTIVIRAL agent by Mrs. Manjushri Dabhade
ANTIVIRAL agent by Mrs. Manjushri Dabhade
Dabhade madam Dabhade
NURSING PROCESS AND ITS STEPS .pptx
NURSING PROCESS AND ITS STEPS                 .pptxNURSING PROCESS AND ITS STEPS                 .pptx
NURSING PROCESS AND ITS STEPS .pptx
PoojaSen20
Studying and Notetaking: Some Suggestions
Studying and Notetaking: Some SuggestionsStudying and Notetaking: Some Suggestions
Studying and Notetaking: Some Suggestions
Damian T. Gordon
Pass SAP C_C4H47_2503 in 2025 | Latest Exam Questions & Study Material
Pass SAP C_C4H47_2503 in 2025 | Latest Exam Questions & Study MaterialPass SAP C_C4H47_2503 in 2025 | Latest Exam Questions & Study Material
Pass SAP C_C4H47_2503 in 2025 | Latest Exam Questions & Study Material
Jenny408767
Viceroys of India & Their Tenure Key Events During British Rule
Viceroys of India & Their Tenure  Key Events During British RuleViceroys of India & Their Tenure  Key Events During British Rule
Viceroys of India & Their Tenure Key Events During British Rule
DeeptiKumari61
MIPLM subject matter expert Nicos Raftis
MIPLM subject matter expert Nicos RaftisMIPLM subject matter expert Nicos Raftis
MIPLM subject matter expert Nicos Raftis
MIPLM
Antifungal agents by Mrs. Manjushri Dabhade
Antifungal agents by Mrs. Manjushri DabhadeAntifungal agents by Mrs. Manjushri Dabhade
Antifungal agents by Mrs. Manjushri Dabhade
Dabhade madam Dabhade
Celine Caira presents at Women girls and AI Paving the way to a balanced digi...
Celine Caira presents at Women girls and AI Paving the way to a balanced digi...Celine Caira presents at Women girls and AI Paving the way to a balanced digi...
Celine Caira presents at Women girls and AI Paving the way to a balanced digi...
EduSkills OECD
Different perspectives on dugout canoe heritage of Soomaa.pdf
Different perspectives on dugout canoe heritage of Soomaa.pdfDifferent perspectives on dugout canoe heritage of Soomaa.pdf
Different perspectives on dugout canoe heritage of Soomaa.pdf
Aivar Ruukel
UTI Quinolones by Mrs. Manjushri Dabhade
UTI Quinolones by Mrs. Manjushri DabhadeUTI Quinolones by Mrs. Manjushri Dabhade
UTI Quinolones by Mrs. Manjushri Dabhade
Dabhade madam Dabhade
MIPLM subject matter expert Dr Robert Klinski
MIPLM subject matter expert Dr Robert KlinskiMIPLM subject matter expert Dr Robert Klinski
MIPLM subject matter expert Dr Robert Klinski
MIPLM
Karin Clavel - Collection Wall: Inspiring connection and collaboration
Karin Clavel - Collection Wall: Inspiring connection and collaborationKarin Clavel - Collection Wall: Inspiring connection and collaboration
Karin Clavel - Collection Wall: Inspiring connection and collaboration
voginip
Unit 3: Combustion in Spark Ignition Engines
Unit 3: Combustion in Spark Ignition EnginesUnit 3: Combustion in Spark Ignition Engines
Unit 3: Combustion in Spark Ignition Engines
NileshKumbhar21
Sulfonamides by Mrs. Manjushri P. Dabhade
Sulfonamides by Mrs. Manjushri P. DabhadeSulfonamides by Mrs. Manjushri P. Dabhade
Sulfonamides by Mrs. Manjushri P. Dabhade
Dabhade madam Dabhade
Anti-Fungal Agents.pptx Medicinal Chemistry III B. Pharm Sem VI
Anti-Fungal Agents.pptx Medicinal Chemistry III B. Pharm Sem VIAnti-Fungal Agents.pptx Medicinal Chemistry III B. Pharm Sem VI
Anti-Fungal Agents.pptx Medicinal Chemistry III B. Pharm Sem VI
Samruddhi Khonde
compiler design BCS613C question bank 2022 scheme
compiler design BCS613C question bank 2022 schemecompiler design BCS613C question bank 2022 scheme
compiler design BCS613C question bank 2022 scheme
Suvarna Hiremath
20250402 ACCA TeamScienceAIEra 20250402 v10.pptx
20250402 ACCA TeamScienceAIEra 20250402 v10.pptx20250402 ACCA TeamScienceAIEra 20250402 v10.pptx
20250402 ACCA TeamScienceAIEra 20250402 v10.pptx
home
MICROECONOMICS: RENT AND THEORIES OF RENT
MICROECONOMICS: RENT AND THEORIES OF RENTMICROECONOMICS: RENT AND THEORIES OF RENT
MICROECONOMICS: RENT AND THEORIES OF RENT
DrSundariD
Key Frameworks in Systematic Reviews - Dr Reginald Quansah
Key Frameworks in Systematic Reviews - Dr Reginald QuansahKey Frameworks in Systematic Reviews - Dr Reginald Quansah
Key Frameworks in Systematic Reviews - Dr Reginald Quansah
Systematic Reviews Network (SRN)
ANTIVIRAL agent by Mrs. Manjushri Dabhade
ANTIVIRAL agent by Mrs. Manjushri DabhadeANTIVIRAL agent by Mrs. Manjushri Dabhade
ANTIVIRAL agent by Mrs. Manjushri Dabhade
Dabhade madam Dabhade
NURSING PROCESS AND ITS STEPS .pptx
NURSING PROCESS AND ITS STEPS                 .pptxNURSING PROCESS AND ITS STEPS                 .pptx
NURSING PROCESS AND ITS STEPS .pptx
PoojaSen20

How to Create & Manage a Dashboard Using OWL in Odoo 17

  • 1. How to Create & Manage a Dashboard Using OWL in Odoo 17 Enterprise
  • 2. Introduction Enterprise A dashboard in Odoo is a user interface feature that provides a visual overview of key performance indicators (KPIs), metrics, and important data points relevant to a business. Dashboards are designed to present this information in an easy-to-read format, often using charts, graphs, and tables, to help users quickly assess the state of their business and make informed decisions. For the comprehensive data from the modules of Odoo, the use of dashboard is really important to show only the brief and precise data as reports in a single click
  • 3. Enterprise Dashboards are created and managed in Odoo 17 using Client actions which involves a combination of XML and JavaScript to define custom behavior and visualizations. Heres a step-by-step guide to creating a custom dashboard using client actions: Define the Client Action in xml Create a Menu Item to access your custom dashboard Implement the client action using JavaScript which defines how the dashboard is loaded and displayed Create the dashboard view in XML which will define the layout and elements of the dashboard.
  • 4. Enterprise We can create a custom module named dashboard_custom to show the count of purchase orders in different states. The xml code to create the client action and the new menu is as <?xml version="1.0" encoding="UTF-8" ?> <odoo> <!--Client action for dashboard--> <record id="action_dashboard_purchase" model="ir.actions.client"> <field name="name">Purchase</field> <field name="tag">purchase_dashboard</field> </record> <menuitem id="menu_purchase_dashboard" name="Dashboard" action="action_dashboard_purchase" sequence="-1"/> </odoo> The client action is defined with the tag attribute as purchase_dashboard. It is with this tag we need to define the javascript and add it in the registry. The menu is created without any parent, so it will be shown with the Odoos default icon and will be named as Dashboard
  • 5. Enterprise And the menu will be shown as :
  • 6. Enterprise Now create a template in the path static/src/dashboard/purchase_dashboard.xml. <?xml version="1.0" encoding="UTF-8" ?> <templates xml:space="preserve"> <div t-name="purchase_dashboard.PurchaseDashboard" owl="1" class=""> <PurchaseCard purchase_order_count="purchase_order_count.all_purchase_order" rfq="purchase_order_count.rfq" rfq_sent="purchase_order_count.rfq_sent" to_approve="purchase_order_count.to_approve" purchase="purchase_order_count.purchase" done="purchase_order_count.done" cancel="purchase_order_count.cancel"/> </div> </templates>
  • 7. Enterprise For the model purchase. order define the function get_purchase_order_count() to fetch the data from the backend. The Python code will be from odoo import api, models class PurchaseOrder(models.Model): _inherit = 'purchase.order' @api.model def get_purchase_order_count(self): purchase_order_count = { 'all_purchase_order': len(self.env['purchase.order'].search([])), 'rfq': len(self.env['purchase.order'].search([("state", "=", "draft")])), 'rfq_sent': len(self.env['purchase.order'].search([("state", "=", "sent")])), 'to_approve': len(self.env['purchase.order'].search( [("state", "=", "to approve")])), 'purchase': len(self.env['purchase.order'].search( [("state", "=", "purchase")])), 'done': len(self.env['purchase.order'].search([("state", "=", "done")])), 'cancel': len(self.env['purchase.order'].search([("state", "=", "cancel")])), } return purchase_order_count
  • 8. Enterprise Here, for the dictionary purchase_order_count the keys like all_purchase_order, rfq, rfq_sent, to_approve, etc is assigned with the count of the records in purchase order which are in the corresponding states. Then, once these method is called from the js file using orm.call(), the dictionary will be returned and passed to the template that is called from js. Well see the codes for this in the coming slides
  • 9. Enterprise Lets define the javascript file under the path static/src/dashboard/purchase_dashboard.js. /* @odoo-module */ import { PurchaseCard } from './purchase_card'; import { useBus, useService } from "@web/core/utils/hooks"; import {registry} from '@web/core/registry'; const { Component, useState, onWillStart } = owl; export class PurchaseDashboard extends Component { setup() {this.orm = useService("orm"); onWillStart(async () => { await this.loadDashboardData(); });} async loadDashboardData() { const context = {}; this.purchase_order_count = await this.orm.call( 'purchase.order', 'get_purchase_order_count',[], {context: context});} } registry.category("actions").add("purchase_dashboard", PurchaseDashboard); PurchaseDashboard.components = { PurchaseCard }; PurchaseDashboard.template = 'purchase_dashboard.PurchaseDashboard';
  • 10. Enterprise Here, the first import of PurchaseCard is done from the file purchase_card in the same directory of the module. Then after importing other hooks and registry, we define the class PurchaseDashboard and define the method loadDashboardData(). Inside this method, we use the orm.call() to call the remote method of the model from the backend. Here, from the model purchase.order, we call the custom method get_purchase_order_count(). The value returned from that method is passed as context Then, this class is saved in the registry with the earlier xml defined tag name purchase_dashboard. And its components is set as PurchaseCard which we are going to discuss.
  • 11. Enterprise Under the same directory dashboard of the module, lets create the file purchase_card.js /* @odoo-module */ import {registry} from '@web/core/registry'; const { Component } = owl; export class PurchaseCard extends Component {} PurchaseCard.template = 'purchase_dashboard.PurchaseCard'; PurchaseCard.props = ['purchase_order_count', 'rfq', 'rfq_sent','to_approve','purchase','done','cancel']; Here, we define the class PurchaseCard from Component of owl and set the dashboard tags template as a new template named PurchaseCard that we are going to design. The classs props are assigned with the needed parameters passed from the PurchaseDashboard template.
  • 12. Enterprise Lets design the PurchaseCard template by starting with a nice heading and description as we need. Here, weve started like <?xml version="1.0" encoding="UTF-8" ?> <templates xml:space="preserve"> <div t-name="purchase_dashboard.PurchaseCard" owl="1" style="background- color: #990000;" class="py-3 text-odoo text-center"> <h1>PURCHASE DASHBOARD</h1> <div style="background-color: #ffcccc ;"> <h5>No.of Purchase Orders in different states</h5> <table class="table table-hover"> Inside the last line of defining <table>, we need to set the headings <thead> and content <body> for it.
  • 13. Enterprise <thead> <tr> <th>STATE</th> <th>COUNT</th> </tr> /thead> <tbody> <tr><td>RFQ</td> <td><t t-esc="props.rfq"/></td></tr> <tr><td>RFQ Sent</td> <td><t t-esc="props.rfq_sent"/></td> </tr> <tr><td>To Approve</td> <td><t t-esc="props.to_approve"/></td> </tr> <tr><td>Purchase</td> <td><t t-esc="props.purchase"/></td> </tr> <tr><td>Done</td> <td><t t-esc="props.done"/></td> </tr> <tr><td>Cancel</td> <td><t t-esc="props.cancel"/></td> </tr> <tr><td>Total</td> <td><t t-esc="props.purchase_order_count"/></td> </tr> </tbody> The headings STATE and COUNT will be set this and the corresponding contents are displayed using <t t-esc> tag from the props.
  • 15. For More Info. Check our company website for related blogs and Odoo book. Check our YouTube channel for functional and technical videos in Odoo. Enterprise www.cybrosys.com