網頁加載緩慢,白屏,使用卡頓。css
1.調用loadUrl()方法的時候,纔會開始網頁加載流程 2.js臃腫問題 3.加載圖片太多 4.webview自己問題html
webview初始化->DOM下載→DOM解析→CSS請求+下載→CSS解析→渲染→繪製→合成前端
1.webview自己優化java
public class App extends Application {
private WebView mWebView ;
@Override
public void onCreate() {
super.onCreate();
mWebView = new WebView(new MutableContextWrapper(this));
}
}
複製代碼
效果:見下圖 android
public class WebPools {
private final Queue<WebView> mWebViews;
private Object lock = new Object();
private static WebPools mWebPools = null;
private static final AtomicReference<WebPools> mAtomicReference = new AtomicReference<>();
private static final String TAG=WebPools.class.getSimpleName();
private WebPools() {
mWebViews = new LinkedBlockingQueue<>();
}
public static WebPools getInstance() {
for (; ; ) {
if (mWebPools != null)
return mWebPools;
if (mAtomicReference.compareAndSet(null, new WebPools()))
return mWebPools=mAtomicReference.get();
}
}
public void recycle(WebView webView) {
recycleInternal(webView);
}
public WebView acquireWebView(Activity activity) {
return acquireWebViewInternal(activity);
}
private WebView acquireWebViewInternal(Activity activity) {
WebView mWebView = mWebViews.poll();
LogUtils.i(TAG,"acquireWebViewInternal webview:"+mWebView);
if (mWebView == null) {
synchronized (lock) {
return new WebView(new MutableContextWrapper(activity));
}
} else {
MutableContextWrapper mMutableContextWrapper = (MutableContextWrapper) mWebView.getContext();
mMutableContextWrapper.setBaseContext(activity);
return mWebView;
}
}
private void recycleInternal(WebView webView) {
try {
if (webView.getContext() instanceof MutableContextWrapper) {
MutableContextWrapper mContext = (MutableContextWrapper) webView.getContext();
mContext.setBaseContext(mContext.getApplicationContext());
LogUtils.i(TAG,"enqueue webview:"+webView);
mWebViews.offer(webView);
}
if(webView.getContext() instanceof Activity){
//throw new RuntimeException("leaked");
LogUtils.i(TAG,"Abandon this webview , It will cause leak if enqueue !");
}
}catch (Exception e){
e.printStackTrace();
}
}
}
複製代碼
帶來的問題:內存泄漏 使用預先建立以及複用池後的效果 git
<service
android:name=".PreWebService"
android:process=":web"/>
<activity
android:name=".WebActivity"
android:process=":web"/>
複製代碼
啓動webview頁面前,先啓動PreWebService把[web]進程建立了,當啓動WebActivity時,系統發發現[web]進程已經存在了,就不須要花費時間Fork出新的[web]進程了。github
2.加載資源時的優化 這種優化多使用第三方,下面有介紹web
3.網頁端的優化 由網頁的前端工程師優化網頁,或者說是和移動端一塊兒,將網頁實現增量更新,動態更新。app內置css,js文件並控制版本數據庫
注意:若是你寄但願於只經過webview的setting來加速網頁的加載速度,那你就要失望了。只修改設置,能作的提高很是少。因此本文就着重分析比較下,如今可使用的第三方webview框架的優缺點。後端
如今大廠的方法有如下幾種:
參考文章: blog.csdn.net/tencent__op… 接入方法: STEP1:
//導入 Tencent/VasSonic
implementation 'com.tencent.sonic:sdk:3.1.0'
複製代碼
STEP2:
//建立一個類繼承SonicRuntime
//SonicRuntime類主要提供sonic運行時環境,包括Context、用戶UA、ID(用戶惟一標識,存放數據時惟一標識對應用戶)等等信息。如下代碼展現了SonicRuntime的幾個方法。
public class TTPRuntime extends SonicRuntime {
//初始化
public TTPRuntime( Context context ) {
super(context);
}
@Override
public void log( String tag , int level , String message ) {
//log設置
}
//獲取cookie
@Override
public String getCookie( String url ) {
return null;
}
//設置cookid
@Override
public boolean setCookie( String url , List<String> cookies ) {
return false;
}
//獲取用戶UA信息
@Override
public String getUserAgent() {
return "Mozilla/5.0 (Linux; Android 5.1.1; Nexus 6 Build/LYZ28E) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/61.0.3163.100 Mobile Safari/537.36";
}
//獲取用戶ID信息
@Override
public String getCurrentUserAccount() {
return "ttpp";
}
//是否使用Sonic加速
@Override
public boolean isSonicUrl( String url ) {
return true;
}
//建立web資源請求
@Override
public Object createWebResourceResponse( String mimeType , String encoding , InputStream data , Map<String, String> headers ) {
return null;
}
//網絡屬否容許
@Override
public boolean isNetworkValid() {
return true;
}
@Override
public void showToast( CharSequence text , int duration ) { }
@Override
public void postTaskToThread( Runnable task , long delayMillis ) { }
@Override
public void notifyError( SonicSessionClient client , String url , int errorCode ) { }
//設置Sonic緩存地址
@Override
public File getSonicCacheDir() {
return super.getSonicCacheDir();
}
}
複製代碼
STEP3:
//建立一個類繼承SonicSessionClien
//SonicSessionClient主要負責跟webView的通訊,好比調用webView的loadUrl、loadDataWithBaseUrl等方法。
public class WebSessionClientImpl extends SonicSessionClient {
private WebView webView;
//綁定webview
public void bindWebView(WebView webView) {
this.webView = webView;
}
//加載網頁
@Override
public void loadUrl(String url, Bundle extraData) {
webView.loadUrl(url);
}
//加載網頁
@Override
public void loadDataWithBaseUrl(String baseUrl, String data, String mimeType, String encoding, String historyUrl) {
webView.loadDataWithBaseURL(baseUrl, data, mimeType, encoding, historyUrl);
}
//加載網頁
@Override
public void loadDataWithBaseUrlAndHeader( String baseUrl , String data , String mimeType , String encoding , String historyUrl , HashMap<String, String> headers ) {
if( headers.isEmpty() )
{
webView.loadDataWithBaseURL( baseUrl, data, mimeType, encoding, historyUrl );
}
else
{
webView.loadUrl( baseUrl,headers );
}
}
}
複製代碼
STEP4:
//建立activity
public class WebActivity extends AppCompatActivity {
private String url = "http://www.baidu.com";
private SonicSession sonicSession;
@Override
protected void onCreate( @Nullable Bundle savedInstanceState ) {
super.onCreate( savedInstanceState );
setContentView( R.layout.activity_web);
initView();
}
private void initView() {
getWindow().addFlags( WindowManager.LayoutParams.FLAG_HARDWARE_ACCELERATED);
//初始化 可放在Activity或者Application的onCreate方法中
if( !SonicEngine.isGetInstanceAllowed() )
{
SonicEngine.createInstance( new TTPRuntime( getApplication() ),new SonicConfig.Builder().build() );
}
//設置預加載
SonicSessionConfig config = new SonicSessionConfig.Builder().build();
SonicEngine.getInstance().preCreateSession( url,config );
WebSessionClientImpl client = null;
//SonicSessionConfig 設置超時時間、緩存大小等相關參數。
//建立一個SonicSession對象,同時爲session綁定client。session建立以後sonic就會異步加載數據了
sonicSession = SonicEngine.getInstance().createSession( url,config );
if( null!= sonicSession )
{
sonicSession.bindClient( client = new WebSessionClientImpl() );
}
//獲取webview
WebView webView = (WebView)findViewById( R.id.webview_act );
webView.setWebViewClient( new WebViewClient()
{
@Override
public void onPageFinished( WebView view , String url ) {
super.onPageFinished( view , url );
if( sonicSession != null )
{
sonicSession.getSessionClient().pageFinish( url );
}
}
@Nullable
@Override
public WebResourceResponse shouldInterceptRequest( WebView view , WebResourceRequest request ) {
return shouldInterceptRequest( view, request.getUrl().toString() );
}
//爲clinet綁定webview,在webView準備發起loadUrl的時候經過SonicSession的onClientReady方法通知sonicSession: webView ready能夠開始loadUrl了。這時sonic內部就會根據本地的數據狀況執行webView相應的邏輯(執行loadUrl或者loadData等)
@Nullable
@Override
public WebResourceResponse shouldInterceptRequest( WebView view , String url ) {
if( sonicSession != null )
{
return (WebResourceResponse)sonicSession.getSessionClient().requestResource( url );
}
return null;
}
});
//webview設置
WebSettings webSettings = webView.getSettings();
webSettings.setJavaScriptEnabled(true);
webView.removeJavascriptInterface("searchBoxJavaBridge_");
//webView.addJavascriptInterface(new SonicJavaScriptInterface(sonicSessionClient, intent), "sonic");
webSettings.setAllowContentAccess(true);
webSettings.setDatabaseEnabled(true);
webSettings.setDomStorageEnabled(true);
webSettings.setAppCacheEnabled(true);
webSettings.setSavePassword(false);
webSettings.setSaveFormData(false);
webSettings.setUseWideViewPort(true);
webSettings.setLoadWithOverviewMode(true);
//爲clinet綁定webview,在webView準備發起loadUrl的時候經過SonicSession的onClientReady方法通知sonicSession: webView ready能夠開始loadUrl了。這時sonic內部就會根據本地的數據狀況執行webView相應的邏輯(執行loadUrl或者loadData等)。
if( client != null )
{
client.bindWebView( webView );
client.clientReady();
}
else
{
webView.loadUrl( url );
}
}
@Override
public void onBackPressed() {
super.onBackPressed();
}
@Override
protected void onDestroy() {
if( null != sonicSession )
{
sonicSession.destroy();
sonicSession = null;
}
super.onDestroy();
}
}
複製代碼
簡單分析下它的核心思想: 並行,充分利用webview初始化的時間進行一些數據的處理。在包含webview的activity啓動時會一邊進行webview的初始化邏輯,一邊並行的執行sonic的邏輯。這個sonic邏輯就是網頁的預加載 原理:
左邊的webview流程:webview初始化後調用SonicSession的onClientReady方法,告知 webview已經初始化完畢。
client.clientReady();
複製代碼
右邊的sonic流程:
2.有緩存模式 徹底緩存流程: 左邊webview的流程跟無緩存一致,右邊sonic的流程會經過SonicCacheInterceptor獲取本地數據是否爲空,不爲空就會發生CLIENT_CORE_MSG_PRE_LOAD消息,以後webview就會使用loadDataWithBaseUrl加載網頁進行渲染了
集成方法,請按照官網的來操做便可。這裏直接放上使用後的效果圖吧
來看下百度app對webview處理的方案
2.智能預取-提早化網絡請求 提早從網絡中獲取部分落地頁html,緩存到本地,當用戶點擊查看時,只須要從緩存中加載便可。
3.通用攔截-緩存共享、請求並行 直出解決了文字展示的速度問題,可是圖片加載渲染速度還不理想。 藉由內核的shouldInterceptRequest回調,攔截落地頁圖片請求,由客戶端調用圖片下載框架進行下載,並以管道方式填充到內核的WebResourceResponse中。就是說在shouldInterceptRequest攔截全部URL,以後只針對後綴是.PNG/.JPG等圖片資源,使用第三方圖片下載工具相似於Fresco進行下載並返回一個InputStream。
總結:
那今日頭條是怎麼處理的呢? 1.assets文件夾內預置了文章詳情頁面的css/js等文件,而且能進行版本控制 2.webview預建立的同時,預先加載一個使用JAVA代碼拼接的html,提早對js/css資源進行解析。 3.文章詳情頁面使用預建立的webview,這個webview已經預加載了html,以後就調用js來設置頁面內容 3.對於圖片資源,使用ContentProvider來獲取,而圖片則是使用Fresco來下載的
content://com.xposed.toutiao.provider.ImageProvider/getimage/origin/eJy1ku0KwiAUhm8l_F3qvuduJSJ0mRO2JtupiNi9Z4MoWiOa65cinMeX57xXVDda6QPKFld0bLQ9UckbJYlR-UpX3N5Smfi5x3JJ934YxWlKWZhEgbeLhBB-QNFyYUfL1s6uUQFgMkKMtwLA4gJSVwrndUWmUP8CC5xhm87izlKY7VDeTgLXZUtOlJzjkP6AxXfiR5eMYdMCB9PHneGHBzh-VzEje7AzV3ZvHYpjJV599w-uZWXvWadQR_vlAhtY_Bn2LKuzu_GGOscc1MfZ4veyTyNuuu4G1giVqQ==/6694469396007485965/3
複製代碼
整理下這幾個大廠的思路 目的:網頁秒開 策略:
本身的想法:
修復白屏現象:系統處理view繪製的時候,有一個屬性setDrawDuringWindowsAnimating,這個屬性是用來控制window作動畫的過程當中是否能夠正常繪製,而剛好在Android 4.2到Android N之間,系統爲了組件切換的流程性考慮,該字段爲false,咱們能夠利用反射的方式去手動修改這個屬性
/**
* 讓 activity transition 動畫過程當中能夠正常渲染頁面
*/
private void setDrawDuringWindowsAnimating(View view) {
if (Build.VERSION.SDK_INT > Build.VERSION_CODES.M
|| Build.VERSION.SDK_INT < Build.VERSION_CODES.JELLY_BEAN_MR1) {
// 1 android n以上 & android 4.1如下不存在此問題,無須處理
return;
}
// 4.2不存在setDrawDuringWindowsAnimating,須要特殊處理
if (Build.VERSION.SDK_INT < Build.VERSION_CODES.JELLY_BEAN_MR1) {
handleDispatchDoneAnimating(view);
return;
}
try {
// 4.3及以上,反射setDrawDuringWindowsAnimating來實現動畫過程當中渲染
ViewParent rootParent = view.getRootView().getParent();
Method method = rootParent.getClass()
.getDeclaredMethod("setDrawDuringWindowsAnimating", boolean.class);
method.setAccessible(true);
method.invoke(rootParent, true);
} catch (Exception e) {
e.printStackTrace();
}
}
/**
* android4.2能夠反射handleDispatchDoneAnimating來解決
*/
private void handleDispatchDoneAnimating(View paramView) {
try {
ViewParent localViewParent = paramView.getRootView().getParent();
Class localClass = localViewParent.getClass();
Method localMethod = localClass.getDeclaredMethod("handleDispatchDoneAnimating");
localMethod.setAccessible(true);
localMethod.invoke(localViewParent);
} catch (Exception localException) {
localException.printStackTrace();
}
}
複製代碼
前文已經說明了sonic的主體思想以及主要的緩存邏輯流程,下面就結合源碼一塊兒來看看它是怎麼運做預加載這個功能的吧。
SonicSessionConfig.Builder sessionConfigBuilder = new SonicSessionConfig.Builder();
sessionConfigBuilder.setSupportLocalServer(true);
// 預先加載
boolean preloadSuccess = SonicEngine.getInstance().preCreateSession(DEMO_URL, sessionConfigBuilder.build());
複製代碼
進入preCreateSession
方法看看
public synchronized boolean preCreateSession(@NonNull String url, @NonNull SonicSessionConfig sessionConfig) {
//數據庫是否準備好
if (isSonicAvailable()) {
//根據url以及RunTime中設置的帳號,生成惟一的sessionId
String sessionId = makeSessionId(url, sessionConfig.IS_ACCOUNT_RELATED);
if (!TextUtils.isEmpty(sessionId)) {
SonicSession sonicSession = lookupSession(sessionConfig, sessionId, false);
if (null != sonicSession) {
runtime.log(TAG, Log.ERROR, "preCreateSession:sessionId(" + sessionId + ") is already in preload pool.");
return false;
}
//判斷預載池是否滿了
if (preloadSessionPool.size() < config.MAX_PRELOAD_SESSION_COUNT) {
//網絡判斷
if (isSessionAvailable(sessionId) && runtime.isNetworkValid()) {
//建立sonicSession去進行預載
sonicSession = internalCreateSession(sessionId, url, sessionConfig);
if (null != sonicSession) {
//放到池子裏
preloadSessionPool.put(sessionId, sonicSession);
return true;
}
}
} else {
runtime.log(TAG, Log.ERROR, "create id(" + sessionId + ") fail for preload size is bigger than " + config.MAX_PRELOAD_SESSION_COUNT + ".");
}
}
} else {
runtime.log(TAG, Log.ERROR, "preCreateSession fail for sonic service is unavailable!");
}
return false;
}
複製代碼
分析:這個方法只要是作了sonic session的建立工做。可是隻有知足預載池(preloadSessionPool
)的大小小於MAX_PRELOAD_SESSION_COUNT
時纔會建立。 咱們繼續進入下一個方法internalCreateSession
去看看是怎麼建立的
private SonicSession internalCreateSession(String sessionId, String url, SonicSessionConfig sessionConfig) {
//預載的sessionId不在已經運行的Session的map中
if (!runningSessionHashMap.containsKey(sessionId)) {
SonicSession sonicSession;
//設置緩存類型
if (sessionConfig.sessionMode == SonicConstants.SESSION_MODE_QUICK) {
//快速類型
sonicSession = new QuickSonicSession(sessionId, url, sessionConfig);
} else {
//標準類型
sonicSession = new StandardSonicSession(sessionId, url, sessionConfig);
}
//session狀態變化監聽
sonicSession.addSessionStateChangedCallback(sessionCallback);
//默認爲true啓動session
if (sessionConfig.AUTO_START_WHEN_CREATE) {
sonicSession.start();
}
return sonicSession;
}
if (runtime.shouldLog(Log.ERROR)) {
runtime.log(TAG, Log.ERROR, "internalCreateSession error:sessionId(" + sessionId + ") is running now.");
}
return null;
}
複製代碼
這個方法就是根據sessionConfig中的sessionMode類型,來建立不一樣的緩存類型session。 QuickSonicSession
以及StandardSonicSession
類型。最後再啓動session進行預載工做。咱們從sonicSession.start()
繼續看下去。
public void start() {
...
for (WeakReference<SonicSessionCallback> ref : sessionCallbackList) {
SonicSessionCallback callback = ref.get();
if (callback != null) {
//回調啓動狀態
callback.onSonicSessionStart();
}
}
...
//在session線程中運行預載網頁方法
SonicEngine.getInstance().getRuntime().postTaskToSessionThread(new Runnable() {
@Override
public void run() {
runSonicFlow(true);
}
});
...
}
複製代碼
其中最主要的方法就是runSonicFlow(true)
這個方法在sonic的專門的線程池中執行網絡請求操做。
private void runSonicFlow(boolean firstRequest) {
...
//首次請求
if (firstRequest) {
//獲取html緩存 首次爲空
cacheHtml = SonicCacheInterceptor.getSonicCacheData(this);
statistics.cacheVerifyTime = System.currentTimeMillis();
SonicUtils.log(TAG, Log.INFO, "session(" + sId + ") runSonicFlow verify cache cost " + (statistics.cacheVerifyTime - statistics.sonicFlowStartTime) + " ms");
//發送消息CLIENT_CORE_MSG_PRE_LOAD arg1:PRE_LOAD_NO_CACHE
handleFlow_LoadLocalCache(cacheHtml);
}
boolean hasHtmlCache = !TextUtils.isEmpty(cacheHtml) || !firstRequest;
final SonicRuntime runtime = SonicEngine.getInstance().getRuntime();
if (!runtime.isNetworkValid()) {
//網絡不存在
if (hasHtmlCache && !TextUtils.isEmpty(config.USE_SONIC_CACHE_IN_BAD_NETWORK_TOAST)) {
runtime.postTaskToMainThread(new Runnable() {
@Override
public void run() {
if (clientIsReady.get() && !isDestroyedOrWaitingForDestroy()) {
runtime.showToast(config.USE_SONIC_CACHE_IN_BAD_NETWORK_TOAST, Toast.LENGTH_LONG);
}
}
}, 1500);
}
SonicUtils.log(TAG, Log.ERROR, "session(" + sId + ") runSonicFlow error:network is not valid!");
} else {
//開始請求
handleFlow_Connection(hasHtmlCache, sessionData);
statistics.connectionFlowFinishTime = System.currentTimeMillis();
}
...
}
複製代碼
分析:在首次請求的時候,調用handleFlow_LoadLocalCache
方法實際是調用以前建立的QuickSonicSession
或者StandardSonicSession
的handleFlow_LoadLocalCache
主要做用是發送一則消息CLIENT_CORE_MSG_PRE_LOAD以及是否含有cache。以後網絡存在的狀況下調用handleFlow_Connection(hasHtmlCache, sessionData)
方法進行請求工做。 接下來進入handleFlow_Connection
方法看下是如何創建鏈接的。
protected void handleFlow_Connection(boolean hasCache, SonicDataHelper.SessionData sessionData) {
...
//建立網絡請求
server = new SonicServer(this, createConnectionIntent(sessionData));
...
}
複製代碼
方法很長咱們一部分一部分看,首先這個建立SonicServer對象,其中經過SonicSessionConnection
建立URLConnection
public SonicServer(SonicSession session, Intent requestIntent) {
this.session = session;
this.requestIntent = requestIntent;
connectionImpl = SonicSessionConnectionInterceptor.getSonicSessionConnection(session, requestIntent);
}
複製代碼
public static SonicSessionConnection getSonicSessionConnection(SonicSession session, Intent intent) {
SonicSessionConnectionInterceptor interceptor = session.config.connectionInterceptor;
//是否有攔截
if (interceptor != null) {
return interceptor.getConnection(session, intent);
}
return new SonicSessionConnection.SessionConnectionDefaultImpl(session, intent);
}
複製代碼
public SessionConnectionDefaultImpl(SonicSession session, Intent intent) {
super(session, intent);
//建立URLConnection
connectionImpl = createConnection();
initConnection(connectionImpl);
}
複製代碼
以後回到handleFlow_Connection
,既然建立好了URLConnection
那麼接下來就能夠鏈接去請求數據了。
int responseCode = server.connect();
複製代碼
protected int connect() {
long startTime = System.currentTimeMillis();
// 鏈接是否正常返回碼
int resultCode = connectionImpl.connect();
...
if (SonicConstants.ERROR_CODE_SUCCESS != resultCode) {
return resultCode; // error case
}
startTime = System.currentTimeMillis();
//鏈接請求返回碼
responseCode = connectionImpl.getResponseCode();
...
// When eTag is empty
if (TextUtils.isEmpty(eTag)) {
readServerResponse(null);
if (!TextUtils.isEmpty(serverRsp)) {
eTag = SonicUtils.getSHA1(serverRsp);
addResponseHeaderFields(getCustomHeadFieldEtagKey(), eTag);
addResponseHeaderFields(CUSTOM_HEAD_FILED_HTML_SHA1, eTag);
} else {
return SonicConstants.ERROR_CODE_CONNECT_IOE;
}
if (requestETag.equals(eTag)) { // 304 case
responseCode = HttpURLConnection.HTTP_NOT_MODIFIED;
return SonicConstants.ERROR_CODE_SUCCESS;
}
}
// When templateTag is empty
String templateTag = getResponseHeaderField(CUSTOM_HEAD_FILED_TEMPLATE_TAG);
if (TextUtils.isEmpty(templateTag)) {
if (TextUtils.isEmpty(serverRsp)) {
readServerResponse(null);
}
if (!TextUtils.isEmpty(serverRsp)) {
separateTemplateAndData();
templateTag = getResponseHeaderField(CUSTOM_HEAD_FILED_TEMPLATE_TAG);
} else {
return SonicConstants.ERROR_CODE_CONNECT_IOE;
}
}
//check If it changes template or update data.
String requestTemplateTag = requestIntent.getStringExtra(SonicSessionConnection.CUSTOM_HEAD_FILED_TEMPLATE_TAG);
if (requestTemplateTag.equals(templateTag)) {
addResponseHeaderFields(SonicSessionConnection.CUSTOM_HEAD_FILED_TEMPLATE_CHANGE, "false");
} else {
addResponseHeaderFields(SonicSessionConnection.CUSTOM_HEAD_FILED_TEMPLATE_CHANGE, "true");
}
return SonicConstants.ERROR_CODE_SUCCESS;
}
複製代碼
主要看下readServerResponse
這個方法,它作的就是獲取返回數據流並拼接成字符串。
private boolean readServerResponse(AtomicBoolean breakCondition) {
if (TextUtils.isEmpty(serverRsp)) {
BufferedInputStream bufferedInputStream = connectionImpl.getResponseStream();
if (null == bufferedInputStream) {
SonicUtils.log(TAG, Log.ERROR, "session(" + session.sId + ") readServerResponse error: bufferedInputStream is null!");
return false;
}
try {
byte[] buffer = new byte[session.config.READ_BUF_SIZE];
int n = 0;
while (((breakCondition == null) || !breakCondition.get()) && -1 != (n = bufferedInputStream.read(buffer))) {
outputStream.write(buffer, 0, n);
}
if (n == -1) {
serverRsp = outputStream.toString(session.getCharsetFromHeaders());
}
} catch (Exception e) {
SonicUtils.log(TAG, Log.ERROR, "session(" + session.sId + ") readServerResponse error:" + e.getMessage() + ".");
return false;
}
}
return true;
}
複製代碼
讓咱們再次回到handleFlow_Connection
方法
// When cacheHtml is empty, run First-Load flow
if (!hasCache) {
handleFlow_FirstLoad();
return;
}
複製代碼
sonic處理的最後
protected void handleFlow_FirstLoad() {
pendingWebResourceStream = server.getResponseStream(wasInterceptInvoked);
if (null == pendingWebResourceStream) {
SonicUtils.log(TAG, Log.ERROR, "session(" + sId + ") handleFlow_FirstLoad error:server.getResponseStream is null!");
return;
}
String htmlString = server.getResponseData(false);
boolean hasCompletionData = !TextUtils.isEmpty(htmlString);
SonicUtils.log(TAG, Log.INFO, "session(" + sId + ") handleFlow_FirstLoad:hasCompletionData=" + hasCompletionData + ".");
mainHandler.removeMessages(CLIENT_CORE_MSG_PRE_LOAD);
Message msg = mainHandler.obtainMessage(CLIENT_CORE_MSG_FIRST_LOAD);
msg.obj = htmlString;
msg.arg1 = hasCompletionData ? FIRST_LOAD_WITH_DATA : FIRST_LOAD_NO_DATA;
mainHandler.sendMessage(msg);
for (WeakReference<SonicSessionCallback> ref : sessionCallbackList) {
SonicSessionCallback callback = ref.get();
if (callback != null) {
callback.onSessionFirstLoad(htmlString);
}
}
String cacheOffline = server.getResponseHeaderField(SonicSessionConnection.CUSTOM_HEAD_FILED_CACHE_OFFLINE);
if (SonicUtils.needSaveData(config.SUPPORT_CACHE_CONTROL, cacheOffline, server.getResponseHeaderFields())) {
if (hasCompletionData && !wasLoadUrlInvoked.get() && !wasInterceptInvoked.get()) { // Otherwise will save cache in com.tencent.sonic.sdk.SonicSession.onServerClosed
switchState(STATE_RUNNING, STATE_READY, true);
postTaskToSaveSonicCache(htmlString);
}
} else {
SonicUtils.log(TAG, Log.INFO, "session(" + sId + ") handleFlow_FirstLoad:offline->" + cacheOffline + " , so do not need cache to file.");
}
}
複製代碼
建立ResponseStream用於在webview加載資源的時候進行返回,而且移除CLIENT_CORE_MSG_PRE_LOAD消息,發送CLIENT_CORE_MSG_FIRST_LOAD消息,並進行數據的保存 這樣,網頁的數據就所有獲取到本地了,只等待webview開始加載url時,在shouldInterceptRequest
時返回保存的pendingWebResourceStream就能夠實現快速加載了。
Override public WebResourceResponse shouldInterceptRequest(WebView view, String url) {
if (sonicSession != null) {
//返回預載時的數據流
return (WebResourceResponse) sonicSession.getSessionClient().requestResource(url);
}
return null;
}
複製代碼