分类目录归档:软件

软件主菜单:软件技术相关文章。

缓存算法探究

       为什么要使用缓存? 缓存的最大优点在于可以达到用空间换时间的效果,避免一些不必要的计算,从而提高应用程序的响应速度。

        目前有很多缓存框架,比如ehcache, memcached, memcache, OSCache等等。然而,无论何种框架,基本上就是以<key, object>这种映射机制将对象记录起来,等下次需要对象object时,先计算它的key值,然后到缓存中根据key来取,取得后返回该对象,否则创建该对象,并在一定的条件下进行缓存。另外,由于绝大多数缓存都是将对象存储在内存中,而内存又相对有限,所以不可能缓存所有对象,需要有选择的缓存,有选择的淘汰一些对象。考虑到这些,一个缓存算法必须具备缓存和淘汰机制。基于这种思想,豆博草堂设计了如下缓存算法:

Map<KeyObject, Object> cacheMap = new HashMap<KeyObject, Object>();
Map<KeyObject, Integer> visiteCountMap = new HashMap<KeyObject, Integer>();
int cacheSize = 100;
/**
* retrivee object.
*/

Object retrieve(KeyObject key){
     Object obj = null;
     if(cacheMap.containsKey(key)){
     obj = cacheMap.get(key);
     } else {
     //find given key's object from other way.

     obj = service.findObject(key);
     if(null != obj){
         cacheMap.put(key, obj);
        }
     }
         
     //increate count.

     if(visiteCountMap.containsKey(key)){
     visiteCountMap.put(key, visiteCountMap.get(key) + 1);
     } else {
     visiteCountMap.put(key, new Integer(1));
     }
    
     //eliminate some cached object while size >= 100.

     if(cacheMap.size() >= cacheSize){
     eliminate();
     }
    
     return obj;
}
/**
* eliminate object that not visited usually.
*/

void eliminate(){
    Set<KeyObject> keys = cacheMap.keySet();
    if(null != keys){
     for(KeyObject key : keys){
         if(visiteCountMap.get(key).intValue < 5){
             //eliminate the object.

                cacheMap.remove(key);
            }
        }
    }
}

           希望这个算法对你编写具备缓存机制的程序有帮助。

    作者: 豆博草堂

ubuntu 10.04突然花屏解决办法

Ubuntu / Kubuntu 10.04 在一些机型上会出现雪花,就像有干扰一样,或者会突然花屏,这是 linux内核里面bug造成的,在 2.6.32-26-generic 版本仍然存在。目前的解决办法是关闭KMS。

 

方法为:

在终端里输入:

sudo kate /etc/modprobe.d/radeon-kms.conf

在编辑器里输入:

options radeon modeset=0

然后保存,关闭。接着重启机器,这时会发现在引导或关机过程中的分辨率降低,但登录界面分辨率不受影响。这样以后就不会出现突然花屏这种现象了。

我在自己的ThinkPad T500 上测试没有问题,不再出现突然花屏现象了。我的显卡是ATI HD3650 (双显卡,在bois中禁用了显卡检测,启用了独立显卡)。

n-Gram splitter

While we process chinese, we need to split chinese sentences into chinaese words,a statistical algorithm is N-Gram split algorithm, which needn’t dictionary. 2-gram is very easy to implemente,but the algorithm becomes complex while n > 2. Now, I have implemented the prototype of 2-gram, I will implement the algorithm n-gram while n >2 and HMM algorithm.These algorithms are very useful on finding new words.
Oyeah!