|
簡介:
在實際開發中LayoutInflater這個類還是非常有用的,它的作用類似於findViewById()。
不同點是LayoutInflater是用來找res/layout/下的xml佈局文件,並且實例化;而findViewById()是找xml佈局文件下的具體widget控件(如Button,TextView等等)。
使用場景:
①對於一個沒有被載入或者想要動態載入的界面,都需要使用LayoutInflater.inflater()來載入。
②對於一個已經載入的界面,可以使用Activity.findViewById()方法來獲取其中的界面元素。
獲取LayoutInflater實例的三種方式:
// 方式1
// 調用Activity的getLayoutInflater()
LayoutInflater inflater = getLayoutInflater();
// 方式2
LayoutInflater inflater = LayoutInflater.from(context);
// 方式3
LayoutInflater inflater = LayoutInflater.context.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
其實,這三種方式本質上是一樣的,從源碼中可以看出:
Activity的getLayoutInflater()方法調用的是PhoneWindow的getLayoutInflater()方法,該方法源碼為:
- public PhoneWindow(Context context){
- super(context);
- mLayoutInflater = LayoutInflater.from(context);
- }
複製代碼
可以看出其實調用的是LayoutInflater.from(context),而對於LayoutInflater.from(context)而言,它實際調用的是context.getSystemService(),請看如下源碼:
- public static LayoutInflater from(Context context){
- LayoutInflater LayoutInflater = (LayoutInflater) context.getSystemService
- (Context.LAYOUT_INFLATER_SERVICE);
- if (LayoutInflater == null){
- throw new AssertionError("LayoutInflater not found.");
- }
- return LayoutInflater;
- }
複製代碼
結論:這三種方法的本質都是調用Context.getSystemService()這個方法。
getSystemService()是Android中非常重要的一個API,它是Activity的一個方法,根據傳入的name得到對應的Object,然後轉換成相應的服務對象。下面介紹一下系統相應的服務。
傳入的Name | 返回的對象 | 說明 | WINDOW_SERVICE | 窗口管理器 | 管理打開的窗口程序 | LAYOUT_INFLATER_SERVICE | LayoutInflater | 取得xml裡定義的view | ACTIVITY_SERVICE | ActivityManager | 管理應用程序的系統狀態 | POWER_SERVICE | PowerManger | 電源的服務 | ALARM_SERVICE | 報警經理 | 鬧鐘的服務 | NOTIFICATION_SERVICE | NotificationManager | 狀態欄的服務 | KEYGUARD_SERVICE | KeyguardManager | 鍵盤鎖的服務 | LOCATION_SERVICE | 的LocationManager | 位置的服務,如GPS | SEARCH_SERVICE | SearchManager的 | 搜索的服務 | VEBRATOR_SERVICE | Vebrator | 手機震動的服務 | CONNECTIVITY_SERVICE | 連通性 | 網絡連接的服務 | WIFI_SERVICE | WifiManager | Wi-Fi服務 | TELEPHONY_SERVICE | TeleponyManager | 電話服務 | 示例代碼如下:
- LayoutInflater inflater = (LayoutInflater)getSystemService(LAYOUT_INFLATER_SERVICE);
- View view = inflater.inflate(R.layout.custom, (ViewGroup)findViewById(R.id.test));
- EditText editText = (EditText)view.findViewById(R.id.content);
- //注意:
- // ·inflate方法與findViewById方法不同;
- // ·inflater是用來找res/layout下的xml佈局文件,並且實例化;
- // ·findViewById()是找具體xml佈局文件中的具體widget控件(如:Button、TextView等)。
複製代碼
|
|