SlideShare a Scribd company logo
Essbase Calculations:
Elements of Style
Ron Moore
Principal Architect, Alithya
ABOUT THE SPEAKER
Ron Moore
> Principal Architect at Alithya
> Over 20 years Essbase consulting and training
experience
> Certified in Essbase, Planning and R programming
> Many webcasts and KScope sessions
> 19 Oracle University Quality Awards
Ron.Moore@Alithya.com
2
Oracle ERP, EPM, & Analytics ARE in our DNA
ALITHYA delivers end-to-end ERP, EPM, & Analytics solutions and
is a leading Oracle Cloud and On-Premise Partner
4,000+ Oracle Implementations1,000+
Oracle
Customers23+
Years Driving Finance
Process Improvements for
Our Clients
7 Oracle ACEs
Seasoned
delivery team
with avg 8
years serving
clients
Adaptable Deployment Models
Experienced
management
team with avg 15
years in the
company
Certified Cloud
Resources
Diverse Client Portfolio & Industry ExpertiseTeam Highlights
Retail
Technology CPG and
Manufacturing
Healthcare
AnalyticsEPM
Energy/
Utilities
Financial
Services Hybrid CloudOn-premise
ERP
SESSION OBJECTIVES
> MEANINGFUL soft/stylistic techniques that contribute to BETTER calc
scripts/business rules
> Targeted to Essbase CALC, but parts are relevant outside that domain
> NOT about optimization
> NOT about “content” best practices
> NOT a rigid mandate
BETTER CALC SCRIPTS: DOES STYLE MATTER AND WHY
> Objectives
> First, make it correct
> Then, make it fast
> Then, make it clear
> Costs
> Development cost
> Maintenance cost
> Clear, easily understandable code reduces maintenance costs and promotes reusability. That’s
an enormous improvement in ROI.
CALC CODE STYLE IN THREE PARTS
Design
Great calculation results
depend on outline
structure, order of
processing and a clear
understanding of
requirements. Great calc
code starts with great
design.
Readability
Easier to understand
means easier and
cheaper to create,
modify and maintain.
More readable code
delivers higher ROI.
Mechanics
There are a few basic
best practices to make
your code more reliable,
faster and easier to
understand.
6
7
Design
GREAT CODE STARTS WITH GREAT DESIGN
If you think good architecture is expensive, try bad architecture.“
- Brian Foote
> Lay it out in Excel
> Control data
> Who can run it, how and why?
> Specify the treatment of every dimension
> Think about processing from a dimensional and block structure point
of view
GROK THE BLOCK
> The single best optimization practice is to reduce the number of blocks
processed.
> Application:
> Assuming Accounts is dense do BS and IS in the same script and same FIX
rather than separate scripts or separate FIX statements
> Think through everything that needs to be done to a set of blocks and if
possible do it all in the same pass
> (Almost) Always fix on Level 0 blocks for the main calcs, and decide
if/what to aggregate later.
STAY DRY
> Don’t Repeat Yourself v Write Every Time
> Wet requires multiple points of maintenance which takes more time
and increases errors
Hunt and Thomas, The Pragmatic Programmer,
https://en.wikipedia.org/wiki/Don%27t_repeat_yourself
THINK DIMENSIONALLY
11
> He's intelligent but lacks
experience. His is pattern
indicates, two
dimensional thinking.
TAKE ADVANTAGE OF DIMENSIONALITY
> The members in the fix statement and the member on the Left taken
together set the scope of the calculation. You can usually swap them
for convenience.
TAKE ADVANTAGE OF DIMENSIONALITY:
“VIEW” DIMENSION CONCEPT
13
Consider this Accts
Dim
Add YTD But adding members
requires maintenance
A “View” dimension
requires almost no
maintenance
TAKE ADVANTAGE OF DIMENSIONALITY:
WHERE SHOULD I PUT THIS CALCULATION?
> Principle: Every member intersects with all members of every other
dimension
> Application: If you want a member to intersect with specific members
you have to locate it on a different dimension than the members it
should intersect
> Q:Should “CurrMonth v PriorMonth” go on the Scenario or the Period
dimension?
> A: If you want to see it for Actual, Plan and Forecast it can’t go on the
Scenario dimension, so it would have to be Period
> Twist: What if you wanted to see “CurrMonth v PriorMonth” for every
month?
> A: Use a View dimension
14
15
Readability
STANDARDIZE AND USE NAMING CONVENTIONS
> What might be ambiguous or cause
errors? How can I communicate
purpose and requirements?
> verb/Noun
> Data Type
> Case
> Abbreviations
CREATE A STYLE GUIDE FOR YOUR ORGANIZATION
> Member names
> Variable names
> Script names (CALC, MaxL, MDX, Bat, Other)
> Other Essbase artifacts
Promote Prevent
Consistency Collisions when a shared artifact
is and used incorrectly
Communication Errors when code is reused
Reusability
DATA LOAD RULE NAMING CONVENTION EXAMPLE
18
File File Name
Data Load Source file FY20Acutals.txt
Data Load Rule lFY20Act.rul
MaxL procedure lFY20Act.mxl
Batch file to launch Maxl lFY20Act.bat
Err file lFY20Act.err
• Dimension Build rules start with b and then include 7 characters of the filename
• Data Load rules start with l and then include 7 characters of the filename
VARIABLE NAMING
19
Variable Type Identification/Ambiguity Suggestions
Substitution Variables
Run Time Substitution
variables
• Identified by &
• Usually a member name but can
be virtually any text
• Same name can be used for
server, app or db scope
Identify scope e.g. finplanCurrYear
Identify dimension e.g. scenarioFcst
VAR • Single position local variable
• No easy identification
Identify it as variable e.g. vDaysInMonth
ARRAY • Multiple position variable
• No easy identification
• Inherits size form associated
dimension
Identify is as an array variable and its
dimension e.g. atimeDaysInMonth
Run-Time prompts • Identified by {}
• 12 different types that require
different types of values
• Different scope levels
Identify the type and for some types the
dimension e.g msGeos
Identify the scope
What might be ambiguous or cause errors? How can I communicate
purpose and requirements?
CALC SCRIPT/BUSINESS RULE NAMING CONVENTION
EXAMPLE
20
File Script Name/Rule Name
Aggregate 5 business dimensions ag5Dim.csc
ag5BusinessDims
Clear forecast
Note: specific forecast should be parameterized with a SubVar
clFcst.csc
clForecast
Data Copy actuals to forecast dcAct2FC.csc
dcActToFcst
• Use verbNoun method for common actions
• 2 characters for verb followed by meaningful noun
MAKE PITHY COMMENTS
Why – Not What
Explain the reasons behind the
code that may not be obvious to
the reader. Why did you write it
that way?
Identify Sections
Call out the major processes
contained within the script.
Make it easy to find what
happens where.
Pseudocode
Write pseudocode based on your
requirements. Then leave it (or a
stripped-down version) there to
comment your code.
21
Change Tracking
Comment out old code,
identifying the beginning and
end of the new and old blocks.
Identify it with a reason and a
date.
Start with a Header
Include a purpose, when to use
it, dependencies (e.g. subvars )
and a change log.
Comment ENDFIX
Comment the end of a FIX block
tying it back to the opening.
E.g. /* End FIX on Actual
Scenario */
MAKE SETTINGS EXPLICIT
> Make settings explicit. Show them even if they are defaults.
/* Housekeeping */
SET UPDATECALC OFF;
SET AGGMISSG ON;
SET MSG SUMMARY;
SET CALCPARALLEL 2;
SET EMPTYMEMBERSETS ON;
22
23
Mechanics
MECHANICS BASICS
> Always double quote member names
> Address all dimensions in FIX statements
> Member names not aliases
> Capitalize Function/Calc Command names
> Indent
> Limit lines to 80 characters
> Simpler is better
24
BE DELIBERATE WITH FIX STATEMENT SCOPE
> Global Calculation – Essbase calcs everything that is not explicitly
excluded
> That could result in accidentally touching out of scope data
> Address every dimension in scoping calculations (FIX, IF) so you don’t
accidentally touch numbers you shouldn’t
ORGANIZE FIX STATEMENTS BY DIMENSION CATEGORY
Dimension Type Examples Examples of different actions
Measures Measure
Account
Time Year
Period
Historical periods v Forecast/Plan
periods
Business /
Segmentation
Entity
Product
Customer
LOB
Channel
This is the way users break down
the business.
Version Version
Scenario
Actuals v. Forecast/Plan
Change tracking
Scenario analysis
System Data type
View
Currency
USE CALC MANAGER FEATURES
> Design View allows you to visualize calc structure
> Script components provide reusable code blocks
> 80 character BR names
> BR descriptions provide useful information for users
REDUCE CLUTTER AND ERRORS WITH VARIABLES AND
PARAMETERIZATION
> Substitution variables
> RTSV
> RTPs
> Var and Array
> Global Variables
ADDITIONAL READING
29
Description Link
Story, Oracle CEAL blog, EPM 11.1.2.x
Planning/PBCSBest Practices for BSO Business
Rule Optimization
https://blogs.oracle.com/cealteam/epm-1112x-
planningpbcs-best-practices-for-bso-business-
rule-optimisation
Pattis, CMU Coding Style notes https://www.cs.cmu.edu/~pattis/15-1XX/15-
200/lectures/style/index.html
Wikipedia, Elements Of Programming Style https://en.wikipedia.org/wiki/The_Elements_of_P
rogramming_Style
Essbase Calculations: Elements of Style
Ad

