Practice of Android automated page speed measurement in Meituan

Practice of Android automated page speed measurement in Meituan

background

With the rapid development of mobile Internet, mobile applications pay more and more attention to user experience. Meituan's technical team also pays great attention to improving the overall quality of mobile applications during the development process, and one of the most important aspects is the page loading speed. If the cold start time is too long, the page rendering time is too long, the network request is too slow, etc., it will directly affect the user experience. Therefore, how to monitor the loading speed of the entire project has become an important challenge facing our department.

When it comes to speed measurement, many students first think of adding time calculation code to different nodes in the page to calculate the length of a certain period of time. However, with the rapid iteration of Meituan's business, there will be more and more new pages, more and more business logic, and more and more code changes. These uncertainties will couple the code of our speed measurement part into the business logic and require manual maintenance, which in turn increases costs and risks. Therefore, by drawing on some of the company's previous solutions, analyzing their existing problems and combining their own characteristics, we have implemented a set of automatic page speed measurement plug-ins that do not require business code intrusion. This article will explain and analyze its principles.

Existing solutions

  • Manually call the SDK initialization in Application.onCreate() and calculate the cold start time.
  • Manually add code to the Activity lifecycle method to calculate the time of different stages of the page.
  • Manually add a custom parent View to the View set by Activity.setContentView() to calculate the time it takes to complete the drawing.
  • Manually add code before and after each network request to calculate the time of the network request.

Declare the JSON configuration file locally to determine the page that needs to be tested and the initial network request API that needs to be counted for the page. Use getClass().getSimpleName() as the key of the page to identify which pages need to be tested, and specify a set of APIs to identify which requests need to be tested.

Problems with existing solutions

  • Inaccurate cold start time: The cold start start time is calculated from Application.onCreate(), which will make the calculated cold start time smaller because time-consuming methods such as MultiDex.install() may be executed before this method is executed.
  • Special cases are not considered: Common and complex cases such as ViewPager+Fragment delayed loading are ignored, which will cause the actual speed measurement time to be very inaccurate.
  • Manual code injection: All codes need to be written manually and coupled into the business logic, which is difficult to maintain and easy to be missed as new pages are added.
  • Hard-coded configuration file: If you need to add or change the page to be tested, you need to modify the local configuration file and publish it.

Target program effect

  • Automatically inject code, eliminating the need to manually write code to couple with business logic.
  • Supports Activity and Fragment page speed measurement, and solves the problem of inaccurate speed measurement during ViewPager+Fragment delayed loading.
  • Start the cold start time calculation in the Application constructor.
  • Automatically pull and update configuration files, and update configuration files in real time.

accomplish

We need to implement an automated speed test plug-in in five steps:

  • Speed ​​measurement definition: Determine the speed metric that needs to be measured and define how to calculate it.
  • Configuration file: Use the configuration file to determine where in the code you want to measure speed metrics.
  • Speed ​​measurement implementation: How to calculate and report time.
  • Automated implementation: How to automatically implement page speed measurement without manual code injection.
  • Troubleshooting: Analyze and solve special situations.

Speed ​​measurement definition

We abstract the page loading process into a general process model: page initialization -> initial rendering completed -> network request initiated -> request completed and page refreshed -> secondary rendering completed. Based on this, the content to be measured includes the following aspects:

  • Cold start time of a project: the time from when the App is created until the first drawing of our homepage.
  • The initial rendering time of the page: the time from the onCreate() method of the Activity or Fragment to the completion of the initial rendering of the page View.
  • Initial network request time of the page: the time it takes to complete a set of initial requests specified by the Activity or Fragment.
  • Second rendering time of the page: the time it takes for all initial requests of the Activity or Fragment to be completed until the page View is rendered again.

It should be noted that the network request time is the time it takes for a specified set of requests to be completed, that is, the time from the initiation of the first request to the completion of the last request.

According to the definition, our speed measurement model is shown in the figure below.

Configuration Files

The next step is to determine which pages need speed testing and which APIs are the initial requests for the pages. This requires a configuration file to define.

  1. <page id= "HomeActivity" tag= "1" >
  2. <api id= "/api/config" />
  3. <api id= "/api/list" />
  4. </page>
  5. <page id= "com.test.MerchantFragment" tag= "0" >
  6. <api id= "/api/test1" />
  7. </page>

