如何在 android 中以编程方式两次包含相同的布局?
2016-11-16
1755
我无法以编程方式调用布局,我尝试在 xml 中使用 include 并且它有效
<Button
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="Hello World!"
android:id="@+id/btnTes"/>
<LinearLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:id="@+id/LL1"
android:orientation="vertical">
<include layout="@layout/extend">
</include>
<include layout="@layout/extend">
</include>
</LinearLayout>
但我想以编程方式创建它 这是我的扩展 XML :
<TextView
android:text="TextView"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:id="@+id/textView" />
<TextView
android:text="TextView2"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:id="@+id/textView2" />
这是我的 java :
public class MainActivity extends AppCompatActivity {
Button btnTes;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
final ViewGroup tes = (ViewGroup) findViewById(R.id.LL1);
btnTes = (Button) findViewById(R.id.btnTes);
final View extend = LayoutInflater.from(this).inflate(R.layout.extend,null);
btnTes.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Toast.makeText(MainActivity.this, "KLIk", Toast.LENGTH_SHORT).show();
tes.addView(extend);
}
});
}
>
当我单击 btnTes 第一次单击时没问题,但当我再次单击它时我的程序只是强制关闭。这是我的错误
FATAL EXCEPTION: main
Process: com.example.siwonhansamu.test, PID: 3796
java.lang.IllegalStateException: The specified child already has a parent. You must call removeView() on the child's parent first.
谢谢
2个回答
您不能将同一视图添加到多个父级。
如果您需要多次使用该视图,则必须复制该视图。您可以这样做:
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
final ViewGroup tes = (ViewGroup) findViewById(R.id.LL1);
btnTes = (Button) findViewById(R.id.btnTes);
btnTes.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Toast.makeText(MainActivity.this, "KLIk", Toast.LENGTH_SHORT).show();
final View extend = LayoutInflater.from(view.getContext()).inflate(R.layout.extend, tes, false);
tes.addView(extend);
}
});
}
pdegand59
2016-11-16
when i click btnTes for the first clicked its ok, but when i click it again my program just force close.
这是预期的行为。View 的实例只能有一个父级。当您第二次按下按钮时,
extend
已经有一个父级 (
tes
),并且您无法在该实例上再次调用
addView
。快速修复方法是将
final View extend = LayoutInflater.from(this).inflate(R.layout.extend,null);
移入
onClick
。这样,每次按下按钮时,都会创建一个新实例。
Blackbelt
2016-11-16