Android activity传参

概述

在Android开发中,我们经常需要在不同的Activity之间传递数据。Activity之间的数据传递可以通过Intent来实现。本文将介绍Android Activity传参的步骤和具体实现代码。

步骤概览

下面的表格展示了Android activity传参的整个流程,包括发送方和接收方需要完成的操作。

发送方(Sender) 接收方(Receiver)
创建Intent对象,设置要传递的数据 在接收方的onCreate()方法中获取传递的数据
调用Intent的putExtra()方法将数据附加到Intent对象中 从Intent对象中获取数据
调用startActivity()方法启动接收方的Activity并传递Intent对象

具体步骤和代码实现

以下是每个步骤的详细说明和对应的代码实现。

步骤1:创建Intent对象并设置要传递的数据

在发送方的代码中,首先需要创建一个Intent对象,并使用putExtra()方法将要传递的数据附加到Intent对象中。这些数据可以是基本数据类型、字符串、数组等。

Intent intent = new Intent(SenderActivity.this, ReceiverActivity.class);
intent.putExtra("key", value);

上述代码中,SenderActivity.this表示当前的Activity,ReceiverActivity.class表示接收方的Activity。"key"是数据的键,value是要传递的数据。

步骤2:启动接收方的Activity并传递Intent对象

接下来,我们需要调用startActivity()方法来启动接收方的Activity,并传递包含数据的Intent对象。

startActivity(intent);

步骤3:在接收方的onCreate()方法中获取传递的数据

在接收方的代码中,我们需要在onCreate()方法中获取传递的数据。可以通过调用getIntent()方法获取包含传递数据的Intent对象,然后使用getStringExtra()getIntExtra()等方法获取具体的数据。

Intent intent = getIntent();
String data = intent.getStringExtra("key");

上述代码中,"key"是之前设置的数据的键,通过调用getStringExtra()方法获取对应的字符串数据。

示例代码

下面是一个完整的示例代码,展示了如何在两个Activity之间传递数据。

SenderActivity.java

public class SenderActivity extends AppCompatActivity {

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_sender);

        // 步骤1:创建Intent对象并设置要传递的数据
        Intent intent = new Intent(SenderActivity.this, ReceiverActivity.class);
        intent.putExtra("message", "Hello from SenderActivity");

        // 步骤2:启动接收方的Activity并传递Intent对象
        startActivity(intent);
    }
}

ReceiverActivity.java

public class ReceiverActivity extends AppCompatActivity {

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_receiver);

        // 步骤3:在接收方的onCreate()方法中获取传递的数据
        Intent intent = getIntent();
        String message = intent.getStringExtra("message");

        // 使用获取到的数据进行操作
        TextView textView = findViewById(R.id.text_view);
        textView.setText(message);
    }
}

上述代码中,SenderActivity是发送方的Activity,ReceiverActivity是接收方的Activity。在SenderActivity中,我们在onCreate()方法中创建了一个Intent对象,并使用putExtra()方法将数据附加到Intent对象中。然后通过调用startActivity()方法启动了ReceiverActivity并传递了Intent对象。在ReceiverActivity中,我们在onCreate()方法中获取了传递的数据,并使用该数据进行操作。

希望本文对你理解Android activity传参有所帮助。通过上述步骤和示例代码,你可以轻松实现Android activity之间的数据传递。