More Related Content

What's hot (20)

Secrets of an EPM Cloud Solution - How to Deliver Superior Profit Performance
Secrets of an EPM Cloud Solution - How to Deliver Superior Profit Performance Secrets of an EPM Cloud Solution - How to Deliver Superior Profit Performance
Secrets of an EPM Cloud Solution - How to Deliver Superior Profit Performance
Alithya
 
Hyperion planning - Ravi Kurakula
Hyperion planning  -  Ravi KurakulaHyperion planning  -  Ravi Kurakula
Hyperion planning - Ravi Kurakula
Ravi kurakula
 
Overview profitability and cost management cloud services
Overview profitability and cost management cloud servicesOverview profitability and cost management cloud services
Overview profitability and cost management cloud services
Alithya
 
I Can do WHAT with PCMCS? Features and Functions, Business Benefits, and Use...
I Can do WHAT with PCMCS?  Features and Functions, Business Benefits, and Use...I Can do WHAT with PCMCS?  Features and Functions, Business Benefits, and Use...
I Can do WHAT with PCMCS? Features and Functions, Business Benefits, and Use...
Alithya
 
DRM on Steroids
DRM on SteroidsDRM on Steroids
DRM on Steroids
Alithya
 
OOW09 R12.1 Standalone Solutions
OOW09 R12.1 Standalone SolutionsOOW09 R12.1 Standalone Solutions
OOW09 R12.1 Standalone Solutions
jucaab
 
How WillScot-Mobile Mini Utilized Enterprise Data Management for Business Tra...
How WillScot-Mobile Mini Utilized Enterprise Data Management for Business Tra...How WillScot-Mobile Mini Utilized Enterprise Data Management for Business Tra...
How WillScot-Mobile Mini Utilized Enterprise Data Management for Business Tra...
Alithya
 
Case Study: Using EDMCS to Solve Master Data Challenges
Case Study:  Using EDMCS to Solve Master Data ChallengesCase Study:  Using EDMCS to Solve Master Data Challenges
Case Study: Using EDMCS to Solve Master Data Challenges
Alithya
 
Cycling Off FDM Classic on Steroids and Taking a Dose of FDMEE HGH
Cycling Off FDM Classic on Steroids and Taking a Dose of FDMEE HGHCycling Off FDM Classic on Steroids and Taking a Dose of FDMEE HGH
Cycling Off FDM Classic on Steroids and Taking a Dose of FDMEE HGH
Alithya
 
FDMEE Can Do That?
FDMEE Can Do That?FDMEE Can Do That?
FDMEE Can Do That?
Alithya
 
Viasat Launches to the Cloud with Oracle Enterprise Data Management
Viasat Launches to the Cloud with Oracle Enterprise Data Management Viasat Launches to the Cloud with Oracle Enterprise Data Management
Viasat Launches to the Cloud with Oracle Enterprise Data Management
Alithya
 
Deep Dive into Salesforce Integrations: Mapping Engines
Deep Dive into Salesforce Integrations:  Mapping EnginesDeep Dive into Salesforce Integrations:  Mapping Engines
Deep Dive into Salesforce Integrations: Mapping Engines
CRMScienceKirk
 
Oracle EPM Road Map Strategy
Oracle EPM Road Map StrategyOracle EPM Road Map Strategy
Oracle EPM Road Map Strategy
Mitch Duffus
 
EPM Cloud Integration at CareFirst
EPM Cloud Integration at CareFirstEPM Cloud Integration at CareFirst
EPM Cloud Integration at CareFirst
Alithya
 
Your path to Oracle ERP Cloud
Your path to Oracle ERP CloudYour path to Oracle ERP Cloud
Your path to Oracle ERP Cloud
Robert Jansen
 
A Journey to Profitability with Oracle PCMCS
A Journey to Profitability with Oracle PCMCSA Journey to Profitability with Oracle PCMCS
A Journey to Profitability with Oracle PCMCS
Alithya
 
Sending Hyperion Planning to the Cloud
Sending Hyperion Planning to the CloudSending Hyperion Planning to the Cloud
Sending Hyperion Planning to the Cloud
US-Analytics
 
Budgeting using hyperion planning vs essbase
Budgeting using hyperion planning vs essbaseBudgeting using hyperion planning vs essbase
Budgeting using hyperion planning vs essbase
Syntelli Solutions
 
Advanced level planning and budgeting in Hyperion - Inge Prangel
Advanced level planning and budgeting in Hyperion - Inge PrangelAdvanced level planning and budgeting in Hyperion - Inge Prangel
Advanced level planning and budgeting in Hyperion - Inge Prangel
ORACLE USER GROUP ESTONIA
 
Oracle ERP Cloud implementation tips
Oracle ERP Cloud implementation tipsOracle ERP Cloud implementation tips
Oracle ERP Cloud implementation tips
Prabal Saha
 
Secrets of an EPM Cloud Solution - How to Deliver Superior Profit Performance
Secrets of an EPM Cloud Solution - How to Deliver Superior Profit Performance Secrets of an EPM Cloud Solution - How to Deliver Superior Profit Performance
Secrets of an EPM Cloud Solution - How to Deliver Superior Profit Performance
Alithya
 
Hyperion planning - Ravi Kurakula
Hyperion planning  -  Ravi KurakulaHyperion planning  -  Ravi Kurakula
Hyperion planning - Ravi Kurakula
Ravi kurakula
 
Overview profitability and cost management cloud services
Overview profitability and cost management cloud servicesOverview profitability and cost management cloud services
Overview profitability and cost management cloud services
Alithya
 
