作者:沉醉不知归路1222 | 来源:互联网 | 2024-11-13 10:57
我是 Java 的新手。
Error:(40, 5) error: method does not override or implement a method from a supertype
Error:(32, 27) error: incompatible types: Object cannot be converted to long
错误发生在以下代码段中:
@Override
public long getItemId(int position) {
String item = getItem(position);
return hashMap.get(item);
}
完整代码如下:
package com.javapapers.android.listview;
import android.content.Context;
import android.widget.ArrayAdapter;
import java.util.HashMap;
import java.util.List;
public class SimpleArrayAdapter extends ArrayAdapter {
Context context;
int textViewResourceId;
private static final String TAG = "SimpleArrayAdapter";
HashMap hashMap = new HashMap();
public SimpleArrayAdapter(Context context, int textViewResourceId, List objects) {
super(context, textViewResourceId, objects);
this.cOntext= context;
this.textViewResourceId = textViewResourceId;
for (int i = 0; i hashMap.put(objects.get(i), i);
}
}
@Override
public long getItemId(int position) {
String item = getItem(position);
return hashMap.get(item);
}
@Override
public boolean hasStableIds() {
return true;
}
@Override
public void add(String object) {
hashMap.put(object, hashMap.size());
this.notifyDataSetChanged();
}
}
问题分析:
您遇到的问题是因为 hashMap.get(item)
返回的是 Object
类型,而您的方法签名指定需要返回 long
类型。
public long getItemId(int position) { // 方法声明返回 long 类型
String item = getItem(position);
return hashMap.get(item); // 尝试返回 Object 类型
}
在 Java 中,JVM 无法自动将任意的 Object
转换为 long
,因此编译器会报错。
解决方法:
1. **错误的方法**
第一个(不推荐)的方法是将从哈希表中获取的值强制转换为 long
:
public long getItemId(int position) { // 方法声明返回 long 类型
String item = getItem(position);
return (long)hashMap.get(item); // 强制转换为 long 类型
}
这种方法会使代码编译通过,但实际上是告诉编译器你非常确定哈希表中存储的是 long
类型。编译器会尝试将 Long
解包为 long
并返回。如果哈希表中的值确实是 long
类型,这将正常工作;否则,会抛出 ClassCastException
。
2. **正确的方法**
在较新版本的 Java 中,可以使用泛型来指定容器中允许存储的对象类型。使用泛型可以避免类型转换的问题:
// 创建一个键为 Object,值为 Long 的哈希表
Map hashMap = new HashMap<>();
public long getItemId(int position) { // 方法声明返回 long 类型
String item = getItem(position);
return hashMap.get(item); // 不需要强制转换
}
现在,编译器只会允许 Long
类型的值存储在哈希表中,从哈希表中获取的任何值都会自动是 Long
类型,从而消除了类型转换的需要和风险。