The problem is that mondrian's cache gets in the way. Usually the cache is a great help, because it ensures that mondrian only goes to the DBMS once for a given piece of data, but the cache becomes out of date if the underlying database is changing.
This is solved with a new set of APIs for cache control in mondrian-2.3. Before I explain the API, let's understand how mondrian caches data.
How mondrian's cache works
Mondrian's cache ensures that once a multidimensional cell -- say the Unit Sales of Beer in Texas in Q1, 1997 -- has been retrieved from the DBMS using an SQL query, it is retained in memory for subsequent MDX calculations. That cell may be used later during the execution of the same MDX query, and by future queries in the same session and in other sessions. The cache is a major factor ensuring that Mondrian is responsive for speed-of-thought analysis.
The cache operates at a lower level of abstraction than access control. If the current role is only permitted to see only sales of Dairy products, and the query asks for all sales in 1997, then the request sent to Mondrian's cache will be for Dairy sales in 1997. This ensures that the cache can safely be shared among users which have different permissions.If the contents of the DBMS change while Mondrian is running, Mondrian's implementation must overcome some challenges. The end-user expects a speed-of-thought query response time yielding a more or less up-to-date view of the database. Response time necessitates a cache, but this cache will tend to become out of date as the database is modified.
Mondrian cannot deduce when the database is being modified, so we introduce an API so that the container can tell Mondrian which parts of the cache are out of date. Mondrian's implementation must ensure that the changing database state does not yield inconsistent query results.
Until now, control of the cache has been very crude: applications would typically call
mondrian.rolap.RolapSchema.clearCache();to flush the cache which maps connect string URLs to in-memory datasets. The effect of this call is that a future connection will have to re-load metadata by parsing the schema XML file, and then load the data afresh.
There are a few problems with this approach. Flushing all data and metadata is all appropriate if the contents of a schema XML file has changed, but we have thrown out the proverbial baby with the bath-water. If only the data has changed, we would like to use a cheaper operation.
The final problem with the clearCache() method is that it affects only new connections. Existing connections will continue to use the same metadata and stale data, and will compete for scarce memory with new connections.
New CacheControl API
The new CacheControl API solves all of the problems described above. It provides fine-grained control over data in the cache, and the changes take place as soon as possible while retaining a consistent view of the data.
When a connection uses the API to notify Mondrian that the database has changed, subsequent queries will see the new state of the database. Queries in other connections which are in progress when the notification is received will see the database state either before or after the notification, but in any case, will see a consistent view of the world.
The cache control API uses the new concept of a cache region, an area of multidimensional space defined by one or more members. To flush the cache, you first define a cache region, then tell Mondrian to flush all cell values which relate to that region. To ensure consistency, Mondrian automatically flushes all rollups of those cells.
A simple example
Suppose that a connection has executed a query:
import mondrian.olap.*;
Connection connection;
Query query = connection.parseQuery(
"SELECT" +
"  {[Time].[1997]," +
"    [Time].[1997].Children} ON COLUMNS," +
"  {[Customer].[USA]," +
"    [Customer].[USA].[OR]," +
"    [Customer].[USA].[WA]} ON ROWS" +
"FROM [Sales]");
Result result = connection.execute(query);Segment YN#1Now suppose that the application knows that batch of rows from Oregon, Q2 have been updated in the fact table. The application notifies Mondrian of the fact by defining a cache region:Segment YNS#1Year Nation Unit Sales
1997 USA xxx
Predicates: Year=1997, Nation=USASegment YQN#1Year Nation State Unit Sales
1997 USA OR xxx
1997 USA WA xxx
Predicates: Year=1997, Nation=USA, State={OR, WA}Segment YQNS#1Year Quarter Nation Unit Sales
1997 Q1 USA xxx
1997 Q2 USA xxx
Predicates: Year=1997, Quarter=any, Nation=USAYear Quarter Nation State Unit Sales
1997 Q1 USA OR xxx
1997 Q1 USA WA xxx
1997 Q2 USA OR xxx
1997 Q2 USA WA xxx
Predicates: Year=1997, Quarter=any, Nation=USA, State={OR, WA}
and flushing that region:// Lookup members
Cube salesCube =
connection.getSchema().lookupCube(
"Sales", true);
SchemaReader schemaReader =
salesCube.getSchemaReader(null);
Member memberTimeQ2 =
schemaReader.getMemberByUniqueName(
new String[]{"Time", "1997", "Q2"},
true);
Member memberCustomerOR =
schemaReader.getMemberByUniqueName(
new String[]{"Customer", "USA", "OR"},
true);
// Create a cache region defined by
// [Time].[1997].[Q2] cross join
// [Customer].[USA].[OR].
CacheControl.CellRegion measuresRegion =
cacheControl.createMeasuresRegion(
salesCube);
CacheControl.CellRegion regionTimeQ2 =
cacheControl.createMemberRegion(
memberTimeQ2, true);
CacheControl.CellRegion regionCustomerOR =
cacheControl.createMemberRegion(
memberCustomerOR, true);
CacheControl.CellRegion regionOregonQ2 =
cacheControl.createCrossjoinRegion(
measuresRegion,
regionCustomerOR,
regionTimeQ2);
cacheControl.flush(regionOregonQ2);Now let's look at what segments are left in memory after the flush.
Segment YNS#1The effects are:Segment YQN#1Year Nation State Unit Sales
1997 USA OR xxx
1997 USA WA xxx
Predicates: Year=1997, Nation=USA, State={WA}Segment YQNS#1Year Quarter Nation Unit Sales
1997 Q1 USA xxx
1997 Q2 USA xxx
Predicates: Year=1997, Quarter={any except Q2}, Nation=USAYear Quarter Nation State Unit Sales
1997 Q1 USA OR xxx
1997 Q1 USA WA xxx
1997 Q2 USA OR xxx
1997 Q2 USA WA xxx
Predicates: Year=1997, Quarter=any, Nation=USA, State={WA}
- Segment YN#1 has been deleted. All cells in the segment could contain values in Oregon/1997/Q2.
- The constraints in YNS#1 have been strengthened. The constraint on the State column is modified from State={OR, WA} to State={WA} so that future requests for (1997, Q2, USA, OR) will not consider this segment.
- The constraints in YQN#1 have been strengthened. The constraint on the Quarter column is modified from Quarter=any to Quarter={any except Q2}.
- The constraints in YQNS#1 have been strengthened, similar to YNS#1.
The previous example showed how to make a cell region consisting of a single member, and how to combine these regions into a two-dimensional region using a crossjoin. The CacheControl API supports several methods of creating regions:
- createMemberRegion(Member, boolean) creates a region containing a single member, optionally including its descendants.
- createMemberRegion(boolean lowerInclusive, Member lowerMember, boolean upperInclusive, Member upperMember, boolean descendants) creates a region containing a range of members, optionally including their descendants, and optionally including each endpoint. A range may be either closed, or open at one end.
- createCrossjoinRegion(CellRegion...) combines several regions into a higher dimensionality region. The constituent regions must not have any dimensions in common.
- createUnionRegion(CellRegion...) unions several regions of the same dimensionality.
- createMeasuresRegion(Cube) creates a region containing all of the measures of a given cube.
Recall that the cell cache is organized in terms of columns, not members. This makes member ranges difficult for mondrian to implement. A range such as "February 15th 2007 onwards" becomes// Lookup members
Cube salesCube =
connection.getSchema().lookupCube(
"Sales", true);
SchemaReader schemaReader =
salesCube.getSchemaReader(null);
Member memberTimeOct15 =
schemaReader.getMemberByUniqueName(
new String[]{"Time", "2006", "Q1"", "2" ,"15},
true);
// Create a cache region defined by
// [Time].[1997].[Q1].[2].[15] to +infinity.
CacheControl.CellRegion measuresRegion =
cacheControl.createMeasuresRegion(
salesCube);
CacheControl.CellRegion regionTimeFeb15 =
cacheControl.createMemberRegion(
true, memberTimeFeb15, false, null, true);
Merging and truncating segmentsyear > 2007
|| (year = 2007
&& (quarter > 'Q1'
|| (quarter = 'Q1'
&& (month > 2
|| (month = 2
&& day >= 15)))))
The current implementation does not actually remove the cells from memory. For instance, in segment YNS#1 in the example above, the cell (1997, USA, OR) is still in the segment, even though it will never be accessed. It doesn't seem worth the effort to rebuild the segment to save a little memory, but we may revisit this decision.
In future, one possible strategy would be to remove a segment if more than a given percentage of its cells are unreachable.
It might also be useful to be able to merge segments which have the same dimensionality, to reduce fragmentation if the cache is flushed repeatedly over slightly different bounds. There are some limitations on when this can be done, since predicates can only constrain one column: it would not be possible to merge the segments {(State=TX, Quarter=Q2)} and {(State=WA, Quarter=Q3)} into a single segment, for example. An alternative solution to fragmentation would be to simply remove all segments of a particular dimensionality if fragmentation is detected.
Flushing the dimension cache
An application might also want to make modifications to a dimension table. Mondrian does not currently allow an application to control the cache of members, but we intend to do so in the future. Here are some notes which will allow this to be implemented.
The main way that Mondrian caches dimensions in memory is via a cache of member children. That is to say, for a given member, the cache holds the list of all children of that member.
If a dimension table row was inserted or deleted, or if its key attributes are updated, its parent's child list would need to be modified, and perhaps other ancestors too. For example, if a customer Zachary William is added in city Oakland, the children list of Oakland will need to be flushed. If Zachary is the first customer in Oakland, California's children list will need to be flushed to accommodate the new member Oakland.
There are a few other ways that members can be cached:
- Each hierarchy has a list of root members, an 'all' member (which may or not be visible), and a default member (which may or may not be the 'all' member).
- Formulas defined against a cube may reference members.
- All other references to members are ephemeral: they are built up during the execution of a query, and are discarded when the query has finished executing and its result set is forgotten.
Possible APIs might be flushMember(Member, boolean children) or flushMembers(CellRegion).
Consistency
Mondrian's cache implementation must solve several challenges in order to prevent inconsistent query results. Suppose, for example, a connection executes the query
SELECT {[Measures].[Unit Sales]} ON COLUMNS,
{[Gender].Members} ON ROWS
FROM [Sales]We cannot guarantee that the query result is absolutely up to date, but the query must represent the state of the database at some point in time. To do this, the implementation must ensure that both cache flush and cache population are atomic operations.Unit sales
=========== ==========
All gender 100,000
Female 60,000
Male 55,000
First, Mondrian's implementation must provide atomic cache flush so that from the perspective of any clients of the cache. Suppose that while the above query is being executed, another connection issues a cache flush request. Since the flush request and query are simultaneous, it is acceptable for the query to return the state of the database before the flush request or after, but not a mixture of the two.
The query needs to use two aggregates: one containing total sales, and another containing sales sliced by gender. To see a consistent view of the two aggregates, the implementation must ensure that from the perspective of the query, both aggregates are flushed simultaneously. The query evaluator will therefore either see both aggregates, or see none.
Second, Mondrian must provide atomic cache population, so that the database is read consistently. Consider an example.
- The end user runs a query asking for the total sales:
 After that query has completed, the cache contains the total sales but not the sales for each gender.Unit sales 
 =========== ==========
 All gender 100,000