I Can do WHAT with PCMCS? Features and Functions, Business Benefits, and Use...
I Can do WHAT with PCMCS?  Features and Functions, Business Benefits, and Use...I Can do WHAT with PCMCS?  Features and Functions, Business Benefits, and Use...
I Can do WHAT with PCMCS? Features and Functions, Business Benefits, and Use...
Alithya
 
DRM on Steroids
DRM on SteroidsDRM on Steroids
DRM on Steroids
Alithya
 
OOW09 R12.1 Standalone Solutions
OOW09 R12.1 Standalone SolutionsOOW09 R12.1 Standalone Solutions
OOW09 R12.1 Standalone Solutions
jucaab
 
How WillScot-Mobile Mini Utilized Enterprise Data Management for Business Tra...
How WillScot-Mobile Mini Utilized Enterprise Data Management for Business Tra...How WillScot-Mobile Mini Utilized Enterprise Data Management for Business Tra...
How WillScot-Mobile Mini Utilized Enterprise Data Management for Business Tra...
Alithya
 
Case Study: Using EDMCS to Solve Master Data Challenges
Case Study:  Using EDMCS to Solve Master Data ChallengesCase Study:  Using EDMCS to Solve Master Data Challenges
Case Study: Using EDMCS to Solve Master Data Challenges
Alithya
 
Cycling Off FDM Classic on Steroids and Taking a Dose of FDMEE HGH
Cycling Off FDM Classic on Steroids and Taking a Dose of FDMEE HGHCycling Off FDM Classic on Steroids and Taking a Dose of FDMEE HGH
Cycling Off FDM Classic on Steroids and Taking a Dose of FDMEE HGH
Alithya
 
FDMEE Can Do That?
FDMEE Can Do That?FDMEE Can Do That?
FDMEE Can Do That?
Alithya
 
Viasat Launches to the Cloud with Oracle Enterprise Data Management
Viasat Launches to the Cloud with Oracle Enterprise Data Management Viasat Launches to the Cloud with Oracle Enterprise Data Management
Viasat Launches to the Cloud with Oracle Enterprise Data Management
Alithya
 
Deep Dive into Salesforce Integrations: Mapping Engines
Deep Dive into Salesforce Integrations:  Mapping EnginesDeep Dive into Salesforce Integrations:  Mapping Engines
Deep Dive into Salesforce Integrations: Mapping Engines
CRMScienceKirk
 
Oracle EPM Road Map Strategy
Oracle EPM Road Map StrategyOracle EPM Road Map Strategy
Oracle EPM Road Map Strategy
Mitch Duffus
 
EPM Cloud Integration at CareFirst
EPM Cloud Integration at CareFirstEPM Cloud Integration at CareFirst
EPM Cloud Integration at CareFirst
Alithya
 
Your path to Oracle ERP Cloud
Your path to Oracle ERP CloudYour path to Oracle ERP Cloud
Your path to Oracle ERP Cloud
Robert Jansen
 
A Journey to Profitability with Oracle PCMCS
A Journey to Profitability with Oracle PCMCSA Journey to Profitability with Oracle PCMCS
A Journey to Profitability with Oracle PCMCS
Alithya
 
Sending Hyperion Planning to the Cloud
Sending Hyperion Planning to the CloudSending Hyperion Planning to the Cloud
Sending Hyperion Planning to the Cloud
US-Analytics
 
Budgeting using hyperion planning vs essbase
Budgeting using hyperion planning vs essbaseBudgeting using hyperion planning vs essbase
Budgeting using hyperion planning vs essbase
Syntelli Solutions
 
Advanced level planning and budgeting in Hyperion - Inge Prangel
Advanced level planning and budgeting in Hyperion - Inge PrangelAdvanced level planning and budgeting in Hyperion - Inge Prangel
Advanced level planning and budgeting in Hyperion - Inge Prangel
ORACLE USER GROUP ESTONIA
 
Oracle ERP Cloud implementation tips
Oracle ERP Cloud implementation tipsOracle ERP Cloud implementation tips
Oracle ERP Cloud implementation tips
Prabal Saha
 

Similar to Essbase Calculations: Elements of Style (20)

Empowering Users with Analytical MDX
Empowering Users with Analytical MDXEmpowering Users with Analytical MDX
Empowering Users with Analytical MDX
Alithya
 
My Favorite Calc Code
My Favorite Calc CodeMy Favorite Calc Code
My Favorite Calc Code
Alithya
 
C:\Fakepath\Combating Software Entropy 2
C:\Fakepath\Combating Software Entropy 2C:\Fakepath\Combating Software Entropy 2
C:\Fakepath\Combating Software Entropy 2
Hammad Rajjoub
 
C:\Fakepath\Combating Software Entropy 2
C:\Fakepath\Combating Software Entropy 2C:\Fakepath\Combating Software Entropy 2
C:\Fakepath\Combating Software Entropy 2
Hammad Rajjoub
 
A Deep Dive into HPCM for Planning and Essbase Professionals
A Deep Dive into HPCM for Planning and Essbase ProfessionalsA Deep Dive into HPCM for Planning and Essbase Professionals
A Deep Dive into HPCM for Planning and Essbase Professionals
Alithya
 
Using feature teams to deliver high business value
Using feature teams to deliver high business valueUsing feature teams to deliver high business value
Using feature teams to deliver high business value
Thoughtworks
 
Understanding Code Formats in Vista
Understanding Code Formats in VistaUnderstanding Code Formats in Vista
Understanding Code Formats in Vista
Visibility by Design
 
Apex Enterprise Patterns: Building Strong Foundations
Apex Enterprise Patterns: Building Strong FoundationsApex Enterprise Patterns: Building Strong Foundations
Apex Enterprise Patterns: Building Strong Foundations
Salesforce Developers
 
Resume
ResumeResume
Resume
Tarun1990
 
Improving The Quality of Existing Software
Improving The Quality of Existing SoftwareImproving The Quality of Existing Software
Improving The Quality of Existing Software
Steven Smith
 
BP101 - 10 Things to Consider when Developing & Deploying Applications in Lar...
BP101 - 10 Things to Consider when Developing & Deploying Applications in Lar...BP101 - 10 Things to Consider when Developing & Deploying Applications in Lar...
BP101 - 10 Things to Consider when Developing & Deploying Applications in Lar...
Martijn de Jong
 
EBS Answers Webinar Series - Tricks for Optimizing Cross-Validation Rules in ...
EBS Answers Webinar Series - Tricks for Optimizing Cross-Validation Rules in ...EBS Answers Webinar Series - Tricks for Optimizing Cross-Validation Rules in ...
EBS Answers Webinar Series - Tricks for Optimizing Cross-Validation Rules in ...
eprentise
 
EBS Answers Webinar Series - Chart of Accounts Transformation Master Class: T...
EBS Answers Webinar Series - Chart of Accounts Transformation Master Class: T...EBS Answers Webinar Series - Chart of Accounts Transformation Master Class: T...
EBS Answers Webinar Series - Chart of Accounts Transformation Master Class: T...
eprentise
 
SAP performance testing & engineering courseware v01
SAP performance testing & engineering courseware v01SAP performance testing & engineering courseware v01
SAP performance testing & engineering courseware v01
Argos
 
Abcxyz
AbcxyzAbcxyz
Abcxyz
vacbalolenvadi90
 
01 surya bpc_script_ppt
01 surya bpc_script_ppt01 surya bpc_script_ppt
01 surya bpc_script_ppt
Surya Padhi
 
