Skip to content

JRuby gem for performing multidimensional queries of relational database data using Mondrian OLAP Java library

License

MIT, EPL-1.0 licenses found

Licenses found

MIT
LICENSE.txt
EPL-1.0
LICENSE-Mondrian.txt
Notifications You must be signed in to change notification settings

rsim/mondrian-olap

Repository files navigation

GitHub Actions status AppVeyor status

mondrian-olap

JRuby gem for performing multidimensional queries of relational database data using Mondrian OLAP Java library.

DESCRIPTION

SQL language is good for doing ad-hoc queries from relational databases but it becomes very complicated when doing more complex analytical queries to get summary results. Alternative approach is OLAP (On-Line Analytical Processing) databases and engines that provide easier multidimensional analysis of data at different summary levels.

One of the most popular open-source OLAP engines is Mondrian. Mondrian OLAP engine can be put in front of relational SQL database and it provides MDX multidimensional query language which is much more suited for analytical purposes.

mondrian-olap is JRuby gem which includes Mondrian OLAP engine and provides Ruby DSL for creating OLAP schemas on top of relational database schemas and provides MDX query language and query builder Ruby methods for making analytical queries.

mondrian-olap is used in eazyBI data analysis and reporting web application. Private eazyBI can be used to create easy-to-use web based reports and dashboards on top of mondrian-olap based backend database. There is also mondrian-olap demo Rails application for trying MDX queries. The mondrian-rest uses mondrian-olap to implement a REST API interface for a Mondrian schema.

USAGE

Schema definition

At first you need to define OLAP schema mapping to relational database schema tables and columns. OLAP schema consists of:

  • Cubes

    Multidimensional cube is a collection of measures that can be accessed by dimensions. In relational database cubes are stored in fact tables with measure columns and dimension foreign key columns.

  • Dimensions

    Dimension can be used in one cube (private) or in many cubes (shared). In relational database dimensions are stored in dimension tables.

  • Hierarchies and levels

    Dimension has at least one primary hierarchy and optional additional hierarchies and each hierarchy has one or more levels. In relational database all levels can be stored in the same dimension table as different columns or can be stored also in several tables.

  • Members

    Dimension hierarchy level values are called members.

  • Measures

    Measures are values which can be accessed at detailed level or aggregated (e.g. as sum or average) at higher dimension hierarchy levels. In relational database measures are stored as columns in cube table.

  • Calculated measures

    Calculated measures are not stored in database but calculated using specified formula from other measures.

Read more about about defining Mondrian OLAP schema.

Here is example how to define OLAP schema and its mapping to relational database tables and columns using mondrian-olap:

require "rubygems"
require "mondrian-olap"

schema = Mondrian::OLAP::Schema.define do
  cube 'Sales' do
    table 'sales'
    dimension 'Customers', foreign_key: 'customer_id' do
      hierarchy has_all: true, all_member_name: 'All Customers', primary_key: 'id' do
        table 'customers'
        level 'Country', column: 'country', unique_members: true
        level 'State Province', column: 'state_province', unique_members: true
        level 'City', column: 'city', unique_members: false
        level 'Name', column: 'fullname', unique_members: true
      end
    end
    dimension 'Products', foreign_key: 'product_id' do
      hierarchy has_all: true, all_member_name: 'All Products',
                primary_key: 'id', primary_key_table: 'products' do
        join left_key: 'product_class_id', right_key: 'id' do
          table 'products'
          table 'product_classes'
        end
        level 'Product Family', table: 'product_classes', column: 'product_family', unique_members: true
        level 'Brand Name', table: 'products', column: 'brand_name', unique_members: false
        level 'Product Name', table: 'products', column: 'product_name', unique_members: true
      end
    end
    dimension 'Time', foreign_key: 'time_id', type: 'TimeDimension' do
      hierarchy has_all: false, primary_key: 'id' do
        table 'time'
        level 'Year', column: 'the_year', type: 'Numeric', unique_members: true, level_type: 'TimeYears'
        level 'Quarter', column: 'quarter', unique_members: false, level_type: 'TimeQuarters'
        level 'Month', column: 'month_of_year', type: 'Numeric', unique_members: false, level_type: 'TimeMonths'
      end
      hierarchy 'Weekly', has_all: false, primary_key: 'id' do
        table 'time'
        level 'Year', column: 'the_year', type: 'Numeric', unique_members: true, level_type: 'TimeYears'
        level 'Week', column: 'week_of_year', type: 'Numeric', unique_members: false, level_type: 'TimeWeeks'
      end
    end
    measure 'Unit Sales', column: 'unit_sales', aggregator: 'sum'
    measure 'Store Sales', column: 'store_sales', aggregator: 'sum'
  end
