keys数组定义如下:
keys = new char[] {resolv, 'А', 'Б', 'В', 'Г', 'Д', 'Е',
'Ё', 'Ж', 'З', 'И', 'Й', 'К',
'Л', 'М', 'Н', 'О', 'П', 'Р',
'С', 'Т', 'У', 'Ф', 'Х', 'Ц',
'Ч', 'Ш', 'Щ', 'Ъ', 'Ы', 'Ь',
'Э', 'Ю', 'Я'};
'resolv'是一个常量char值0x00,但这与此问题无关。
现在,此代码引发“java.lang.ArrayIndexOutOfBoundsException:length = 34; index = 34”异常有时:
protected void LoadKeyRects() {
keyRects = new Rect[keys.length];
// Solve key
keyRects[0] = resRect;
// Rest of keys
int x, y;
for (int i=1; i<keys.length; i++) {
y = 214 + ( 87 * ((i-1)/11));
x = 7 + (((i-1)%11)*71);
keyRects[i] = new Rect (x, y, x+71, y+87);
}
}
到目前为止,我还没有能够自己重现错误,但是我从第三方设备的BugSense获得了足够的报告来关注它。似乎有时keyRects [i]可能会引用keyRects [keys.length]尽管i
任何想法?
答案 0 :(得分:4)
我可以在for
循环中看到问题。如果您不访问字段本身,则使用超出范围的字段来结束迭代,这是完全错误的。如果你这样做,你应该采用不同的方式。两个例子:
protected void LoadKeyRects() {
keyRects = new Rect[keys.length];
// Solve key
keyRects[0] = resRect;
// Rest of keys
int x, y;
for (int i=1; i<keyRects.length; i++) {
y = 214 + ( 87 * ((i-1)/11));
x = 7 + (((i-1)%11)*71);
keyRects[i] = new Rect (x, y, x+71, y+87);
}
}
这将在没有任何ArrayIndexOutOfBoundsException
的情况下正常运行。如果您需要访问甚至修改keys
数组,请执行以下操作:
protected void LoadKeyRects() {
final char[] localKeys = keys;
keyRects = new Rect[localKeys.length];
// Solve key
keyRects[0] = resRect;
// Rest of keys
int x, y;
for (int i=1; i<localKeys.length; i++) {
y = 214 + ( 87 * ((i-1)/11));
x = 7 + (((i-1)%11)*71);
keyRects[i] = new Rect (x, y, x+71, y+87);
}
// if you need to change the keys, uncomment the next line
// keys = localKeys;
}