PURPOSE of the project is Williams Specialty Company (WSC) reque.docx
PURPOSE of the project is Williams Specialty Company (WSC) reque.docxPURPOSE of the project is Williams Specialty Company (WSC) reque.docx
PURPOSE of the project is Williams Specialty Company (WSC) reque.docx
amrit47
 
Java ISP - Interface Segregation Principle
Java ISP - Interface Segregation PrincipleJava ISP - Interface Segregation Principle
Java ISP - Interface Segregation Principle
syazani43
 
Explain the explain_plan
Explain the explain_planExplain the explain_plan
Explain the explain_plan
Maria Colgan
 
Modern Database Development Oow2008 Lucas Jellema
Modern Database Development Oow2008 Lucas JellemaModern Database Development Oow2008 Lucas Jellema
Modern Database Development Oow2008 Lucas Jellema
Lucas Jellema
 
Empowering Users with Analytical MDX
Empowering Users with Analytical MDXEmpowering Users with Analytical MDX
Empowering Users with Analytical MDX
Alithya
 
My Favorite Calc Code
My Favorite Calc CodeMy Favorite Calc Code
My Favorite Calc Code
Alithya
 
C:\Fakepath\Combating Software Entropy 2
C:\Fakepath\Combating Software Entropy 2C:\Fakepath\Combating Software Entropy 2
C:\Fakepath\Combating Software Entropy 2
Hammad Rajjoub
 
C:\Fakepath\Combating Software Entropy 2
C:\Fakepath\Combating Software Entropy 2C:\Fakepath\Combating Software Entropy 2
C:\Fakepath\Combating Software Entropy 2
Hammad Rajjoub
 
A Deep Dive into HPCM for Planning and Essbase Professionals
A Deep Dive into HPCM for Planning and Essbase ProfessionalsA Deep Dive into HPCM for Planning and Essbase Professionals
A Deep Dive into HPCM for Planning and Essbase Professionals
Alithya
 
Using feature teams to deliver high business value
Using feature teams to deliver high business valueUsing feature teams to deliver high business value
Using feature teams to deliver high business value
Thoughtworks
 
Understanding Code Formats in Vista
Understanding Code Formats in VistaUnderstanding Code Formats in Vista
Understanding Code Formats in Vista
Visibility by Design
 
Apex Enterprise Patterns: Building Strong Foundations
Apex Enterprise Patterns: Building Strong FoundationsApex Enterprise Patterns: Building Strong Foundations
Apex Enterprise Patterns: Building Strong Foundations
Salesforce Developers
 
Improving The Quality of Existing Software
Improving The Quality of Existing SoftwareImproving The Quality of Existing Software
Improving The Quality of Existing Software
Steven Smith
 
BP101 - 10 Things to Consider when Developing & Deploying Applications in Lar...
BP101 - 10 Things to Consider when Developing & Deploying Applications in Lar...BP101 - 10 Things to Consider when Developing & Deploying Applications in Lar...
BP101 - 10 Things to Consider when Developing & Deploying Applications in Lar...
Martijn de Jong
 
EBS Answers Webinar Series - Tricks for Optimizing Cross-Validation Rules in ...
EBS Answers Webinar Series - Tricks for Optimizing Cross-Validation Rules in ...EBS Answers Webinar Series - Tricks for Optimizing Cross-Validation Rules in ...
EBS Answers Webinar Series - Tricks for Optimizing Cross-Validation Rules in ...
eprentise
 
EBS Answers Webinar Series - Chart of Accounts Transformation Master Class: T...
EBS Answers Webinar Series - Chart of Accounts Transformation Master Class: T...EBS Answers Webinar Series - Chart of Accounts Transformation Master Class: T...
EBS Answers Webinar Series - Chart of Accounts Transformation Master Class: T...
eprentise
 
SAP performance testing & engineering courseware v01
SAP performance testing & engineering courseware v01SAP performance testing & engineering courseware v01
SAP performance testing & engineering courseware v01
Argos
 
01 surya bpc_script_ppt
01 surya bpc_script_ppt01 surya bpc_script_ppt
01 surya bpc_script_ppt
Surya Padhi
 
PURPOSE of the project is Williams Specialty Company (WSC) reque.docx
PURPOSE of the project is Williams Specialty Company (WSC) reque.docxPURPOSE of the project is Williams Specialty Company (WSC) reque.docx
PURPOSE of the project is Williams Specialty Company (WSC) reque.docx
amrit47
 
Java ISP - Interface Segregation Principle
Java ISP - Interface Segregation PrincipleJava ISP - Interface Segregation Principle
Java ISP - Interface Segregation Principle
syazani43
 
Explain the explain_plan
Explain the explain_planExplain the explain_plan
Explain the explain_plan
Maria Colgan
 
Modern Database Development Oow2008 Lucas Jellema
Modern Database Development Oow2008 Lucas JellemaModern Database Development Oow2008 Lucas Jellema
Modern Database Development Oow2008 Lucas Jellema
Lucas Jellema
 
Ad

More from Alithya (20)

Journey to the Oracle Talent Management Cloud
Journey to the Oracle Talent Management CloudJourney to the Oracle Talent Management Cloud
Journey to the Oracle Talent Management Cloud
Alithya
 
What Did I Miss? Addressing Non-Traditional Reconciliations in AR and Data In...
What Did I Miss? Addressing Non-Traditional Reconciliations in AR and Data In...What Did I Miss? Addressing Non-Traditional Reconciliations in AR and Data In...
What Did I Miss? Addressing Non-Traditional Reconciliations in AR and Data In...
Alithya
 
Leading Practices in Multi-Pillar Oracle Cloud Implementations
Leading Practices in Multi-Pillar Oracle Cloud ImplementationsLeading Practices in Multi-Pillar Oracle Cloud Implementations
Leading Practices in Multi-Pillar Oracle Cloud Implementations
Alithya
 
Why and How to Implement Operation Transfer Pricing (OTP) with Oracle EPM Cloud
Why and How to Implement Operation Transfer Pricing (OTP) with Oracle EPM Cloud Why and How to Implement Operation Transfer Pricing (OTP) with Oracle EPM Cloud
Why and How to Implement Operation Transfer Pricing (OTP) with Oracle EPM Cloud
Alithya
 
How to Deploy & Integrate Oracle EPM Cloud Profitability and Cost Management ...
How to Deploy & Integrate Oracle EPM Cloud Profitability and Cost Management ...How to Deploy & Integrate Oracle EPM Cloud Profitability and Cost Management ...
How to Deploy & Integrate Oracle EPM Cloud Profitability and Cost Management ...
Alithya
 
Workforce Plus: Tips and Tricks to Give Workforce an Extra Kick!
Workforce Plus: Tips and Tricks to Give Workforce an Extra Kick! Workforce Plus: Tips and Tricks to Give Workforce an Extra Kick!
Workforce Plus: Tips and Tricks to Give Workforce an Extra Kick!
Alithya
 
How to Allocate Your Close Time More Effectively
How to Allocate Your Close Time More EffectivelyHow to Allocate Your Close Time More Effectively
How to Allocate Your Close Time More Effectively
Alithya
 
How Do I Love Cash Flow? Let Me Count the Ways…
How Do I Love Cash Flow? Let Me Count the Ways… How Do I Love Cash Flow? Let Me Count the Ways…
How Do I Love Cash Flow? Let Me Count the Ways…
Alithya
 
❤️ Matchmaker, Make Me a Match: Can AR Intercompany Matchmaking Tools Be a Pe...
❤️ Matchmaker, Make Me a Match: Can AR Intercompany Matchmaking Tools Be a Pe...❤️ Matchmaker, Make Me a Match: Can AR Intercompany Matchmaking Tools Be a Pe...
❤️ Matchmaker, Make Me a Match: Can AR Intercompany Matchmaking Tools Be a Pe...
Alithya
 