We defined an XML configuration file. Each tag represents a page. The id is the class name or full path class name of the page, which is used to indicate which Activities or Fragments need to be tested. The tag represents whether it is the home page. The home page refers to the page used to calculate the cold start end time. For example, if we want to define the cold start time as the time required from App creation to HomeActivity display, then the tag of HomeActivity is 1. Each one represents an initial request for this page. For example, the HomeActivity page is a list page. When it comes in, it will first request the config interface, and then request the list interface. When the list interface comes back, it displays the list data. Then the initial request for the page is the config and list interfaces. More importantly, we maintain the configuration file on the server side, which can be updated in real time. All the client needs to do is to pull the latest configuration file when the plugin SDK is initialized.

Speed ​​measurement implementation

Speed ​​testing requires the implementation of an SDK to manage configuration files, page speed test objects, calculation time, reported data, etc. After the project is connected, the methods provided by the SDK are called at different nodes of the page to complete the speed test.

Cold start start time

The start time of the cold start is based on the time when the Application constructor is called. The time point is recorded in the constructor and passed in as the cold start start time when the SDK is initialized.

  1. //Application
  2. public MyApplication(){
  3. super();
  4. coldStartTime = SystemClock.elapsedRealtime();
  5. }
  6. //SDK initialization
  7. public void onColdStart(long coldStartTime) {
  8. this.startTime = coldStartTime;
  9. }

Here are a few points:

  • All time acquisition in the SDK uses SystemClock.elapsedRealtime() machine time to ensure time consistency and accuracy.
  • The initial cold start time is based on the constructor, which can include the time of MultiDex injection, and is more accurate than calculating in onCreate().
  • Directly calling the Java API in the constructor to calculate the time and then passing it to the SDK instead of directly calling the SDK method is to prevent calling the class in the uninjected Dex before MultiDex is injected.

SDK Initialization

The SDK is initialized in Application.onCreate(). During initialization, the server configuration file is obtained and parsed into a Map, corresponding to the page id and its configuration items in the configuration. In addition, a MAP of the current page object is maintained, with the key being an int value instead of its class name, because the same class may have multiple instances running at the same time. If it is stored as a key, there may be only one speed measurement object for different instances of the same page. Therefore, here we use the hashcode() value of Activity or Fragment as the unique identifier of the page.

Page start time

The start time of the page, we use the onCreate() of Activtiy or Fragment as the time node for calculation and record the start time of the page.

  1. public void onPageCreate(Object page) {
  2. int pageObjKey = Utils.getPageObjKey(page);
  3. PageObject pageObject = activePages.get(pageObjKey);
  4. ConfigModel configModel = getConfigModel(page); //Get the configuration of this page
  5. if (pageObject == null && configModel != null ) {//Speed ​​measurement is required if there is configuration
  6. pageObject = new PageObject(pageObjKey, configModel, Utils.getDefaultReportKey(page), callback);
  7. pageObject.onCreate();
  8. activePages.put(pageObjKey, pageObject);
  9. }
  10. }
  11. //PageObject.onCreate()
  12. void onCreate() {
  13. if (createTime > 0) {
  14. return ;
  15. }
  16. createTime = Utils.getRealTime();
  17. }

In the getConfigModel() method here, the class name or full path class name of the page is used to match the id in the configuration Map parsed during initialization. If a match is found, indicating that the page needs speed measurement, a speed measurement object PageObject will be created for speed measurement.

Network request time