- New sales are added to the fact table.
- The end user runs a query which shows total sales and sales for male and female customers. The query uses the cached value for total sales, but issues a query to the fact table to find the totals for male and female, and sees different data than when the cache was last populated. As result, the query is inconsistent:Unit sales 
 ========== ===========
 All gender 100,000
 Female 60,000
 Male 55,000
Atomic cache population is difficult to ensure if the database is being modified without Mondrian's knowledge. One solution, not currently implemented, would be for Mondrian to leverage the DBMS' support for read-consistent views of the data. Read-consistent views are expensive for the DBMS to implement (for example, in Oracle they yield the infamous 'Snapshot too old' error), so we would not want Mondrian to use these by default, on a database which is known not to be changing.
Another solution might be to extend the Cache Control API so that the application can say 'this part of the database is currently undergoing modification'.
This scenario has not even considered aggregate tables. We have assumed that aggregate tables do not exist, or if they do, they are updated in sync with the fact table. How to deal with aggregate tables which are maintained asynchronously is still an open question.
 Metadata cache control
The CacheControl API tidies up a raft of (mostly equivalent) methods which had grown up for controlling metadata (schema XML files loaded into memory). The methods
- mondrian.rolap.RolapSchema.clearCache()
- mondrian.olap.MondrianServer.flushSchemaCache()
- mondrian.rolap.cache.CachePool.flush()
- mondrian.rolap.RolapSchema.flushRolapStarCaches(boolean)
- mondrian.rolap.RolapSchema.flushAllRolapStarCachedAggregations()
- mondrian.rolap.RolapSchema.flushSchema(String,String,String,String)
- mondrian.rolap.RolapSchema.flushSchema(DataSource,String)
void flushSchemaCache();
void flushSchema(
String catalogUrl,
String connectionKey,
String jdbcUser,
String dataSourceStr);
void flushSchema(
String catalogUrl,
DataSource dataSource);
Conclusion
The new CacheControl API will be available in mondrian-2.3, which is in the final stages before its release. (The first release candidate will be released in about a week from now, 20th February 2007. The source code is in the perforce repository, for those brave enough to download and build from source.)
Give it a try, and let us know how it works with your application.
 
 
14 comments:
Julian,
Excelent post, and great work with mondrian, I think this is new caches features are going to be very interesting for our customer.
Good Job!
Javier
Stratebi
Hello,
I'm a newbie in mondrian usage and I don't know how/where use this method to clear my cache.
Do you know where I can find documentation and example please?
Thanks a lot,
Messaoud
messaoud.bouredji@wanmes.com
It looks like you have done an excellent job
Julian,
I am trying to use the cache control but for some reason it does not work.
I have a cube which shows several measures in the time dimension.
my MDX looks something like this:
select {[Time].[All Time]} ON COLUMNS,
{[Measures].[X],[Measures].[Y],[Measures].[Z]} ON ROWS
from [Some Cube]
i am trying to flush the last month of data and retrieve it again from the db.
I am using mondrian-3.0.0.10550, and I mention this because the code is slightly differs from the code in this post.
The difference is in calling getMemberByUniqueName which accepts List of Id.Segment and not an array of String.
The thing is that it does not work and i can't understand why. I am following exactly this example.
this is my code :
mondrian.olap.Cube someCube = connection.getSchema().lookupCube("Some Cube", true);
mondrian.olap.SchemaReader schemaReader = someCube.getSchemaReader(null);
java.util.ArrayList memberMarchList = new java.util.ArrayList();
memberMarchList.add(new mondrian.olap.Id.Segment("Time",mondrian.olap.Id.Quoting.QUOTED));
memberMarchList.add(new mondrian.olap.Id.Segment("All Time",mondrian.olap.Id.Quoting.QUOTED));
memberMarchList.add(new mondrian.olap.Id.Segment("2008",mondrian.olap.Id.Quoting.QUOTED));
memberMarchList.add(new mondrian.olap.Id.Segment("1",mondrian.olap.Id.Quoting.QUOTED));
memberMarchList.add(new mondrian.olap.Id.Segment("3",mondrian.olap.Id.Quoting.QUOTED));
mondrian.olap.Member memberTimeMarch = schemaReader.getMemberByUniqueName(memberMarchList,true);
mondrian.olap.CacheControl cacheControl = connection.getCacheControl(pw);
mondrian.olap.CacheControl.CellRegion measuresRegion = cacheControl.createMeasuresRegion(someCube);
mondrian.olap.CacheControl.CellRegion regionTimeMarch = cacheControl.createMemberRegion(memberTimeMarch, true);
mondrian.olap.CacheControl.CellRegion regionCrossed = cacheControl.createCrossjoinRegion(measuresRegion,regionTimeMarch);
cacheControl.flush(regionCrossed);
what am i doing wrong?
thanks,
Udi,
I don't know what you're doing wrong. Your code looks OK.
Julian
preloading mondrian cache for furtther jpivot analysis
hi,
and thanks a lot for your usefull guide.
now I want to preload cache but didnt find proper answer to that issue.
Would you have any advice ?
I posted something on forums if you want to have a look ...
http://forums.pentaho.org/showthread.php?p=190893#post190893
thx.
Hi Julian,
I am a newbie on Mondrian or even OLAP.
I just have a question what the difference between DenseSegmentDataSet and SparseSegmentDataSet is?
Could you please point me where i can find these documentation?
Thank you,
Alston
Alston,
DenseSegmentDataSet and SparseSegmentDataSet are classes - and not part of public mondrian functionality or API - so the first place you should look for documentation is in the code. The mondrian developers list is a better forum for this kind of question; post there if you have more questions.
Julian
In your example, you claim that the constraints for YQNS#1 have been strengthened, but you don't reflect that in your diagram ("OR" is still in the list of constraints). I assume that's a typo.
Guy,
You are correct. I have changed "{OR, WA}" to "{WA}".
As it happens, the current implementation of cache control does something a little different. We needed to be able to knock a rectangle out of an n-dimensional segment, and you can't always achieve that by tightening one constraint. We now add a list of exclusion predicates to the segment; the cells remain in the segment, but are always passed over as mondrian scans for the correct cell value.
You can find a more up to date (and animated) description of the process in my 2007 MySQL Conference talk Building Scalable OLAP Applications with Mondrian and MySQL.
Dear Julian,
thank you a lot for your insights ! I'm a newbie of Mondrian working on aggregation and cache management... Could you please clarify the following sentences:
"This scenario has not even considered aggregate tables. We have assumed that aggregate tables do not exist, or if they do, they are updated in sync with the fact table. How to deal with aggregate tables which are maintained asynchronously is still an open question."
How the cache work for aggregate tables?
If they not exists, they are built and the cached? What happen for existing aggregate tables?
Thank you,
Luca.
Luca,
It does not matter to the cache whether cell data is coming from aggregate tables or the fact table. The results of the query look the same, and are stored in memory for future use.
Mondrian does not build aggregate tables. The aggregate table designer (a separate tool, available from Pentaho) designs them, but it is up to you to populate them (probably using an ETL tool such as Kettle).
Julian
Hi Julian,
I am newbie to the Mondrian. Currently I'm trying to create Schema on the fly with the given Measure expression, generate aggregate tables to run the respective user Query. Is that possible to create dynamic schema on the fly with the given conditions as Measure expressions. We are trying to design a generic Rule builder in that user issues a conditions (as Measure Expressions) on fixed dimension. Then after we have to run several queries on different combinations of dimensions with respect to the Time period. Please guide me to make it big.
Thanks & Regards
LinuxBee
Hello Julian,
Thanks for all your informations and for Mondrian! :)
Please, I I've read every resource I could find about the cache management, but could not find a answer about my situation at all, so you're my last hope.
I'm trying to flush the Mondrian cache with Pentaho 5. With Pentaho 4 I used xactions, but now I think the way it's done is different...
I've tried to use the .jsp with the flushAll(), but no success.. Please, do you have any resource, webpage or even a scroll teaching how to achieve that with Pentaho 5?
Thanks again!!
Post a Comment