Legg Mason’s Enterprise, Profit Driven Quest with Oracle EPM Cloud
Legg Mason’s Enterprise, Profit Driven Quest with Oracle EPM CloudLegg Mason’s Enterprise, Profit Driven Quest with Oracle EPM Cloud
Legg Mason’s Enterprise, Profit Driven Quest with Oracle EPM Cloud
Alithya
 
Supply Chain Advisory and MMIS System Oracle Implementation
Supply Chain Advisory and MMIS System Oracle ImplementationSupply Chain Advisory and MMIS System Oracle Implementation
Supply Chain Advisory and MMIS System Oracle Implementation
Alithya
 
Digital Transformation in Healthcare: Journey to Oracle Cloud for Integrated,...
Digital Transformation in Healthcare: Journey to Oracle Cloud for Integrated,...Digital Transformation in Healthcare: Journey to Oracle Cloud for Integrated,...
Digital Transformation in Healthcare: Journey to Oracle Cloud for Integrated,...
Alithya
 
nter-pod Revolutions: Connected Enterprise Solution in Oracle EPM Cloud
nter-pod Revolutions: Connected Enterprise Solution in Oracle EPM Cloud nter-pod Revolutions: Connected Enterprise Solution in Oracle EPM Cloud
nter-pod Revolutions: Connected Enterprise Solution in Oracle EPM Cloud
Alithya
 
ODTUG Configuring Workforce: Employee? Job? or Both?
ODTUG Configuring Workforce: Employee? Job? or Both? ODTUG Configuring Workforce: Employee? Job? or Both?
ODTUG Configuring Workforce: Employee? Job? or Both?
Alithya
 
Oracle Cloud Time and Labor: Default Payroll Rate, Override Rate and Flat Dol...
Oracle Cloud Time and Labor: Default Payroll Rate, Override Rate and Flat Dol...Oracle Cloud Time and Labor: Default Payroll Rate, Override Rate and Flat Dol...
Oracle Cloud Time and Labor: Default Payroll Rate, Override Rate and Flat Dol...
Alithya
 
AUSOUG I Am Paying for my Cloud License. What's Next?
AUSOUG I Am Paying for my Cloud License. What's Next?AUSOUG I Am Paying for my Cloud License. What's Next?
AUSOUG I Am Paying for my Cloud License. What's Next?
Alithya
 
Taking Off to Flying Solo: Tracing Wright Medical’s Flight Plan into the Cloud
Taking Off to Flying Solo: Tracing Wright Medical’s Flight Plan into the CloudTaking Off to Flying Solo: Tracing Wright Medical’s Flight Plan into the Cloud
Taking Off to Flying Solo: Tracing Wright Medical’s Flight Plan into the Cloud
Alithya
 
Just the Facts: Debunking Misconceptions about Enterprise Data Management
 Just the Facts: Debunking Misconceptions about Enterprise Data Management Just the Facts: Debunking Misconceptions about Enterprise Data Management
Just the Facts: Debunking Misconceptions about Enterprise Data Management
Alithya
 
OATUG Forum - Utilizing Groovy and Data Maps for Instantaneous Analysis betw...
OATUG  Forum - Utilizing Groovy and Data Maps for Instantaneous Analysis betw...OATUG  Forum - Utilizing Groovy and Data Maps for Instantaneous Analysis betw...
OATUG Forum - Utilizing Groovy and Data Maps for Instantaneous Analysis betw...
Alithya
 
OATUG Forum - Think Outside the Close
OATUG Forum - Think Outside the Close OATUG Forum - Think Outside the Close
OATUG Forum - Think Outside the Close
Alithya
 
Journey to the Oracle Talent Management Cloud
Journey to the Oracle Talent Management CloudJourney to the Oracle Talent Management Cloud
Journey to the Oracle Talent Management Cloud
Alithya
 
What Did I Miss? Addressing Non-Traditional Reconciliations in AR and Data In...
What Did I Miss? Addressing Non-Traditional Reconciliations in AR and Data In...What Did I Miss? Addressing Non-Traditional Reconciliations in AR and Data In...
What Did I Miss? Addressing Non-Traditional Reconciliations in AR and Data In...
Alithya
 
Leading Practices in Multi-Pillar Oracle Cloud Implementations
Leading Practices in Multi-Pillar Oracle Cloud ImplementationsLeading Practices in Multi-Pillar Oracle Cloud Implementations
Leading Practices in Multi-Pillar Oracle Cloud Implementations
Alithya
 
Why and How to Implement Operation Transfer Pricing (OTP) with Oracle EPM Cloud
Why and How to Implement Operation Transfer Pricing (OTP) with Oracle EPM Cloud Why and How to Implement Operation Transfer Pricing (OTP) with Oracle EPM Cloud
Why and How to Implement Operation Transfer Pricing (OTP) with Oracle EPM Cloud
Alithya
 
How to Deploy & Integrate Oracle EPM Cloud Profitability and Cost Management ...
How to Deploy & Integrate Oracle EPM Cloud Profitability and Cost Management ...How to Deploy & Integrate Oracle EPM Cloud Profitability and Cost Management ...
How to Deploy & Integrate Oracle EPM Cloud Profitability and Cost Management ...
Alithya
 
Workforce Plus: Tips and Tricks to Give Workforce an Extra Kick!
Workforce Plus: Tips and Tricks to Give Workforce an Extra Kick! Workforce Plus: Tips and Tricks to Give Workforce an Extra Kick!
Workforce Plus: Tips and Tricks to Give Workforce an Extra Kick!
Alithya
 
How to Allocate Your Close Time More Effectively
How to Allocate Your Close Time More EffectivelyHow to Allocate Your Close Time More Effectively
How to Allocate Your Close Time More Effectively
Alithya
 
How Do I Love Cash Flow? Let Me Count the Ways…
How Do I Love Cash Flow? Let Me Count the Ways… How Do I Love Cash Flow? Let Me Count the Ways…
How Do I Love Cash Flow? Let Me Count the Ways…
Alithya
 
❤️ Matchmaker, Make Me a Match: Can AR Intercompany Matchmaking Tools Be a Pe...
❤️ Matchmaker, Make Me a Match: Can AR Intercompany Matchmaking Tools Be a Pe...❤️ Matchmaker, Make Me a Match: Can AR Intercompany Matchmaking Tools Be a Pe...
❤️ Matchmaker, Make Me a Match: Can AR Intercompany Matchmaking Tools Be a Pe...
Alithya
 
Legg Mason’s Enterprise, Profit Driven Quest with Oracle EPM Cloud
Legg Mason’s Enterprise, Profit Driven Quest with Oracle EPM CloudLegg Mason’s Enterprise, Profit Driven Quest with Oracle EPM Cloud
Legg Mason’s Enterprise, Profit Driven Quest with Oracle EPM Cloud
Alithya
 
Supply Chain Advisory and MMIS System Oracle Implementation
Supply Chain Advisory and MMIS System Oracle ImplementationSupply Chain Advisory and MMIS System Oracle Implementation
Supply Chain Advisory and MMIS System Oracle Implementation
Alithya
 
Digital Transformation in Healthcare: Journey to Oracle Cloud for Integrated,...
Digital Transformation in Healthcare: Journey to Oracle Cloud for Integrated,...Digital Transformation in Healthcare: Journey to Oracle Cloud for Integrated,...
Digital Transformation in Healthcare: Journey to Oracle Cloud for Integrated,...
Alithya
 
