什么是缓存字符串?或什么是缓存字符串?我在JNI已多次读过这个术语,但不知道它是什么。
答案 0 :(得分:1)
cache提高了性能(这对JNI很重要)并减少了内存使用量。
这是一个简单的字符串缓存示例,如果您对简单的缓存算法如何工作感兴趣 - 但这只是一个示例,我不建议您应该在代码中实际使用它:
public class StingCache {
static final String[] STRING_CACHE = new String[1024];
static String getCachedString(String s) {
int index = s.hashCode() & (STRING_CACHE.length - 1);
String cached = STRING_CACHE[index];
if (s.equals(cached)) {
return cached;
} else {
STRING_CACHE[index] = s;
return s;
}
}
public static void main(String... args) {
String a = "x" + new Integer(1);
System.out.println("a is: String@" + System.identityHashCode(a));
String b = "x" + new Integer(1);
System.out.println("b is: String@" + System.identityHashCode(b));
String c = getCachedString(a);
System.out.println("c is: String@" + System.identityHashCode(c));
String d = getCachedString(b);
System.out.println("d is: String@" + System.identityHashCode(d));
}
}