我创建了一个自定义的SimpleCursorAdapter,在其中重写了bindView
,因此可以在列表项布局中连接ImageButton的onClick
侦听器。我想使用Intent
和来自基础Cursor
的一些额外数据集单击按钮时启动一个新应用程序。
问题在于,当调用按钮的onClick
函数时,游标似乎不再指向数据库中的正确行(我认为这是因为它已更改为指向与列表不同的行卷轴)。
这是我的代码:
private class WaveFxCursorAdapter extends SimpleCursorAdapter {
public WaveFxCursorAdapter(Context context, int layout, Cursor c,
String[] from, int[] to, int flags) {
super(context, layout, c, from, to, flags);
}
@Override
public void bindView(View v, Context context, Cursor c) {
super.bindView(v, context, c);
ImageButton b = (ImageButton) v.findViewById(R.id.btn_show_spec);
// fchr is correct here:
int fchr = c.getInt(c.getColumnIndex(
WaveDataContentProvider.SiteForecast.FORECAST_PERIOD));
Log.d(TAG, "ChrisB: bindView: FCHR is: " + fchr );
b.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
Intent i = new Intent(getActivity(), SpecDrawActivity.class);
i.setAction(Intent.ACTION_VIEW);
i.putExtra("com.kernowsoft.specdraw.SITENAME", mSitename);
// fchr is NOT CORRECT here! I can't use the fchr from the
// bindView method as Lint tells me this is an error:
int fchr = c.getInt(c.getColumnIndex(
WaveDataContentProvider.SiteForecast.FORECAST_PERIOD));
Log.d(TAG, "bindView: Forecast hour is: " + fchr);
i.putExtra("com.kernowsoft.specdraw.FCHR", fchr);
getActivity().startActivity(i);
}
});
}
从上面代码的注释中可以看到,当我将
fchr
打印到bindView
中的日志时,它是正确的,但在onClick
方法中它是不正确的。我尝试从fchr
方法引用bindView
中的onClick
变量,但是Andriod Lint告诉我我不能这样做:无法在以其他方法定义的内部类中引用非最终变量fchr
我的问题是:如何正确地将光标中的
fchr
变量传递给onClick
方法?谢谢!
最佳答案
错误的原因是变量fchr
是bindView()方法中的局部变量。您使用匿名类创建的对象可能会一直持续到bindView()方法返回之后。
当bindView()方法返回时,局部变量将从堆栈中清除,因此bindView()返回后它们将不再存在。
但是匿名类对象引用变量fchr
。如果匿名类对象在清除变量后尝试访问该变量,则事情将变得非常糟糕。
通过使fchr
为最终变量,它们不再是真正的变量,而是常量。然后,编译器可以使用常量的值替换匿名类中fchr
的使用,并且不再存在访问不存在的变量的问题。
见Working with inner classes