在 Android 應用開發中,有時我們需要知道狀態列和導航欄的高度,以便在佈局中進行調整。獲取這些高度的方法有幾種,每種方法在準確性和相容性方面有所不同。下面我們將詳細介紹這幾種方法,並提供 Kotlin 程式碼示例。
獲取狀態列高度的方法
方法一:透過資源名稱獲取
這種方法最常見,也最推薦,具有較高的準確性和相容性。
fun getStatusBarHeight(context: Context): Int { var result = 0 val resourceId = context.resources.getIdentifier("status_bar_height", "dimen", "android") if (resourceId > 0) { result = context.resources.getDimensionPixelSize(resourceId) } return result }
方法二:透過 WindowInsets 獲取
這種方法需要 API 20 (Android 4.4W) 以上,但在較新版本的 Android(API 21及以上)中更爲準確。
fun getStatusBarHeight(activity: Activity): Int { val windowInsets = activity.window.decorView.rootWindowInsets return windowInsets?.systemWindowInsetTop ?: 0 }
注意:在 Android 11(API 30)及以上版本可以使用
WindowInsetsCompat
進行更相容性友好的操作。
import androidx.core.view.WindowInsetsCompat import androidx.core.view.ViewCompat fun getStatusBarHeight(activity: Activity): Int { val insets = ViewCompat.getRootWindowInsets(activity.window.decorView) return insets?.systemWindowInsetTop ?: 0 }
獲取導航欄高度的方法
方法一:透過資源名稱獲取
這種方法和獲取狀態列高度的方式類似。
fun getNavigationBarHeight(context: Context): Int { var result = 0 val resourceId = context.resources.getIdentifier("navigation_bar_height", "dimen", "android") if (resourceId > 0) { result = context.resources.getDimensionPixelSize(resourceId) } return result }
方法二:透過 WindowInsets 獲取
這種方法也是較為現代的方式,但需要更高的 API 級別。
fun getNavigationBarHeight(activity: Activity): Int { val windowInsets = activity.window.decorView.rootWindowInsets return windowInsets?.systemWindowInsetBottom ?: 0 }
同樣地,可以使用
WindowInsetsCompat
進行相容性處理:
import androidx.core.view.WindowInsetsCompat import androidx.core.view.ViewCompat fun getNavigationBarHeight(activity: Activity): Int { val insets = ViewCompat.getRootWindowInsets(activity.window.decorView) return insets?.systemWindowInsetBottom ?: 0 }
對比和總結
1、 透過資源名稱獲取:
優點:簡單、程式碼相容性好。
缺點:可能受某些定製 ROM 的影響,準確性在極少數情況下可能有問題。
2、 透過 WindowInsets 獲取:
優點:在較新版本的 Android 上非常準確。
缺點:需要較新的 API 級別,可能需要做額外的相容性處理。
相容性建議
對於支援的最低 API 級別較低的應用,建議優先使用透過資源名稱獲取的方法,因為這種方法在大多數情況下效果良好。
對於支援較高 API 級別的應用,可以考慮優先使用
WindowInsets
或WindowInsetsCompat
,以確保準確性。