实现Android状态栏变色(纯色或者渐变色)

实现Android状态栏变色(纯色或者渐变色)

Android开发中为了保证显示一致性,可能需要调整statusBar的背景色。Android 5.0开始只需要修改styles.xml文件中colorPrimaryDark的颜色值就可以修改statusbar背景色。但是colorPrimaryDark只能设置固定色值的颜色,而且设置主题的话也是统一所有页面的statusbar都是一样的,要是某单一页面要单独设置statusbar背景色又要在styles.xml重复写然后设置,有点麻烦,而且最关键的是无法设置渐变色。
这样的话我们可以在activity的基类BaseActivity中增加统一的代码:

  /**
     * 修改状态栏颜色,支持5.0以上版本
     */
    public static void setStatusBarColor(Activity activity, int colorId) {
        if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {
            Window window = activity.getWindow();
            window.clearFlags(WindowManager.LayoutParams.FLAG_TRANSLUCENT_STATUS);
            window.addFlags(WindowManager.LayoutParams.FLAG_DRAWS_SYSTEM_BAR_BACKGROUNDS);
            window.setStatusBarColor(activity.getResources().getColor(colorId));
        }

    }

如果某一个页面需要单独设置StatusBar的话,在onCreate()方法中直接调用上面的方法,把颜色值传进去就OK了。
上面说的是单一颜色的,现在说说渐变颜色的,渐变颜色的话我们一般是在drawable文件夹里面建一个shape的资源文件,可能会有多种颜色,所以上面的方法显然不合适了,看下面:

 //改变状态栏颜色
    private void setThisStatusBarColor() {
        getWindow().getDecorView().addOnLayoutChangeListener(new View.OnLayoutChangeListener() {
            @Override
            public void onLayoutChange(View v, int left, int top, int right, int bottom, int oldLeft, int oldTop, int oldRight, int oldBottom) {
                initStatusBar();
                getWindow().getDecorView().removeOnLayoutChangeListener(this);
            }
        });

    }

    private void initStatusBar() {
        //利用反射机制修改状态栏背景
        int identifier = getResources().getIdentifier("statusBarBackground", "id", "android");
        View statusBarView = getWindow().findViewById(identifier);
        statusBarView.setBackgroundResource(R.drawable.shape_bg_gradient_blue_no_corner);
    }

最后面传入自己写好的drawable资源文件(我这里是R.drawable.shape_bg_gradient_blue_no_corner),毕竟需要的颜色不一样,哪个页面需要调用就好了。

<?xml version="1.0" encoding="utf-8"?>
<shape xmlns:android="http://schemas.android.com/apk/res/android">

    <!-- 渐变 默认从左到右, angle: 270表示从上到下,180表示从右到左 -->
    <gradient
        android:endColor="#AF76EB"
        android:startColor="#7D76E1" />
</shape>

注:上面的方法只对Android5.0以上有效,4.4以下的还需求适配的话自己网上看看其他的博客吧,毕竟现在市场上的手机很少有4.4以下的了。

你可能感兴趣的:(随手,小记)