nter-pod Revolutions: Connected Enterprise Solution in Oracle EPM Cloud
nter-pod Revolutions: Connected Enterprise Solution in Oracle EPM Cloud nter-pod Revolutions: Connected Enterprise Solution in Oracle EPM Cloud
nter-pod Revolutions: Connected Enterprise Solution in Oracle EPM Cloud
Alithya
 
ODTUG Configuring Workforce: Employee? Job? or Both?
ODTUG Configuring Workforce: Employee? Job? or Both? ODTUG Configuring Workforce: Employee? Job? or Both?
ODTUG Configuring Workforce: Employee? Job? or Both?
Alithya
 
Oracle Cloud Time and Labor: Default Payroll Rate, Override Rate and Flat Dol...
Oracle Cloud Time and Labor: Default Payroll Rate, Override Rate and Flat Dol...Oracle Cloud Time and Labor: Default Payroll Rate, Override Rate and Flat Dol...
Oracle Cloud Time and Labor: Default Payroll Rate, Override Rate and Flat Dol...
Alithya
 
AUSOUG I Am Paying for my Cloud License. What's Next?
AUSOUG I Am Paying for my Cloud License. What's Next?AUSOUG I Am Paying for my Cloud License. What's Next?
AUSOUG I Am Paying for my Cloud License. What's Next?
Alithya
 
Taking Off to Flying Solo: Tracing Wright Medical’s Flight Plan into the Cloud
Taking Off to Flying Solo: Tracing Wright Medical’s Flight Plan into the CloudTaking Off to Flying Solo: Tracing Wright Medical’s Flight Plan into the Cloud
Taking Off to Flying Solo: Tracing Wright Medical’s Flight Plan into the Cloud
Alithya
 
Just the Facts: Debunking Misconceptions about Enterprise Data Management
 Just the Facts: Debunking Misconceptions about Enterprise Data Management Just the Facts: Debunking Misconceptions about Enterprise Data Management
Just the Facts: Debunking Misconceptions about Enterprise Data Management
Alithya
 
OATUG Forum - Utilizing Groovy and Data Maps for Instantaneous Analysis betw...
OATUG  Forum - Utilizing Groovy and Data Maps for Instantaneous Analysis betw...OATUG  Forum - Utilizing Groovy and Data Maps for Instantaneous Analysis betw...
OATUG Forum - Utilizing Groovy and Data Maps for Instantaneous Analysis betw...
Alithya
 
OATUG Forum - Think Outside the Close
OATUG Forum - Think Outside the Close OATUG Forum - Think Outside the Close
OATUG Forum - Think Outside the Close
Alithya
 
Ad

Recently uploaded (20)

tecnologias de las primeras civilizaciones.pdf
tecnologias de las primeras civilizaciones.pdftecnologias de las primeras civilizaciones.pdf
tecnologias de las primeras civilizaciones.pdf
fjgm517
 
Linux Professional Institute LPIC-1 Exam.pdf
Linux Professional Institute LPIC-1 Exam.pdfLinux Professional Institute LPIC-1 Exam.pdf
Linux Professional Institute LPIC-1 Exam.pdf
RHCSA Guru
 
Special Meetup Edition - TDX Bengaluru Meetup #52.pptx
Special Meetup Edition - TDX Bengaluru Meetup #52.pptxSpecial Meetup Edition - TDX Bengaluru Meetup #52.pptx
Special Meetup Edition - TDX Bengaluru Meetup #52.pptx
shyamraj55
 
Big Data Analytics Quick Research Guide by Arthur Morgan
Big Data Analytics Quick Research Guide by Arthur MorganBig Data Analytics Quick Research Guide by Arthur Morgan
Big Data Analytics Quick Research Guide by Arthur Morgan
Arthur Morgan
 
Linux Support for SMARC: How Toradex Empowers Embedded Developers
Linux Support for SMARC: How Toradex Empowers Embedded DevelopersLinux Support for SMARC: How Toradex Empowers Embedded Developers
Linux Support for SMARC: How Toradex Empowers Embedded Developers
Toradex
 
UiPath Community Berlin: Orchestrator API, Swagger, and Test Manager API
UiPath Community Berlin: Orchestrator API, Swagger, and Test Manager APIUiPath Community Berlin: Orchestrator API, Swagger, and Test Manager API
UiPath Community Berlin: Orchestrator API, Swagger, and Test Manager API
UiPathCommunity
 
Semantic Cultivators : The Critical Future Role to Enable AI
Semantic Cultivators : The Critical Future Role to Enable AISemantic Cultivators : The Critical Future Role to Enable AI
Semantic Cultivators : The Critical Future Role to Enable AI
artmondano
 
HCL Nomad Web – Best Practices and Managing Multiuser Environments
HCL Nomad Web – Best Practices and Managing Multiuser EnvironmentsHCL Nomad Web – Best Practices and Managing Multiuser Environments
HCL Nomad Web – Best Practices and Managing Multiuser Environments
panagenda
 
What is Model Context Protocol(MCP) - The new technology for communication bw...
What is Model Context Protocol(MCP) - The new technology for communication bw...What is Model Context Protocol(MCP) - The new technology for communication bw...
What is Model Context Protocol(MCP) - The new technology for communication bw...
Vishnu Singh Chundawat
 
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
Alan Dix
 
Designing Low-Latency Systems with Rust and ScyllaDB: An Architectural Deep Dive
Designing Low-Latency Systems with Rust and ScyllaDB: An Architectural Deep DiveDesigning Low-Latency Systems with Rust and ScyllaDB: An Architectural Deep Dive
Designing Low-Latency Systems with Rust and ScyllaDB: An Architectural Deep Dive
ScyllaDB
 
Splunk Security Update | Public Sector Summit Germany 2025
Splunk Security Update | Public Sector Summit Germany 2025Splunk Security Update | Public Sector Summit Germany 2025
Splunk Security Update | Public Sector Summit Germany 2025
Splunk
 
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
BookNet Canada
 
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Impelsys Inc.
 
AI EngineHost Review: Revolutionary USA Datacenter-Based Hosting with NVIDIA ...
AI EngineHost Review: Revolutionary USA Datacenter-Based Hosting with NVIDIA ...AI EngineHost Review: Revolutionary USA Datacenter-Based Hosting with NVIDIA ...
AI EngineHost Review: Revolutionary USA Datacenter-Based Hosting with NVIDIA ...
SOFTTECHHUB
 
Andrew Marnell: Transforming Business Strategy Through Data-Driven Insights
Andrew Marnell: Transforming Business Strategy Through Data-Driven InsightsAndrew Marnell: Transforming Business Strategy Through Data-Driven Insights
Andrew Marnell: Transforming Business Strategy Through Data-Driven Insights
Andrew Marnell
 
Build Your Own Copilot & Agents For Devs
Build Your Own Copilot & Agents For DevsBuild Your Own Copilot & Agents For Devs
Build Your Own Copilot & Agents For Devs
Brian McKeiver
 
Heap, Types of Heap, Insertion and Deletion
Heap, Types of Heap, Insertion and DeletionHeap, Types of Heap, Insertion and Deletion
Heap, Types of Heap, Insertion and Deletion
Jaydeep Kale
 
Generative Artificial Intelligence (GenAI) in Business
Generative Artificial Intelligence (GenAI) in BusinessGenerative Artificial Intelligence (GenAI) in Business
Generative Artificial Intelligence (GenAI) in Business
Dr. Tathagat Varma
 
