移动端疑难杂症

正确地写一个Android Splash页面

2018-01-19  本文已影响0人  四次元君

正确地写一个Android Splash页面

REF: https://www.bignerdranch.com/blog/splash-screens-the-right-way/

打开APP立即进入应用的主页面并呈现出用户想要的内容,对于用户来讲是最好的体验。但是通常APP在启动时需要进行一系列的初始化、网络加载等耗时的操作,因此启动APP时不可避免地会比较耗时,这种情况下若不做任何处理,那么用户打开APP后需要等待该加载过程,一定程度上会影响用户体验,因此我们需要在首次打开APP时显示一个Splash页面,让用户能够看到一些东西,而这个Splash页面一方面应该尽量短,另一方面起本身也应该尽快呈现出来。

实现一个Splash页面最简单的做法便是写一个相应的Splash Activity,并在合适的时机启动它。

public class SplashActivity extends AppCompatActivity {

    @Override
    protected void onCreate(@Nullable Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_splash);
        new Handler().postDelayed(new Runnable() {
            @Override
            public void run() {
                startActivity(new Intent(SplashActivity.this, MainActivity.class));
                finish();
            }
        }, 1000);
    }
}

SplashActivity的布局文件很简单,当中放置一个占满全屏的 ImageView 来显示splash图片,在Activity onCreated 时在 setContentView 方法中设置布局。这样设置能够实现简单的功能,但并不是最好的方案。我们冷启动APP时会发现,splash页面在显示出图片前会先有短暂的白屏的现象。究其原因,还是因为windows创建之后,才会渲染view,造成图片显示的延迟。为了避免那短暂的白屏现象,可以采取如下方法来设置splash。

首先,新建一个 layer-list 如下:

<?xml version="1.0" encoding="utf-8"?>
<layer-list xmlns:android="http://schemas.android.com/apk/res/android">
    <item>
        <bitmap
            android:gravity="fill"
            android:src="@drawable/splash"/>
    </item>
</layer-list>

新建一个theme,在其中设置 windowBackground 为上述 layer-list

<style name="SplashTheme" parent="Theme.AppCompat.NoActionBar">
        <item name="android:windowBackground">@drawable/background_splash</item>
</style>

清单文件中注册 SplashActivity 时设置其主题为 SplashTheme,同时不必再在 onCreated 中调用 setContentView 方法

public class SplashActivity extends AppCompatActivity {

    @Override
    protected void onCreate(@Nullable Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        // avoid calling setContentView method
        // setContentView(R.layout.activity_splash);
        new Handler().postDelayed(new Runnable() {
            @Override
            public void run() {
                startActivity(new Intent(SplashActivity.this, MainActivity.class));
                finish();
            }
        }, 1000);
    }
}

如此设置splash页面后,启动时便不会再出现白屏或者黑屏的现象。

上一篇下一篇

猜你喜欢

热点阅读