end

Connection creation

When schema is defined it is necessary to establish OLAP connection to database. Here is example how to connect to MySQL database using the schema object that was defined previously:

require "jdbc/mysql"

olap = Mondrian::OLAP::Connection.create(
  driver: 'mysql',
  host: 'localhost',
  database: 'mondrian_test',
  username: 'mondrian_user',
  password: 'secret',
  schema: schema
)

MDX queries

Mondrian OLAP provides MDX query language. Read more about MDX. mondrian-olap allows executing of MDX queries, for example query for "Get sales amount and number of units (on columns) of all product families (on rows) sold in California during Q1 of 2010":

result = olap.execute <<-MDX
  SELECT  {[Measures].[Unit Sales], [Measures].[Store Sales]} ON COLUMNS,
          {[Products].children} ON ROWS
    FROM  [Sales]
    WHERE ([Time].[2010].[Q1], [Customers].[USA].[CA])
MDX

which would correspond to the following SQL query:

SELECT SUM(unit_sales) unit_sales_sum, SUM(store_sales) store_sales_sum
FROM sales
  LEFT JOIN products ON sales.product_id = products.id
  LEFT JOIN product_classes ON products.product_class_id = product_classes.id
  LEFT JOIN time ON sales.time_id = time.id
  LEFT JOIN customers ON sales.customer_id = customers.id
WHERE time.the_year = 2010 AND time.quarter = 'Q1'
  AND customers.country = 'USA' AND customers.state_province = 'CA'
GROUP BY product_classes.product_family
ORDER BY product_classes.product_family

and then get axis and cells of result object:

result.axes_count         # => 2
result.column_names       # => ["Unit Sales", "Store Sales"]
result.column_full_names  # => ["[Measures].[Unit Sales]", "[Measures].[Store Sales]"]
result.row_names          # => e.g. ["Drink", "Food", "Non-Consumable"]
result.row_full_names     # => e.g. ["[Products].[Drink]", "[Products].[Food]", "[Products].[Non-Consumable]"]
result.values             # => [[..., ...], [..., ...], [..., ...]]
                          # (three rows, each row containing value for "unit sales" and "store sales")

Query builder methods

MDX queries could be built and executed also using Ruby methods in a similar way as ActiveRecord/Arel queries are made. Previous MDX query can be executed as:

olap.from('Sales').
columns('[Measures].[Unit Sales]', '[Measures].[Store Sales]').
rows('[Products].children').
where('[Time].[2010].[Q1]', '[Customers].[USA].[CA]').
execute

Here is example of more complex query "Get sales amount and profit % of top 50 products cross-joined with USA and Canada country sales during Q1 of 2010":

olap.from('Sales').
with_member('[Measures].[ProfitPct]').
  as('Val((Measures.[Store Sales] - Measures.[Store Cost]) / Measures.[Store Sales])',
  format_string: 'Percent').
columns('[Measures].[Store Sales]', '[Measures].[ProfitPct]').
rows('[Products].children').crossjoin('[Customers].[Canada]', '[Customers].[USA]').
  top_count(50, '[Measures].[Store Sales]').
where('[Time].[2010].[Q1]').
execute

See more examples of queries in spec/query_spec.rb.

Currently there are query builder methods just for most frequently used MDX functions, there will be new query builder methods in next releases of mondrian-olap gem.

Cube dimension and member queries

mondrian-olap provides also methods for querying dimensions and members:

cube = olap.cube('Sales')
cube.dimension_names                    # => ['Measures', 'Customers', 'Products', 'Time']
cube.dimensions                         # => array of dimension objects
cube.dimension('Customers')             # => customers dimension object
cube.dimension('Time').hierarchy_names  # => ['Time', 'Time.Weekly']
cube.dimension('Time').hierarchies      # => array of hierarchy objects
cube.dimension('Customers').hierarchy   # => default customers dimension hierarchy
cube.dimension('Customers').hierarchy.level_names
                                        # => ['(All)', 'Country', 'State Province', 'City', 'Name']
cube.dimension('Customers').hierarchy.levels
                                        # => array of hierarchy level objects
cube.dimension('Customers').hierarchy.level('Country').members
                                        # => array of all level members