The initial request for a page is specified by the configuration file. We only need to record the start time of the request before the first request is initiated and the end time after the last request comes back.

  1. boolean onApiLoadStart(String url) {
  2. String relUrl = Utils.getRelativeUrl(url);
  3. if (!hasApiConfig() || !hasUrl(relUrl) || apiStatusMap.get(relUrl.hashCode()) != NONE) {
  4. return   false ;
  5. }
  6. //Change the status of Url to executing
  7. apiStatusMap.put(relUrl.hashCode(), LOADING);
  8. //Record the starting point when the first request begins
  9. if (apiLoadStartTime <= 0) {
  10. apiLoadStartTime = Utils.getRealTime();
  11. }
  12. return   true ;
  13. }
  14. boolean onApiLoadEnd(String url) {
  15. String relUrl = Utils.getRelativeUrl(url);
  16. if (!hasApiConfig() || !hasUrl(relUrl) || apiStatusMap.get(relUrl.hashCode()) != LOADING) {
  17. return   false ;
  18. }
  19. //Change the status of Url to end of execution
  20. apiStatusMap.put(relUrl.hashCode(), LOADED);
  21. //Record the time after all requests are completed
  22. if (apiLoadEndTime <= 0 && allApiLoaded()) {
  23. apiLoadEndTime = Utils.getRealTime();
  24. }
  25. return   true ;
  26. }
  27. private boolean allApiLoaded() {
  28. if (!hasApiConfig()) return   true ;
  29. int   size = apiStatusMap.size () ;
  30. for ( int i = 0; i < size ; ++i) {
  31. if (apiStatusMap.valueAt(i) != LOADED) {
  32. return   false ;
  33. }
  34. }
  35. return   true ;
  36. }

The speed test object of each page maintains a SparseIntArray mapping relationship between the request URL and its status. The key is the hashcode of the request URL, and the initial status is NONE. Each time a request is initiated, the status of the corresponding URL is set to LOADING, and when it ends, it is set to LOADED. When the first request is initiated, the start time is recorded. When the status of all URLs is LOADED, it means that all requests are completed, and the end time is recorded.

Rendering time

According to our definition of speed test, now we have the cold start start time, but we still need the end time, which is the time when the first rendering of the specified homepage ends; we have the page start time, but we still need the end time of the first rendering of the page; we have the network request end time, but we still need the end time of the second rendering of the page. All of these are related to the View rendering time of the page, so how do we get the end time of the page rendering?

From the drawing process of View, we can know that the dispatchDraw() method of the parent View will execute the drawing process of all its child Views. So if we treat the root View of the page as a child View, can we add a layer of parent View outside it and use its dispatchDraw() as the time point when the page drawing is completed? The answer is yes.

  1. class AutoSpeedFrameLayout extends FrameLayout {
  2. public   static   View wrap( int pageObjectKey, @NonNull View child) {
  3. ...
  4. //Use the root View of the page as a child View , and keep other parameters unchanged
  5. ViewGroup vg = new AutoSpeedFrameLayout(child.getContext(), pageObjectKey);
  6. if (child.getLayoutParams() != null ) {
  7. vg.setLayoutParams(child.getLayoutParams());
  8. }
  9. vg.addView(child, new ViewGroup.LayoutParams(ViewGroup.LayoutParams.MATCH_PARENT, ViewGroup.LayoutParams.MATCH_PARENT));
  10. return vg;
  11. }
  12. private final int pageObjectKey; //Associated page key  
  13. private AutoSpeedFrameLayout(@NonNull Context context, int pageObjectKey) {
  14. super(context);
  15. this.pageObjectKey = pageObjectKey;
  16. }
  17. @Override
  18. protected void dispatchDraw(Canvas canvas) {
  19. super.dispatchDraw(canvas);
  20. AutoSpeed.getInstance().onPageDrawEnd(pageObjectKey);
  21. }
  22. }

We customize a layer of FrameLayout as the parent View of all page root Views. After its dispatchDraw() method executes super, it records the time point when the drawing of the relevant page ends.

Speed ​​test completed

Now that we have all the time points, when does the speed measurement process end? Let's take a look at the processing after each rendering.

  1. //PageObject.onPageDrawEnd()
  2. void onPageDrawEnd() {
  3. if (initialDrawEndTime <= 0) {//The initial rendering is not yet completed
  4. initialDrawEndTime = Utils.getRealTime();
  5. if (!hasApiConfig() || allApiLoaded()) { //If no request configuration is made or the request is completed, there is no secondary rendering time, that is, the initial rendering time is the entire page time, and the end page can be reported
  6. finalDrawEndTime = -1;
  7. reportIfNeed();
  8. }
  9. //First display of the page, callback, used to count the end of cold start
  10. callback.onPageShow(this);
  11. return ;
  12. }
  13. //If the second rendering is not completed and all requests have been completed, record the second rendering time and end the speed test, and report the data
  14. if (finalDrawEndTime <= 0 && (!hasApiConfig() || allApiLoaded())) {
  15. finalDrawEndTime = Utils.getRealTime();
  16. reportIfNeed();
  17. }
  18. }

