安卓开发fragment添加一个按钮切换文本框效果代码
时间: 2024-12-15 21:16:49 浏览: 4
Android文本框和单选按钮
在Android开发中,我们可以使用Fragment来创建可重用的部分UI,并通过Button控制切换TextView的内容。下面是一个简单的示例,展示如何在一个Fragment里添加一个按钮,点击后切换两个TextView的文字:
首先,你需要在你的Fragment布局文件`activity_main.xml`中包含一个按钮和两个TextView:
```xml
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical">
<TextView
android:id="@+id/textView1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="TextView 1" />
<TextView
android:id="@+id/textView2"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="TextView 2" />
<Button
android:id="@+id/buttonSwitch"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="切换内容" />
</LinearLayout>
```
然后,在你的Fragment.java文件中,你可以这样处理按钮的点击事件,改变TextView的文字:
```java
import androidx.fragment.app.Fragment;
import android.os.Bundle;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.Button;
import android.widget.TextView;
public class YourFragment extends Fragment {
private TextView textView1, textView2;
private Button buttonSwitch;
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
View view = inflater.inflate(R.layout.activity_main, container, false);
textView1 = view.findViewById(R.id.textView1);
textView2 = view.findViewById(R.id.textView2);
buttonSwitch = view.findViewById(R.id.buttonSwitch);
buttonSwitch.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if (textView1.getText().toString().equals("TextView 1")) {
textView1.setText("TextView 2");
textView2.setText("TextView 1");
} else {
textView1.setText("TextView 1");
textView2.setText("TextView 2");
}
}
});
return view;
}
}
```
在这个例子中,当按钮被点击时,会检查当前显示的是哪一行文字,然后将另一行设置为当前显示。
阅读全文