编写一个具有用户名密码姓名输入的的android
时间: 2024-09-10 15:26:50 浏览: 44
简单的android项目(用户名:admin,密码:123456)
5星 · 资源好评率100%
在Android应用中创建一个简单的登录界面,可以包含三个输入字段:用户名、密码以及姓名。以下是基本步骤:
1. **设计布局**: 使用XML布局文件(比如activity_login.xml)创建一个线性布局或者其他合适的容器:
```xml
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:orientation="vertical">
<EditText
android:id="@+id/username_input"
android:hint="用户名"
android:inputType="text"
android:layout_width="match_parent"
android:layout_height="wrap_content" />
<EditText
android:id="@+id/password_input"
android:hint="密码"
android:password="true"
android:inputType="textPassword"
android:layout_width="match_parent"
android:layout_height="wrap_content" />
<EditText
android:id="@+id/fullname_input"
android:hint="姓名"
android:inputType="textPersonName"
android:layout_width="match_parent"
android:layout_height="wrap_content" />
<Button
android:id="@+id/login_button"
android:text="登录"
android:layout_width="match_parent"
android:layout_height="wrap_content"/>
</LinearLayout>
```
2. **编写Activity**: 创建一个新Activity并在Java或Kotlin中初始化布局并处理按钮点击事件:
```java
// Java
public class LoginActivity extends AppCompatActivity {
// ...省略导入
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_login);
Button loginButton = findViewById(R.id.login_button);
loginButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
String username = findViewById(R.id.username_input).getText().toString();
String password = findViewById(R.id.password_input).getText().toString();
String fullname = findViewById(R.id.fullname_input).getText().toString();
// 这里仅用于示例,实际应用中应进行数据校验和存储或发送至服务器
Toast.makeText(LoginActivity.this, "用户名: " + username + ", 密码: " + password + ", 姓名: " + fullname, Toast.LENGTH_SHORT).show();
}
});
}
}
```
阅读全文