解决memcached存入list<bean>的问题

今天用memcached存取List的时候,遇到问题,存入String是正常的,但是存入bean的时候失败,在网上找了各种资料,有的人说memcached不能存List,有的人说用HashMap,我最后找到的解决方法是使用fastjson,将List序列化,存入memcached,取出时再反序列化,成功了,具体实现:

1. 下载fastjson的jar包,我用的是最新的fastjson-1.1.28.jar

2. 序列化存入的代码

package com.ltf.cache;

import java.util.ArrayList;
import java.util.List;
import com.alibaba.fastjson.JSON;
import com.ltf.entity.Course;

/**
 * 缓存工具类
 * @author xhz
 *
 */
public class CacheUtil {

	private static MemCache memCache = MemCache.getInstance();

	public CacheUtil() {
	}

	public static boolean isArrayList(Object obj) {
		if(obj==null) {
			return false;
		}else if(obj.getClass().getSimpleName().equals("ArrayList")) {
			return true;
		}
		return false;
	}

	/**
	 * 存值
	 * @param key
	 * @param value
	 */
	public static void set(String key, Object value) {
		try {
			if(isArrayList(value)) {
				memCache.set(key,JSON.toJSONString(value));
			}else {
				memCache.set(key,value);
			}
		} catch (Exception var3) {
			var3.printStackTrace();
		}
	}
	
	/**
	 * 根据key取值 仅供ArrayList使用
	 * @param key
	 * @return
	 */
	public static  List get(String key,Class clazz) {
		try {
			if(memCache.get(key)==null)
				return null;
			return JSON.parseArray(memCache.get(key).toString(),clazz);
		} catch (Exception var2) {
			var2.printStackTrace();
		}
		return null;
	}

}

3. 反序列化取出

     public static void main(String[] args) {
		List test=new ArrayList();
		Course log1 = new Course();
		log1.setCourseName("test");
		log1.setDescribe("测试描述");
		test.add(log1);
		Course log2 = new Course();
		log2.setCourseName("test2");
		log2.setDescribe("测试描述2");
		test.add(log2);
		CacheUtil.set("tetttt", test);
		List list=CacheUtil.get("tetttt",Course.class);
		for (Course course : list) {
			System.out.println(course);
		}
    }

OK,大功告成!

你可能感兴趣的:(Java)