This method is used to handle various situations after rendering is completed, including the initial rendering time, the secondary rendering time, the cold start time, and the corresponding reporting. How is the cold start handled in callback.onPageShow(this)?

  1. //Callback when the initial rendering is completed
  2. void onMiddlePageShow(boolean isMainPage) {
  3. if (!isFinish && isMainPage && startTime > 0 && endTime <= 0) {
  4. endTime = Utils.getRealTime();
  5. callback.onColdStartReport(this);
  6. finish();
  7. }
  8. }

Remember the tag in the configuration file? Its function is to indicate whether the page is the home page, which is the isMainPage parameter in the code snippet. If it is the home page, it means that the initial rendering of the home page is completed, and the time when the cold start ends can be calculated and reported.

Reporting data

When the speed test is completed, the page speed test object PageObject has recorded various time points of the page (including cold start). What remains is to perform calculations in the speed test phase and report to the network.

  1. //Calculate network request time
  2. long getApiLoadTime() {
  3. if (!hasApiConfig() || apiLoadEndTime <= 0 || apiLoadStartTime <= 0) {
  4. return -1;
  5. }
  6. return apiLoadEndTime - apiLoadStartTime;
  7. }

Automation

With the SDK, we need to connect it to our project and call the SDK API at the corresponding location to implement the speed measurement function. So how can we automatically call the API? The answer is to use AOP to dynamically inject code when the App is compiled. We implement a Gradle plug-in and use its Transform function and Javassist to implement dynamic code injection. Dynamic code injection is divided into the following steps:

  • Initialization tracking point: Initialization of SDK.
  • Cold start tracking point: the time point when the application starts cold start.
  • Page tracking points: the time points of Activity and Fragment pages.
  • Request tracking point: the time point of the network request.

Initialize the tracking point

Traverse all generated class files in Transform, find the subclass corresponding to Application, and call the SDK initialization API in its onCreate() method.

  1. CtMethod method = it.getDeclaredMethod( "onCreate" )
  2. method.insertBefore( "${Constants.AUTO_SPEED_CLASSNAME}.getInstance().init(this);" )

The final generated Application code is as follows:

  1. public void onCreate() {
  2. ...
  3. AutoSpeed.getInstance().init(this);
  4. }

Cold start tracking

As in the previous step, find the subclass corresponding to Application, record the cold start start time in its constructor, and pass it to the SDK when the SDK is initialized. The reason has been explained above.

  1. //Application
  2. private long coldStartTime;
  3. public MobileCRMApplication() {
  4. coldStartTime = SystemClock.elapsedRealtime();
  5. }
  6. public void onCreate(){
  7. ...
  8. AutoSpeed.getInstance().init(this,coldStartTime);
  9. }

Page embedding

Combining the definition of the speed measurement time point and the life cycle of Activity and Fragment, we can determine where to call the corresponding API.

Activity

For the Activity page, developers now rarely use android.app.Activity directly. Instead, they use android.support.v4.app.FragmentActivity and android.support.v7.app.AppCompatActivity. So we only need to embed points in these two base classes. Let's look at FragmentActivity first.

  1. protected void onCreate(@Nullable Bundle savedInstanceState) {
  2. AutoSpeed.getInstance().onPageCreate(this);
  3. ...
  4. }
  5. public void setContentView( View var1) {
  6. super.setContentView(AutoSpeed.getInstance().createPageView(this, var1));
  7. }

After the code is injected, the onPageCreate() method is called at the beginning of FragmentActivity's onCreate to calculate the start time of the page; inside setContentView(), super is called directly, and the root View of the page is wrapped in our custom AutoSpeedFrameLayout and passed in for the calculation of the rendering time.

However, in AppCompatActivity, the setContentView() method is overridden, and super is not called. Instead, the corresponding method of AppCompatDelegate is called.

  1. public void setContentView( View   view ) {
  2. getDelegate().setContentView( view );
  3. }

This delegate class is used to adapt some behaviors of different versions of Activities. For setContentView, it is nothing more than passing the root View into the corresponding method of the delegate, so we can directly wrap the View, call the corresponding method of the delegate and pass it in.

  1. public void setContentView( View   view ) {
  2. AppCompatDelegate var2 = this.getDelegate();
  3. var2.setContentView(AutoSpeed.getInstance().createPageView(this, view ));
  4. }

