天天看點

安卓之頁面跳轉與傳值和按鈕事件

一:建立頁面

即建立Activity,new-other-Android Activity,next,

安卓之頁面跳轉與傳值和按鈕事件

建立Activity的時候,

1:eclipse會自動建立Layout,我們發現Layout目錄下會多了對應的xml檔案;

2:ec會自動在AndroidManifest.xml中建立對應的activity節點;

需要注意的是,這些都是ec幫我們自動建立的,我們完全可以手動建立 class,然後讓它繼承自activity,然後指定layout的那個xml,然後手動建立節點完成。

二:點選按鈕進行頁面跳轉

在首頁面建立一個button,對應

    <Button         android:id="@+id/button1"         android:layout_width="wrap_content"         android:layout_height="wrap_content"         android:layout_alignLeft="@+id/editText1"         android:layout_below="@+id/editText1"         android:layout_marginLeft="41dp"         android:layout_marginTop="73dp"         android:text="Button"          android:onClick="Btn1OnClick"/>

可以在xml中指定按鈕事件方法,那麼,我們在頁面的背景代碼中,可以直接實作此方法為:

public void Btn1OnClick(View view){         Intent intent = new Intent();     intent.setClass(MainActivity.this, Test2Activity.class);     startActivity(intent); }   

方法中的3行代碼就是用于頁面跳轉。

三:頁面傳值

有的時候,在跳轉頁面時還需要傳遞資料,這個時候如何做呢?

如果資料比較少,比如隻要傳一個名字,那麼隻要j加一句"intent.putExtra("Name", "feng88724");"即可,代碼如下:

Intent intent = new Intent();   intent.setClass(A.this, B.class);   intent.putExtra("Name", "feng88724");   startActivity(intent);  

如果資料比較多,就需要使用 Bundle類了,代碼如下: (說明直接看注釋)

Intent intent = new Intent(A.this, B.class);   /* 通過Bundle對象存儲需要傳遞的資料 */   Bundle bundle = new Bundle();   /*字元、字元串、布爾、位元組數組、浮點數等等,都可以傳*/   bundle.putString("Name", "feng88724");   bundle.putBoolean("Ismale", true);   /*把bundle對象assign給Intent*/   intent.putExtras(bundle);   startActivity(intent); 

以上我們講的都是如何進行頁面跳轉及資料傳遞,那麼在另一個頁面B上,應該如何接收資料呢?

在A頁面上是以Bundle封裝了對象,自然在B頁面也是以Bundle的方式來解開封裝的資料。主要通過"getIntent().getExtras()"方法來擷取Bundle,然後再從Bundle中擷取資料。 也可以通過" this.getIntent().getStringExtra("Name");"方法直接從Intent中擷取資料。

從Bundle擷取資料的代碼:

@Override   public void onCreate(Bundle savedInstanceState) {           super.onCreate(savedInstanceState);           /*加載頁面*/           setContentView(R.layout.main);           /*擷取Intent中的Bundle對象*/           Bundle bundle = this.getIntent().getExtras();           /*擷取Bundle中的資料,注意類型和key*/           String name = bundle.getString("Name");           boolean ismale = bundle.getBoolean("Ismale");   } 

有時,在頁面跳轉之後,需要傳回到之前的頁面,同時要保留使用者之前輸入的資訊,這個時候該怎麼辦呢?

在頁面跳轉後,前一個Activity已經被destroy了。如果要傳回并顯示資料,就必須将前一個Activity再次喚醒,同時調用某個方法來擷取并顯示資料。

要實作這個效果,需要做以下幾步:

1. 首先,從A頁面跳轉到B頁面時,不可以使用"startActivity()"方法,而要使用"startActivityForResult"方法。

2. 在A頁面的Activity中,需要重寫"onActivityResult"方法

protected void onActivityResult(int requestCode,int resultCode,Intent data){       switch(requestCode){       case RESULT_OK:           /*取得來自B頁面的資料,并顯示到畫面*/           Bundle bundle = data.getExtras();       }  

3. 在B頁面上加一個傳回按鈕,并在事件寫如下代碼:

/*給上一個Activity傳回結果*/   B.this.setResult(RESULT_OK,intent);   /*結束本Activity*/   B.this.finish();  本文轉自最課程陸敏技部落格園部落格,原文連結:http://www.cnblogs.com/luminji/p/4545144.html,如需轉載請自行聯系原作者

繼續閱讀