cube.member('[Customers].[USA].[CA]')   # => lookup member by full name
cube.member('[Customers].[USA].[CA]').children
                                        # => get all children of member in deeper hierarchy level
cube.member('[Customers].[USA]').descendants_at_level('City')
                                        # => get all descendants of member in specified hierarchy level

See more examples of dimension and member queries in spec/cube_spec.rb.

Cache control

mondrian-olap provides methods to control and clear the Mondrian cache when underlying data changes:

# Flush entire schema cache for all connections
Mondrian::OLAP::Connection.flush_schema_cache

# Flush schema cache for specific connection
olap.flush_schema

# Flush schema by schema key
Mondrian::OLAP::Connection.flush_schema(schema_key)

# Flush specific region of cube cache with segments
# Useful when data is updated/deleted in specific dimension members
cube = olap.cube('Sales')
cube.flush_region_cache_with_segments(
  ['Time', '2010', 'Q1'],           # Time dimension path
  ['Customers', 'USA', 'CA']        # Customer dimension path
)

The flush_region_cache_with_segments method is particularly useful for partial cache clearing when you know which specific dimension members have changed data, avoiding the need to flush the entire cache.

See more examples of cache control in spec/cube_cache_control_spec.rb.

Query timeout

You can set a query-specific timeout to prevent long-running queries from blocking:

# Timeout in seconds
result = olap.from('Sales').
  columns('[Measures].[Unit Sales]').
  rows('[Product].children').
  execute(timeout: 30)

If the query exceeds the timeout, a Mondrian::OLAP::Error will be raised.

Query profiling

Enable query profiling to analyze performance and view query execution plans:

result = olap.from('Sales').
  columns('[Measures].[Unit Sales]').
  rows('[Product].children').
  execute(profiling: true)

# Get query plan
puts result.profiling_plan

# Get timing information
puts result.profiling_timing_string

# Get total duration
puts result.total_duration

Profiling provides detailed information about SQL statement execution, MDX function calls, and custom timing markers.

Schema parameters and query parameters

You can define parameters in your schema and use them in calculated members or pass parameters at query execution time:

schema = Mondrian::OLAP::Schema.define do
  # Define schema-level parameter
  parameter 'CurrentYear' do
    type 'Numeric'
    default_value 2010
  end

  cube 'Sales' do
    # ... cube definition ...
    calculated_member 'Current Year Sales' do
      dimension 'Measures'
      # Use ParamRef to reference the parameter in the formula
      formula '([Measures].[Store Sales], [Time].[Year].Members.Item(Cast(ParamRef("CurrentYear") AS String)))'
    end
  end

  # User defined function to access parameter value
  user_defined_function 'ParameterValue' do
    ruby :shared do
      parameters :string
      returns :scalar
      syntax :function
      def call_with_evaluator(evaluator, parameter_name)
        evaluator.getQuery.getSchemaReader(false).getParameter(parameter_name)&.getValue
      end
    end
  end
end

# Execute query with parameters
result = olap.from('Sales').
  columns('[Measures].[Current Year Sales]').
  execute(define_parameters: {
    'CurrentYear' => 2011,
    'CustomParam' => 'value'
  })

Parameters can be of type String, Numeric, or nil values.

Connection locale

Set the locale for the connection to control language-specific formatting and member captions:

# Set locale during connection creation
olap = Mondrian::OLAP::Connection.create(
  driver: 'mysql',
  host: 'localhost',
  database: 'mondrian_test',
  username: 'mondrian_user',
  password: 'secret',
  schema: schema,
  locale: 'de_DE'
)

# Or set locale after connection
olap.locale = 'en_US'

Supported locale formats include 'en', 'en_US', 'de', 'de_DE', etc.

User defined MDX functions

You can define new MDX functions using Ruby that you can later use either in calculated member formulas or in MDX queries. Here are examples of user defined functions in Ruby:

schema = Mondrian::OLAP::Schema.define do
  # ... cube definitions ...
  user_defined_function 'Factorial' do
    ruby do
      parameters :numeric
      returns :numeric
      def call(n)
        n <= 1 ? 1 : n * call(n - 1)
      end
    end
  end
  user_defined_function 'UpperName' do
    ruby do
      parameters :member
      returns :string
      syntax :property
      def call(member)
        member.getName.upcase
      end
    end
  end
end

See more examples of user defined functions in spec/schema_definition_spec.rb.

Data access roles

