At this stage, we have all the basic functionality in place for our cache to be useful and usable. We can read and write to it, refresh it, flush it and show its content. In this part we will add code that allows you to gauge the effectiveness of the cache. This can be used to help you fine-tune the optimum size of your cache in a particular instance. Note that this does not add any functionality to the actual cache, it is just a tool that helps you understand how the cache is being used and allows you to make some informed decisions later on. The Hit Ratio When data is found in the cache, it is called a cache hit, and the effectiveness of a cache is judged by its hit rate. A cache is only effective if it has a high hit rate. The hit ratio can be calculated by dividing the number of times a record gets found in the cache (cache hit), versus the number of times a record was looked for: # Cache Hits Hit Ratio = ------------- * 100 # Total Reads The higher the hit ratio, the better your cache usage, and the more performance gain you are getting from using the cache. A low cache hit ratio can indicate that the cache size is too small, or that the data you are caching is not suitable for caching, i.e. there are too many distinct values that get queried resulting in high turnover (see later). In order to be able to calculate the ratio, we just need to keep track of the number of successful cache reads and the total number of reads. I do not want to slow down the cache’s performance, however, by gathering all these statistics, so first we introduce another switch to control whether cache stats are gathered or not: g_gather_stats BOOLEAN := FALSE; This is followed by the usual getters and setters: PROCEDURE set_gather_stats (p_on IN BOOLEAN) FUNCTION gather_stats We also need places in which we can store the numbers, so let's create some more global variables: g_total_reads PLS_INTEGER := 0; And then change our existing code to gather the numbers (if requested): FUNCTION read_from_cache (p_dept_id IN dept.deptno%TYPE) END IF; RETURN l_dept_data; FUNCTION dept_data ( IF ((l_dept_data.NAME IS NOT NULL) AND (caching)) IF (gather_stats) END IF; Now we just need to create a procedure to actually perform the calculation of the ratio: FUNCTION cache_hit_ratio RETURN l_cache_hit_ratio; Note that your hit ratio will never be 100% because the cache needs to get filled first, i.e. the first records that get queried will always result in a DB read because there is nothing in the cache yet. The goal is to get as close to 100% as possible.
blog comments powered by Disqus |
|
|
|
|
|
|
|