What needs to be noted about the Activity's setContentView tracking point is that this method is an overloaded method, and we need to process each overloaded method.

Fragment

The onCreate() method of Fragment is the same as that of Activity, so there is no need to explain it in detail. Here we mainly talk about onCreateView(). The return value of this method represents the root View, rather than directly passing in the View. Javassist cannot modify the return value of the method alone, so it is impossible to inject code like the setContentView of Activity. In addition, this method is not @CallSuper, which means it cannot be implemented in the base class. So what should we do? We decided to do something on this method of each Fragment.

  1. //Fragment flag
  2. protected static boolean AUTO_SPEED_FRAGMENT_CREATE_VIEW_FLAG = true ;
  3. //Use recursion to wrap the root View  
  4. public   View onCreateView(LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) {
  5. if(AUTO_SPEED_FRAGMENT_CREATE_VIEW_FLAG) {
  6. AUTO_SPEED_FRAGMENT_CREATE_VIEW_FLAG = false ;
  7. View var4 = AutoSpeed.getInstance().createPageView(this, this.onCreateView(inflater, container, savedInstanceState));
  8. AUTO_SPEED_FRAGMENT_CREATE_VIEW_FLAG = true ;
  9. return var4;
  10. } else {
  11. ...
  12. return rootView;
  13. }
  14. }

We use a boolean flag to recursively call the onCreateView() method:

  1. When initially called, the flag is set to false, and then the method is called recursively.
  2. When calling recursively, since the flag is false, the original logic will be called, that is, the root View will be obtained.
  3. After getting the root View, wrap it in AutoSpeedFrameLayout and return it.

And because the flag is false, even if the super.onCreateView() method is called during a recursive call, the if branch will not be followed in the method of the parent class, but the root View will be returned directly.

Request a point

Regarding request tracking, we handle different requests for different network frameworks differently. The plug-in only needs to configure which network frameworks are used to implement tracking. Let's take the most commonly used Retrofit framework as an example.

Start time

When creating a Retrofit object, an OkHttpClient object is required. You can add an Interceptor to it to intercept the Request before the request is initiated. We can build an Interceptor for recording the start time of the request and insert the object when OkHttpClient.Builder() is called.

  1. public Builder() {
  2. this.addInterceptor(new AutoSpeedRetrofitInterceptor());
  3. ...
  4. }

The Interceptor object is used to record the start time of the request before the request is initiated.

  1. public class AutoSpeedRetrofitInterceptor implements Interceptor {
  2. public Response intercept(Chain var1) throws IOException {
  3. AutoSpeed.getInstance().onApiLoadStart(var1.request().url());
  4. return var1.proceed(var1.request());
  5. }
  6. }

End time

When using Retrofit to initiate a request, we will call its enqueue() method for asynchronous request and pass in a Callback for callback. We can customize a Callback to record the time point after the request comes back, and then replace the parameter with the customized Callback in the enqueue method, and the original Callback can be used as its proxy object.

  1. public void enqueue(Callback<T> callback) {
  2. final Callback<T> callback = new AutoSpeedRetrofitCallback(callback);
  3. ...
  4. }

The Callback object is used to record the request end time point when the request succeeds or fails, and call the corresponding method of the proxy object to process the original logic.

  1. public class AutoSpeedRetrofitCallback implements Callback {
  2. private final Callback delegate;
  3. public AutoSpeedRetrofitMtCallback(Callback var1) {
  4. this.delegate = var1;
  5. }
  6. public void onResponse(Call var1, Response var2) {
  7. AutoSpeed.getInstance().onApiLoadEnd(var1.request().url());
  8. this.delegate.onResponse(var1, var2);
  9. }
  10. public void onFailure(Call var1, Throwable var2) {
  11. AutoSpeed.getInstance().onApiLoadEnd(var1.request().url());
  12. this.delegate.onFailure(var1, var2);
  13. }
  14. }

When using Retrofit+RXJava, the execute() method is called internally to make a synchronous request when a request is initiated. We only need to insert the code for calculating the time before and after its execution, which will not be repeated here.

Difficult and complicated diseases