Cyber Awareness overview for 2025 month of security
Cyber Awareness overview for 2025 month of securityCyber Awareness overview for 2025 month of security
Cyber Awareness overview for 2025 month of security
riccardosl1
 
tecnologias de las primeras civilizaciones.pdf
tecnologias de las primeras civilizaciones.pdftecnologias de las primeras civilizaciones.pdf
tecnologias de las primeras civilizaciones.pdf
fjgm517
 
Linux Professional Institute LPIC-1 Exam.pdf
Linux Professional Institute LPIC-1 Exam.pdfLinux Professional Institute LPIC-1 Exam.pdf
Linux Professional Institute LPIC-1 Exam.pdf
RHCSA Guru
 
Special Meetup Edition - TDX Bengaluru Meetup #52.pptx
Special Meetup Edition - TDX Bengaluru Meetup #52.pptxSpecial Meetup Edition - TDX Bengaluru Meetup #52.pptx
Special Meetup Edition - TDX Bengaluru Meetup #52.pptx
shyamraj55
 
Big Data Analytics Quick Research Guide by Arthur Morgan
Big Data Analytics Quick Research Guide by Arthur MorganBig Data Analytics Quick Research Guide by Arthur Morgan
Big Data Analytics Quick Research Guide by Arthur Morgan
Arthur Morgan
 
Linux Support for SMARC: How Toradex Empowers Embedded Developers
Linux Support for SMARC: How Toradex Empowers Embedded DevelopersLinux Support for SMARC: How Toradex Empowers Embedded Developers
Linux Support for SMARC: How Toradex Empowers Embedded Developers
Toradex
 
UiPath Community Berlin: Orchestrator API, Swagger, and Test Manager API
UiPath Community Berlin: Orchestrator API, Swagger, and Test Manager APIUiPath Community Berlin: Orchestrator API, Swagger, and Test Manager API
UiPath Community Berlin: Orchestrator API, Swagger, and Test Manager API
UiPathCommunity
 
Semantic Cultivators : The Critical Future Role to Enable AI
Semantic Cultivators : The Critical Future Role to Enable AISemantic Cultivators : The Critical Future Role to Enable AI
Semantic Cultivators : The Critical Future Role to Enable AI
artmondano
 
HCL Nomad Web – Best Practices and Managing Multiuser Environments
HCL Nomad Web – Best Practices and Managing Multiuser EnvironmentsHCL Nomad Web – Best Practices and Managing Multiuser Environments
HCL Nomad Web – Best Practices and Managing Multiuser Environments
panagenda
 
What is Model Context Protocol(MCP) - The new technology for communication bw...
What is Model Context Protocol(MCP) - The new technology for communication bw...What is Model Context Protocol(MCP) - The new technology for communication bw...
What is Model Context Protocol(MCP) - The new technology for communication bw...
Vishnu Singh Chundawat
 
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
Alan Dix
 
Designing Low-Latency Systems with Rust and ScyllaDB: An Architectural Deep Dive
Designing Low-Latency Systems with Rust and ScyllaDB: An Architectural Deep DiveDesigning Low-Latency Systems with Rust and ScyllaDB: An Architectural Deep Dive
Designing Low-Latency Systems with Rust and ScyllaDB: An Architectural Deep Dive
ScyllaDB
 
Splunk Security Update | Public Sector Summit Germany 2025
Splunk Security Update | Public Sector Summit Germany 2025Splunk Security Update | Public Sector Summit Germany 2025
Splunk Security Update | Public Sector Summit Germany 2025
Splunk
 
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
BookNet Canada
 
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Impelsys Inc.
 
AI EngineHost Review: Revolutionary USA Datacenter-Based Hosting with NVIDIA ...
AI EngineHost Review: Revolutionary USA Datacenter-Based Hosting with NVIDIA ...AI EngineHost Review: Revolutionary USA Datacenter-Based Hosting with NVIDIA ...
AI EngineHost Review: Revolutionary USA Datacenter-Based Hosting with NVIDIA ...
SOFTTECHHUB
 
Andrew Marnell: Transforming Business Strategy Through Data-Driven Insights
Andrew Marnell: Transforming Business Strategy Through Data-Driven InsightsAndrew Marnell: Transforming Business Strategy Through Data-Driven Insights
Andrew Marnell: Transforming Business Strategy Through Data-Driven Insights
Andrew Marnell
 
Build Your Own Copilot & Agents For Devs
Build Your Own Copilot & Agents For DevsBuild Your Own Copilot & Agents For Devs
Build Your Own Copilot & Agents For Devs
Brian McKeiver
 
Heap, Types of Heap, Insertion and Deletion
Heap, Types of Heap, Insertion and DeletionHeap, Types of Heap, Insertion and Deletion
Heap, Types of Heap, Insertion and Deletion
Jaydeep Kale
 
Generative Artificial Intelligence (GenAI) in Business
Generative Artificial Intelligence (GenAI) in BusinessGenerative Artificial Intelligence (GenAI) in Business
Generative Artificial Intelligence (GenAI) in Business
Dr. Tathagat Varma
 
Cyber Awareness overview for 2025 month of security
Cyber Awareness overview for 2025 month of securityCyber Awareness overview for 2025 month of security
Cyber Awareness overview for 2025 month of security
riccardosl1
 

