如何将上下文和名称字符串作为参数传递给新线程?
编译错误:
线
label = new TextView(this);
构造函数TextView(new Runnable(){})未定义
行“
label.setText(name);
”:无法在以其他方法定义的内部类中引用非最终变量名称
码:
public void addObjectLabel (String name) {
mLayout.post(new Runnable() {
public void run() {
TextView label;
label = new TextView(this);
label.setText(name);
label.setWidth(label.getWidth()+100);
label.setTextSize(20);
label.setGravity(Gravity.BOTTOM);
label.setBackgroundColor(Color.BLACK);
panel.addView(label);
}
});
}
最佳答案
您需要将name
声明为final
,否则不能在内部anonymous class中使用它。
另外,您需要声明要使用的this
;就目前而言,您正在使用Runnable
对象的this
引用。您需要的是这样的:
public class YourClassName extends Activity { // The name of your class would obviously be here; and I assume it's an Activity
public void addObjectLabel(final String name) { // This is where we declare "name" to be final
mLayout.post(new Runnable() {
public void run() {
TextView label;
label = new TextView(YourClassName.this); // This is the name of your class above
label.setText(name);
label.setWidth(label.getWidth()+100);
label.setTextSize(20);
label.setGravity(Gravity.BOTTOM);
label.setBackgroundColor(Color.BLACK);
panel.addView(label);
}
});
}
}
但是,我不确定这是更新UI的最佳方法(您可能应该使用
runOnUiThread
和AsyncTask
)。但是以上方法可以解决您遇到的错误。