So far, our basic speed test framework has been completed. However, we have found through practice that there is a situation where the speed test data will be very inaccurate, that is, the situation mentioned at the beginning of ViewPager + Fragment and delayed loading. This is also a very common situation. Usually, in order to save costs, the initial loading method of Fragment is called first to request data when switching the ViewPager Tab. After debugging and analysis, we found the cause of the problem.

Waiting time for switching

The red time period in the figure reflects that the Fragment will not initiate a request until the ViewPager switches to the Fragment. This waiting time will extend the loading time of the entire page, but in fact this time should not be counted, because this period of time is not perceived by the user and cannot be used as a basis for the page taking too long.

So how to solve it? We all know that the Tab switching of ViewPager can be monitored through an OnPageChangeListener object, so we can add a custom Listener object to ViewPager and record a time when switching. In this way, the extra waiting time can be obtained by subtracting the time after the page is created from this time, and it can be subtracted from the total time when reporting.

  1. public ViewPager(Context context) {
  2. ...
  3. this.addOnPageChangeListener(new AutoSpeedLazyLoadListener(this.mItems));
  4. }

mItems is an array of the current page objects in ViewPager. It can be used in Listener to find the corresponding page and perform switching.

  1. //AutoSpeedLazyLoadListener
  2. public void onPageSelected( int var1) {
  3. if (this.items != null ) {
  4. int var2 = this.items.size ();
  5. for ( int var3 = 0; var3 < var2; ++var3) {
  6. Object var4 = this.items.get(var3);
  7. if(var4 instanceof ItemInfo) {
  8. ItemInfo var5 = (ItemInfo)var4;
  9. if(var5.position == var1 && var5.object instanceof Fragment) {
  10. AutoSpeed.getInstance().onPageSelect(var5.object);
  11. break;
  12. }
  13. }
  14. }
  15. }
  16. }

AutoSpeed's onPageSelected() method records the page switching time. In this way, when calculating the total page loading speed, this period of time must be subtracted.

  1. long getTotalTime() {
  2. if (createTime <= 0) {
  3. return -1;
  4. }
  5. if (finalDrawEndTime > 0) {//There is a second rendering time
  6. long totalTime = finalDrawEndTime - createTime;
  7. //If there is waiting time, subtract this extra time
  8. if (selectedTime > 0 && selectedTime > viewCreatedTime && selectedTime < finalDrawEndTime) {
  9. totalTime -= (selectedTime - viewCreatedTime);
  10. }
  11. return totalTime;
  12. } else {//Use the initial rendering time as the overall time
  13. return getInitialDrawTime();
  14. }
  15. }

The viewCreatedTime subtracted here is not the onCreate() time of the Fragment, but the onViewCreated() time, because the time from onCreate to onViewCreated should also be counted in the page loading time and should not be subtracted. So in order to deal with this situation, we also need to track the onViewCreated method of the Fragment, and the tracking method is the same as that of onCreate().

Rendering timing is not fixed

In addition, it has been found in practice that different Views have different drawing principles when drawing sub-Views, which may lead to the following situations:

  • When not switching to Fragment, the initial rendering of Fragment's View has been completed, that is, dispatchDraw() is called even when View is not visible.
  • When not switching to Fragment, the initial rendering of Fragment's View is not completed, that is, dispatchDraw() will not be called until the View is first visible.
  • When there is no delayed loading, when ViewPager does not switch to Fragment, but directly sends a request, the View is updated when the request comes back, and dispatchDraw() is called for secondary rendering.
  • When there is no delayed loading, when ViewPager does not switch to Fragment, but directly sends a request, the View is updated when the request comes back, and dispatchDraw() is not called, that is, the second rendering will not be performed until switching to Fragment.

To summarize the above problems, there may be a waiting time for switching between the first rendering time and the second rendering time, which makes the two times longer. This switching time point is not when the onPageSelected() method is called, because this method is called after the Fragment is completely slid out. The switching time point in this problem should refer to the first display of the View, that is, the time point when the ViewPager reveals the target View as soon as it slides. So, analogous to the switching time of delayed loading, we use the onPageScrolled() method of Listener to find the target page when the ViewPager slides, and record a sliding time point scrollToTime for it.

  1. public void onPageScrolled( int var1, float var2, int var3) {
  2. if (this.items != null ) {
  3. int var4 = Math.round(var2);
  4. int var5 = var2 != ( float )0 && var4 != 1?(var4 == 0?var1 + 1:-1):var1;
  5. int var6 = this.items.size ();
  6. for ( int var7 = 0; var7 < var6; ++var7) {
  7. Object var8 = this.items.get(var7);
  8. if(var8 instanceof ItemInfo) {
  9. ItemInfo var9 = (ItemInfo)var8;
  10. if(var9.position == var5 && var9.object instanceof Fragment) {
  11. AutoSpeed.getInstance().onPageScroll(var9.object);
  12. break;
  13. }
  14. }
  15. }
  16. }
  17. }