Essbase Calculations: Elements of Style

  • 1. Essbase Calculations: Elements of Style Ron Moore Principal Architect, Alithya
  • 2. ABOUT THE SPEAKER Ron Moore > Principal Architect at Alithya > Over 20 years Essbase consulting and training experience > Certified in Essbase, Planning and R programming > Many webcasts and KScope sessions > 19 Oracle University Quality Awards [email protected] 2
  • 3. Oracle ERP, EPM, & Analytics ARE in our DNA ALITHYA delivers end-to-end ERP, EPM, & Analytics solutions and is a leading Oracle Cloud and On-Premise Partner 4,000+ Oracle Implementations1,000+ Oracle Customers23+ Years Driving Finance Process Improvements for Our Clients 7 Oracle ACEs Seasoned delivery team with avg 8 years serving clients Adaptable Deployment Models Experienced management team with avg 15 years in the company Certified Cloud Resources Diverse Client Portfolio & Industry ExpertiseTeam Highlights Retail Technology CPG and Manufacturing Healthcare AnalyticsEPM Energy/ Utilities Financial Services Hybrid CloudOn-premise ERP
  • 4. SESSION OBJECTIVES > MEANINGFUL soft/stylistic techniques that contribute to BETTER calc scripts/business rules > Targeted to Essbase CALC, but parts are relevant outside that domain > NOT about optimization > NOT about “content” best practices > NOT a rigid mandate
  • 5. BETTER CALC SCRIPTS: DOES STYLE MATTER AND WHY > Objectives > First, make it correct > Then, make it fast > Then, make it clear > Costs > Development cost > Maintenance cost > Clear, easily understandable code reduces maintenance costs and promotes reusability. That’s an enormous improvement in ROI.
  • 6. CALC CODE STYLE IN THREE PARTS Design Great calculation results depend on outline structure, order of processing and a clear understanding of requirements. Great calc code starts with great design. Readability Easier to understand means easier and cheaper to create, modify and maintain. More readable code delivers higher ROI. Mechanics There are a few basic best practices to make your code more reliable, faster and easier to understand. 6
  • 8. GREAT CODE STARTS WITH GREAT DESIGN If you think good architecture is expensive, try bad architecture.“ - Brian Foote > Lay it out in Excel > Control data > Who can run it, how and why? > Specify the treatment of every dimension > Think about processing from a dimensional and block structure point of view
  • 9. GROK THE BLOCK > The single best optimization practice is to reduce the number of blocks processed. > Application: > Assuming Accounts is dense do BS and IS in the same script and same FIX rather than separate scripts or separate FIX statements > Think through everything that needs to be done to a set of blocks and if possible do it all in the same pass > (Almost) Always fix on Level 0 blocks for the main calcs, and decide if/what to aggregate later.
  • 10. STAY DRY > Don’t Repeat Yourself v Write Every Time > Wet requires multiple points of maintenance which takes more time and increases errors Hunt and Thomas, The Pragmatic Programmer, https://en.wikipedia.org/wiki/Don%27t_repeat_yourself
  • 11. THINK DIMENSIONALLY 11 > He's intelligent but lacks experience. His is pattern indicates, two dimensional thinking.
  • 12. TAKE ADVANTAGE OF DIMENSIONALITY > The members in the fix statement and the member on the Left taken together set the scope of the calculation. You can usually swap them for convenience.
  • 13. TAKE ADVANTAGE OF DIMENSIONALITY: “VIEW” DIMENSION CONCEPT 13 Consider this Accts Dim Add YTD But adding members requires maintenance A “View” dimension requires almost no maintenance
  • 14. TAKE ADVANTAGE OF DIMENSIONALITY: WHERE SHOULD I PUT THIS CALCULATION? > Principle: Every member intersects with all members of every other dimension > Application: If you want a member to intersect with specific members you have to locate it on a different dimension than the members it should intersect > Q:Should “CurrMonth v PriorMonth” go on the Scenario or the Period dimension? > A: If you want to see it for Actual, Plan and Forecast it can’t go on the Scenario dimension, so it would have to be Period > Twist: What if you wanted to see “CurrMonth v PriorMonth” for every month? > A: Use a View dimension 14
  • 16. STANDARDIZE AND USE NAMING CONVENTIONS > What might be ambiguous or cause errors? How can I communicate purpose and requirements? > verb/Noun > Data Type > Case > Abbreviations
  • 17. CREATE A STYLE GUIDE FOR YOUR ORGANIZATION > Member names > Variable names > Script names (CALC, MaxL, MDX, Bat, Other) > Other Essbase artifacts Promote Prevent Consistency Collisions when a shared artifact is and used incorrectly Communication Errors when code is reused Reusability
  • 18. DATA LOAD RULE NAMING CONVENTION EXAMPLE 18 File File Name Data Load Source file FY20Acutals.txt Data Load Rule lFY20Act.rul MaxL procedure lFY20Act.mxl Batch file to launch Maxl lFY20Act.bat Err file lFY20Act.err • Dimension Build rules start with b and then include 7 characters of the filename • Data Load rules start with l and then include 7 characters of the filename
  • 19. VARIABLE NAMING 19 Variable Type Identification/Ambiguity Suggestions Substitution Variables Run Time Substitution variables • Identified by & • Usually a member name but can be virtually any text • Same name can be used for server, app or db scope Identify scope e.g. finplanCurrYear Identify dimension e.g. scenarioFcst VAR • Single position local variable • No easy identification Identify it as variable e.g. vDaysInMonth ARRAY • Multiple position variable • No easy identification • Inherits size form associated dimension Identify is as an array variable and its dimension e.g. atimeDaysInMonth Run-Time prompts • Identified by {} • 12 different types that require different types of values • Different scope levels Identify the type and for some types the dimension e.g msGeos Identify the scope What might be ambiguous or cause errors? How can I communicate purpose and requirements?
  • 20. CALC SCRIPT/BUSINESS RULE NAMING CONVENTION EXAMPLE 20 File Script Name/Rule Name Aggregate 5 business dimensions ag5Dim.csc ag5BusinessDims Clear forecast Note: specific forecast should be parameterized with a SubVar clFcst.csc clForecast Data Copy actuals to forecast dcAct2FC.csc dcActToFcst • Use verbNoun method for common actions • 2 characters for verb followed by meaningful noun
  • 21. MAKE PITHY COMMENTS Why – Not What Explain the reasons behind the code that may not be obvious to the reader. Why did you write it that way? Identify Sections Call out the major processes contained within the script. Make it easy to find what happens where. Pseudocode Write pseudocode based on your requirements. Then leave it (or a stripped-down version) there to comment your code. 21 Change Tracking Comment out old code, identifying the beginning and end of the new and old blocks. Identify it with a reason and a date. Start with a Header Include a purpose, when to use it, dependencies (e.g. subvars ) and a change log. Comment ENDFIX Comment the end of a FIX block tying it back to the opening. E.g. /* End FIX on Actual Scenario */
  • 22. MAKE SETTINGS EXPLICIT > Make settings explicit. Show them even if they are defaults. /* Housekeeping */ SET UPDATECALC OFF; SET AGGMISSG ON; SET MSG SUMMARY; SET CALCPARALLEL 2; SET EMPTYMEMBERSETS ON; 22
  • 24. MECHANICS BASICS > Always double quote member names > Address all dimensions in FIX statements > Member names not aliases > Capitalize Function/Calc Command names > Indent > Limit lines to 80 characters > Simpler is better 24
  • 25. BE DELIBERATE WITH FIX STATEMENT SCOPE > Global Calculation – Essbase calcs everything that is not explicitly excluded > That could result in accidentally touching out of scope data > Address every dimension in scoping calculations (FIX, IF) so you don’t accidentally touch numbers you shouldn’t
  • 26. ORGANIZE FIX STATEMENTS BY DIMENSION CATEGORY Dimension Type Examples Examples of different actions Measures Measure Account Time Year Period Historical periods v Forecast/Plan periods Business / Segmentation Entity Product Customer LOB Channel This is the way users break down the business. Version Version Scenario Actuals v. Forecast/Plan Change tracking Scenario analysis System Data type View Currency
  • 27. USE CALC MANAGER FEATURES > Design View allows you to visualize calc structure > Script components provide reusable code blocks > 80 character BR names > BR descriptions provide useful information for users
  • 28. REDUCE CLUTTER AND ERRORS WITH VARIABLES AND PARAMETERIZATION > Substitution variables > RTSV > RTPs > Var and Array > Global Variables
  • 29. ADDITIONAL READING 29 Description Link Story, Oracle CEAL blog, EPM 11.1.2.x Planning/PBCSBest Practices for BSO Business Rule Optimization https://blogs.oracle.com/cealteam/epm-1112x- planningpbcs-best-practices-for-bso-business- rule-optimisation Pattis, CMU Coding Style notes https://www.cs.cmu.edu/~pattis/15-1XX/15- 200/lectures/style/index.html Wikipedia, Elements Of Programming Style https://en.wikipedia.org/wiki/The_Elements_of_P rogramming_Style

Editor's Notes

  • #4: Organizational Experience Over 1,000 clients and over 2,000 successful implementations throughout our 23+ year history As of June 2019, Alithya has engaged in over 150 cloud projects with over 20 ground to cloud projects. Resources Core senior management has been together for many years – most for over 15 years Alithya has approximately 160 full-time resources making us one of the largest Hyperion specialized EPM organizations globally Over 95% of Ranzal consultants are Certified Product experts by Oracle Alithya is proud to acknowledge six (6) Oracle Ace Consultants on staff Thought Leadership Alithya is highly active in the Oracle EPM community advancing concepts, sharing knowledge, and developing intellectual property to aid in future engagements. One of our six Oracle ACE consultants has written three books on Financial Data Quality Management Enterprise Edition (FDMEE).