In schema you can define data access roles which can be selected for connection and which will limit access just to subset of measures and dimension members. Here is example of data access role definition:

schema = Mondrian::OLAP::Schema.define do
  # ... cube definitions ...
  role 'California manager' do
    schema_grant access: 'none' do
      cube_grant cube: 'Sales', access: 'all' do
        dimension_grant dimension: '[Measures]', access: 'all'
        hierarchy_grant hierarchy: '[Customers]', access: 'custom',
                        top_level: '[Customers].[State Province]', bottom_level: '[Customers].[City]' do
          member_grant member: '[Customers].[USA].[CA]', access: 'all'
          member_grant member: '[Customers].[USA].[CA].[Los Angeles]', access: 'none'
        end
      end
    end
  end
end

See more examples of data access roles in spec/connection_role_spec.rb.

Drill through

Drill through to underlying fact table data from aggregated cell results:

# Execute query
result = olap.from('Sales').
  columns('[Measures].[Unit Sales]').
  rows('[Product].children').
  execute

# Drill through from specific cell
drill_through = result.drill_through(row: 0, column: 0)

# Access drill through results
drill_through.column_names   # Column names from fact table
drill_through.column_labels  # User-friendly labels
drill_through.rows          # Array of data rows

# Drill through with options
drill_through = result.drill_through(
  row: 0,
  column: 0,
  max_rows: 100,                              # Limit number of rows
  return: [                                   # Specify columns to return
    '[Time].[Month]',
    '[Product].[Product Family]',
    '[Measures].[Unit Sales]'
  ],
  nonempty: '[Measures].[Unit Sales]',        # Filter to non-empty measures
  group_by: true                              # Group by dimension columns
)

# Drill through with member properties
drill_through = result.drill_through(
  row: 0,
  column: 0,
  return: [
    "Name([Customers].[Name])",               # Member name
    "Property([Customers].[Name], 'Gender')", # Member property
    '[Measures].[Unit Sales]'
  ]
)

# Execute drill through statement directly
drill_through = olap.from('Sales').
  columns('[Measures].[Unit Sales]').
  rows('[Product].children').
  execute_drill_through(
    max_rows: 100,
    return: ['[Time].[Month]', '[Measures].[Unit Sales]']
  )

See more examples of drill through in spec/query_spec.rb.

Additional schema options

Additional schema definition options available:

schema = Mondrian::OLAP::Schema.define do
  cube 'Sales' do
    table 'sales'

    dimension 'Products', foreign_key: 'product_id' do
      # Set high cardinality hint for better performance
      high_cardinality true

      hierarchy has_all: true, primary_key: 'id' do
        table 'products'
        level 'Product Name', column: 'product_name', unique_members: true do
          # Approximate row count for query optimization
          approx_row_count 10000
        end
      end
    end
  end
end

REQUIREMENTS

mondrian-olap gem is compatible with JRuby versions 9.3.x and 9.4.x, JVM 8, 11, and 17. mondrian-olap works only with JRuby and not with other Ruby implementations as it includes Mondrian OLAP Java libraries.

mondrian-olap supports MySQL, PostgreSQL, Oracle, Microsoft SQL Server, Vertica, Snowflake, and ClickHouse databases as well as other databases that are supported by Mondrian OLAP engine (using jdbc_driver and jdbc_url connection parameters). When using MySQL or PostgreSQL databases then install jdbc-mysql or jdbc-postgres gem and require "jdbc/mysql" or "jdbc/postgres" to load the corresponding JDBC database driver. When using Oracle then require Oracle JDBC driver ojdbc*.jar. When using MS SQL Server you then use the Microsoft JDBC driver mssql-jdbc-*.jar. When using Vertica, Snowflake, or ClickHouse then require corresponding JDBC drivers.

INSTALL

Install gem with:

gem install mondrian-olap

or include in your project's Gemfile:

gem "mondrian-olap"

LINKS

LICENSE

mondrian-olap is released under the terms of MIT license; see LICENSE.txt.

Mondrian OLAP Engine is released under the terms of the Eclipse Public License v1.0 (EPL); see LICENSE-Mondrian.html.

About

JRuby gem for performing multidimensional queries of relational database data using Mondrian OLAP Java library

Resources

License

MIT, EPL-1.0 licenses found

Licenses found

MIT
LICENSE.txt
EPL-1.0
LICENSE-Mondrian.txt

Stars

Watchers

Forks

Packages

No packages published

Contributors 9

Languages