Then this can solve the error of two renderings:

  • In the initial rendering time, scrollToTime - viewCreatedTime is the extra time generated by waiting for scrolling between the creation of the page and the end of the initial rendering.
  • In the secondary rendering time, scrollToTime - apiLoadEndTime is the extra time generated by waiting for scrolling between the completion of the request and the end of the secondary rendering.

So when calculating the initial and secondary rendering times, you can subtract the extra time to get the correct value.

  1. long getInitialDrawTime() {
  2. if (createTime <= 0 || initialDrawEndTime <= 0) {
  3. return -1;
  4. }
  5. if (scrollToTime > 0 && scrollToTime > viewCreatedTime && scrollToTime <= initialDrawEndTime) {//Delay the initial rendering, minus the waiting time (viewCreated->changeToPage)
  6. return initialDrawEndTime - createTime - (scrollToTime - viewCreatedTime);
  7. } else {//Normal initial rendering
  8. return initialDrawEndTime - createTime;
  9. }
  10. }
  11. long getFinalDrawTime() {
  12. if (finalDrawEndTime <= 0 || apiLoadEndTime <= 0) {
  13. return -1;
  14. }
  15. //Delay the second rendering, subtract the waiting time (apiLoadEnd->scrollToTime)
  16. if (scrollToTime > 0 && scrollToTime > apiLoadEndTime && scrollToTime <= finalDrawEndTime) {
  17. return finalDrawEndTime - apiLoadEndTime - (scrollToTime - apiLoadEndTime);
  18. } else {//Normal secondary rendering
  19. return finalDrawEndTime - apiLoadEndTime;
  20. }
  21. }

Summarize

The above are some of our attempts at page speed measurement and automation. They are currently being used in projects, and real-time data can be obtained on the monitoring platform. We can analyze the data to understand the performance of the page and then optimize it, continuously improving the overall quality of the project. In addition, through practice, we have discovered some speed measurement error problems, which have been solved one by one, making the speed measurement data more reliable. The automation also makes it easier for us to maintain in subsequent development. We can monitor the loading speed of all pages in real time without maintaining the logic related to page speed measurement.

About the Author

Wenjie, a front-end Android development engineer at Meituan, graduated from Tianjin Polytechnic University in 2016. In the same year, he joined Meituan-Dianping's in-store catering business group and worked on the development of mobile applications for merchants' sales.

<<:  Data Thief: How were Xiaomi and Pinduoduo’s e-commerce data sold to Wall Street?

>>:  Comparison of the five major smartphone systems to see which one is stronger

Recommend

What is the reason why Baidu bidding promotion has no effect?

Many promotion customers complain about the poor ...

Selling hot products = building a brand? Don’t call selling goods a brand

This year is truly the year of brands. Everyone s...

More than 60 tools for event operation and promotion, a must-have!

To organize a good event, it often goes through t...

Li Liwei Equity Incentive Training Camp 2nd Baidu Cloud Download

Resource introduction of the 2nd Li Liwei Equity ...

An interview question: How did Uber recruit 1,000 drivers in a week?

An interview question and answer for an Uber oper...

How does online education build a private traffic system?

Traffic costs are becoming more and more expensiv...

iQIYI Android client startup optimization and analysis

1 Introduction There is an eight-second rule in t...

iOS 16.1 beta: The battery progress bar is back! No longer showing full charge

​Early this morning, Apple pushed the second beta...

Mini Program Advertising, What are Mini Program Banner Ads?

Q: What are mini program advertising and mini pro...

A huge amount of engine effect advertising resources!

Some students may not even know what advertising ...

How to find accurate drainage methods?

There is a cruel fact: the online traffic dividen...