`
nlslzf
  • 浏览: 1040084 次
  • 性别: Icon_minigender_1
  • 来自: 北京
社区版块
存档分类
最新评论

51条优化规则

    博客分类:
  • flex
阅读更多

51 ActionScript 3.0 and Flex optimization techniques and practices
http://www.insideria.com/2009/04/51-actionscript-30-and-flex-op.html
A homework assignment I was recently given for a Java programming class involved a competition to see who could create the most optimized implementation of an interface which was provided by the instructor. It was a challenging and very fun assignment that I think the whole class enjoyed. I didn’t win the competition but still came out a winner because of my heightened interest in application optimization and performance tuning that I gained.

I’m personally a pretty big fan of coding standards and have been ribbed by many developers over some of the longer method, variable and class names that I sometimes choose. I've always leaned toward the side of programming that employs standards and frameworks . Rather than spending a ton of time digging around in compiler specs and messing with GC (Garbage Collection) for reasons of performance, tuning and optimization. I was leaving this to the seasoned programmers creating the standards and frameworks I use.

This isn’t to say I’ve never paid attention to performance and I enjoy building slow applications. It’s almost like two different worlds; the optimization world and the standards world. They don’t always agree with each other. There can sometimes be a trade off for performance over readability and organization or vice-versa. This article is meant to stand next to the Flex Best Practices articles that I authored.

While creating my concrete implementation for the homework assignment I discovered a powerful profiling engine in NetBeans. The NetBeans profiling engine helped me understand some of the memory usage and consumption of each property, method call and object instantiation in my program. This profiler in NetBeans is very similar to the one found in Flex Builder. Both are very powerful and very useful. I've been exploring the Flex Profiler in greater detail lately as well and using it to eradicate memory leaks for a real world application I’ve been refactoring to best practices lately.

The Java optimization homework has increased my interest in optimization and profiling for ActionScript 3.0 and Flex development. I've been piecing together ActionScript optimization techniques and practices from around the web for a couple years now. Some of these techniques are in opposition to what the standards dictate but most of software development is this way. You have to learn when to use some techniques and when to leave some out.

Here are 51 ActionScript 3.0 and Flex optimization techniques and practices. I’ve scoured the web for and filtered practices and techniques that can be adopted into your application development process. Use these in conjunction with the Flex Profiler to monitor and optimize and tune the performance of your ActionScript 3.0 and Flex RIAs.

1. Avoid the new operator when creating Arrays

 
var a = [];
NOT:

 
var a = new Array();
2. Arrays are expensive to create, do so conservatively

 
var vanityCollection01 : Array = new Array();
var vanityCollection02 : Array = new Array();
var vanityCollection03 : Array = new Array();
var vanityCollection04 : Array = new Array();
3. Fastest way to copy an array:

 
var copy : Array = sourceArray.concat();  
4. Setting values in Arrays is slow

 
employees.push( employee );
employees[2] = employee;
5. Getting values from Arrays is twice as fast as setting

 
var employee : Employee = employees[2];
6. Anonymous objects are faster to create with {} vs. new

 
var o : * = { firstName : "John", lastName : "Smith", age : 45 };
NOT: 
var p : Person = new Person();
p.firstName = "John";
p.lastName = "Smith";
p.age = 45;
7. Use static for properties methods that do not require an object instance

 
StringUtils.trim( "text with space at end " );
Class definition:
package
{
     public final class StringUtils
         {
          public static function trim( s : String ) : String
          {
               var trimmed : String;
               // implementation...
               return trimmed;
           }
      }
}
8. Use const for properties that will never change throughout the lifecycle of the application

 
public const APPLICATION_PUBLISHER : String = "Kannopy, Inc.";
9. Use final when no subclasses need to be created of a class

 
public final class StringUtils
10. Use package level variables and functions for generalized functionality which does not require a class or instance of a class

 
createSnapShot( arg );
NOT:

 
someObjectInstance.createSnapShot( arg );
NOT:

 
SomeClass.createSnapShot( arg );
Class definition:
package 
{
     // imports…;
     public function createSnapShot(target:IBitmapDrawable) : Bitmap
     {
          // implementation…
      }
}
11. JIT won’t compile code within constructors (keep them lightweight)

 
package com.seantheflexguy.as3optimization
{
  public class MinimalConstructor
  {
    public function MinimalConstructor()
    {
      init();   
     }
  
    }
}
12. Length of method/variable names doesn't matter in ActionScript 3.0 (true in other langs)

 
someCrazyLongMethodNameDoesntReallyImpactPerformanceTooMuch();
13. One line assignments DO NOT buy any performance! It's a Myth! (true in other langs)

 
var i=0; j=10; k=200;
14. No difference in memory usage between an if statement and a switch statement

 
if ( condition )
{
     // handle condition
}
IDENTICAL MEMORY USAGE:

 
switch ( condition )
{
     case "A":
         // logic to handle case A
     break;
     
     case "B":
         // logic to handle case B 
     break;
}
15. Rank your if statements in order of comparisons most likely to be true

 
if ( conditionThatHappensAlot )
{
     // logic to handle frequently met condition
}
else if ( conditionThatHappensSomtimes ) 
{
     // handle the case that happens occaisonally
}
else 
{
     // handle the case that doesn’t happen that often
}
16. AVM promotes int to Number during calculations inside loops

17. Resolve issues of promotion, unknown, or incorrect object types

18. Use uint sparingly, it can be slow

 
var footerHex : uint = 0x00ccff;
19. Use integers for iterations

 
(var i: int = 0; i < n; i++) NOT for (var i: Number = 0; i < n; i++)
20. Cast to int for calculations inside loops (AVM automatically promotes int to Number)

 
for (;i<n2;i++) Vector3D(array[int(i*2)]).x = 2; 
NOT:

  
for (;i<n2;i++) Vector3D(array[i*2]).x = 2;
21. Don't use int with decimals

 
var decimal : Number  = 14.654;
NOT:

 
var decimal : int  = 14.654;
22. Multiply vs. Divide: instead of 5000/1000 use: 5000*0.001

23. Calculate things like floor and round yourself vs. calling Math library

 
package com.seantheflexguy.math
{
     public final class MathUtil
     {
          public static function round( number : Number ) : Number
          {
                // custom rounding implementation
           }
      }
}
24. Locally store function values in for and while statements instead of repeatedly accessing them

 
for (..){a*180/Math.PI;} 
declare: toRadians = a*180/Math.PI; outside of the loop
25. Avoid calculations and method calls in loops

 
for (var i=0;i< myArray.lengh;i++){ }
NOT:

  
var len : int = myArray.lengh; 
for (var i=0;i<len;i++){}
26. Remove event listeners when finished using them

 
removeEventListener( Event.COMPLETE, onComplete );
27. Use delete to free memory

 
delete someObject;
28. Use RegEx for validation, use string methods for searching

 
// postal code validation example using regular expressions
private var regEx:RegExp = /^[A-Z][0-9][A-Z] [0-9][A-Z][0-9]$/i;
private function validatePostal( event : Event ) : void
{
     if( regEx.test( zipTextInput.text ) )
     {
          // handle invalid input case
      }
}

// search a string using String methods
var string : String = "Search me";
var searchIndex : int = string.indexOf( "me" );
var search : String = string.substring( searchIndex, searchIndex + 2 );
29. Reuse objects to maintain a “memory plateau” DisplayObjects, URLLoader objects

30. Follow the Flex component model:

 
createChildren();
commitProperties();
updateDisplayList();
31. Only use Datagrids as a last resort (make sure you can’t implement in a regular List first)

32. Avoid Repeaters for scrollable data

33. Avoid the setStyle() method (One of the most expensive calls in the Flex framework)

34. Using too many containers dramatically reduces the performance of your application

 
<mx:Panel>
    <mx:VBox>
        <mx:HBox>
            <mx:Label text="Label 1" />
             <mx:VBox>
                  <mx:Label text="Label 2" /> 
              </mx:VBox>
              <mx:HBox>
                  <mx:Label text="Label 3" />
                  <mx:VBox>
                      <mx:Label text="Label 4" />
                  </mx:VBox>
              </mx:HBox>
          </mx:HBox>
      </mx:VBox>
</mx:Panel>
35. You do not need to always use a container tag as the top-level tag of components Totally valid component, no top level container needed:

 
<mx:Image xmlns:mx="http://www.adobe.com/2006/mxml" 
     source="avatar.jpg" width="200" height="200" />
36. Remove unnecessary container wrappers to reduce container nesting

37. Avoid: The VBox container inside an tag, (eliminates redundancy)

 
<mx:Panel>
    <mx:Label text="Label 1" />
    <mx:Label text="Label 2" />
</mx:Panel>
NOT:
<mx:Panel>
     <mx:VBox>
        <mx:Label text="Label 1" />
        <mx:Label text="Label 2" />
    </mx:VBox>
</mx:Panel>
38. Avoid: VBox container inside an tag, (eliminates redundancy)

 
<?xml version="1.0" encoding="utf-8"?>
<mx:Application xmlns:mx=http://www.adobe.com/2006/mxml>
    <mx:Label text="Label 1" />
    <mx:Label text="Label 2" />
</mx:Application>
NOT:

 
<?xml version="1.0" encoding="utf-8"?>
<mx:Application xmlns:mx=http://www.adobe.com/2006/mxml>
    <mx:VBox>
        <mx:Label text="Label 1" />
        <mx:Label text="Label 2" />
    </mx:VBox>
</mx:Application>

39. Set the recycleChildren property to true to improve a Repeater object's performance (re-uses previously created children instead of creating new ones)

 
<mx:Script>
    <![CDATA[
        [Bindable]
        public var repeaterData : Array = ["data 1", "data 2"];
    ]]>
</mx:Script>

<mx:Repeater id="repeater" dataProvider="{repeaterData}"> 
    <mx:Label text="data item: {repeater.currentItem}"/>
</mx:Repeater>
40. Keep framerate set at 60 fps or lower

 
<?xml version="1.0" encoding="utf-8"?>
<mx:Application xmlns:mx=http://www.adobe.com/2006/mxml 
    frameRate="45">
</mx:Application>
41. Avoid multiple display manipulations per frame

42. Code against ENTER_FRAME events instead of Timer events

 
public function onEnterFrame( event : Event ) : void
{
}
private function init() : void
{
     addEventListener( Event.ENTER_FRAME, onEnterFrame );
}
NOT:

 
public function onTimerTick( event : Event ) : void
{
}
private function init() : void
{
     var timer : Timer = new Timer();
     timer.start();
     timer.addEventListener( TimerEvent.TIMER, onTimerTick );
}
43. To defer object creation over multiple frames use:

 
<mx:Container creationPolicy=”queued”/> 
44. Alpha = 0 is not the same as visible = false (Objects marked invisible are passed over)

 
loginButton.visible = false;
NOT:

 
loginButton.alpha = 0;
45. Faster to perform operations locally than it is to call a function in the same class Even slower to call a function from a different class (This is referred to as “code inlining”.)

46. When executing a function it’s more expensive if you call other functions from within it

 
private function udpateUserRecord()
{
     update( user.firstName +  user.lastName );
}
NOT:

 
private function updateUserRecord() {
     update( concatName() );
}
private function concatName() : String
{
     return user.firstName + user.lastName;
}
47. Arguments in functions are slower than a reference to an objects variables

 
package com.seantheflexguy.as3optimization
{
     public class DemoClassMemberVariables
     {
          // set the properties on class instances
          public var userName : String;
          // etc...
          public function DemoClassMemberVariables()
          {
           }
          private function login() : void
          {
               // login implementation logic
               userName = creds.getUserName();
               // etc...
           }
      }
}
NOT:

 
package com.seantheflexguy.as3optimization
{
     public class DemoClassArguments
     {
          public function DemoClassArguments()
          {
           }
          private function login( creds : Authentication ) : void
          {
               // login implementation logic
               userName = creds.getUserName();
               // etc...
           }
      }
}
48. Faster to use "as" vs. casting

 
var u : User = event.results.users.user as User;
NOT:

 
var u : User = User(event.results.users.user);
49. Use custom object types vs new Object();

 
var v3D : Vector3D = new Vector3D(); 
v3D.x = 100;
v3D.y = 450;
v3D.z = 500;
NOT:

 
var v3DObject : Object = new Object();
v3DObject.x = 100;
v3DObject.y = 450;
v3DObject.z = 500;
50. Use casting to inform the Flash player what kind of objects are inside an Array

 
for (i=0;i<n;i++) 
{
     Vector3D( array[i] ).x = 2; 
}
NOT:

 
for (i=0;i<n;i++)
{
     array[i].x = 2;
}
51. Check for null instead of using try...catch blocks

 
if ( o != null )
{
     o.method();
}
NOT:

 
try

     o.method();
}
catch ( error )
{
     trace( error );
  } 


一部分的中文
http://blog.csdn.net/xiaoxin888888/archive/2009/05/18/4194426.aspx
分享到:
评论

相关推荐

    yahoo 前端优化34条规则

    前端优化34条规则详解 #### 一、减少HTTP请求次数 - **核心概念**:HTTP请求是浏览器与服务器之间的通信过程。减少HTTP请求可以显著提升页面加载速度,因为每次请求都需要时间。 - **实践方法**: - **合并资源**...

    Oracle语句优化规则汇总

    以下是对"Oracle语句优化规则汇总"的详细解析: 一、选择正确的索引策略 1. **创建合适索引**:为经常用于查询条件的列创建索引,特别是主键和外键。复合索引可以优化多列查询。 2. **避免全表扫描**:如果索引能够...

    C++编程规范101条规则、准则与最佳实践PDF.rar

    第8条 不要进行不成熟的优化 16 第9条 不要进行不成熟的劣化 18 第10条 尽量减少全局和共享数据 19 第11条 隐藏信息 20 第12条 懂得何时和如何进行并发性编程 21 第13条 确保资源为对象所拥有。使用...

    Oracle语句优化规则详解【技术文档】

    十、其他优化策略 1. 使用绑定变量:绑定变量可以避免硬解析,提高SQL执行效率。 2. 分析与重构:定期分析性能问题,对SQL语句进行重构,以适应系统变化。 总结,Oracle语句优化涉及多方面,包括索引、连接、子查询...

    SQL优化34条.pdf

    在基于规则的优化器中,Oracle解析器按照从右至左的顺序处理`FROM`子句中的表名。为了提升查询效率,应当确保`FROM`子句中最后出现的表(基础表driving table)具有最少的记录数。 - **实践建议:** - 当涉及多个...

    ilog规则引擎(中文版)

    3. **规则集执行协调**:提供了工具和技术来优化规则集的执行顺序,提高执行效率。 4. **规则编写与检查**:提供工具帮助开发者编写和验证规则,确保规则的有效性和正确性。 5. **规则引擎集成**:详细介绍如何将...

    Oracle语句优化53个规则详解.rar

    以上53个Oracle SQL优化规则涵盖了从SQL编写、索引设计到数据库维护的多个方面,遵循这些规则可以有效提升Oracle数据库的性能,实现更高效的数据库管理。在实际应用中,应结合具体情况进行调整和优化。

    内存优化传家 内存优化传家

    内存优化是计算机系统性能提升的重要环节,特别是在处理大数据量、多线程或高并发应用时,内存管理的有效性直接影响到程序的运行效率和系统的稳定性。本文将深入探讨内存优化的相关知识点,帮助你更好地理解并实践...

    SQL优化经验总结34条.pdf

    - **要点**: 在基于规则的优化器(RBO)中,Oracle解析器从右至左处理FROM子句中的表名。为了提高性能,应将记录条数最少的表放在最后,即作为基础表。如果有多于三个表的连接查询,则应选择交叉表作为基础表。交叉...

    x86编译器的汇编优化指南

    #### 十、针对代码大小的优化 1. **选择较短的指令**:使用更短的指令来减少代码大小。 2. **使用较短的常量和地址**:采用更紧凑的方式来表示常量和地址。 3. **复用常量**:尽可能复用相同的常量值以减少代码...

    学习C++的五十条规则.doc

    以下是对【标题】"学习C++的五十条规则"的详细解读: 1. 将C++视为一门独立的语言,不要试图将其与C语言混为一谈,因为两者虽然有相似之处,但设计理念和特性有很大差异。 2. 推荐初学者阅读《Thinking In C++》以...

    亲身总结seo优化技术

    SEO(搜索引擎优化)是提升网站在搜索引擎自然搜索结果中排名的一种技术。通过对网站的各个方面进行优化,包括内容、结构和外部链接,可以增加网站的可见性和吸引更多的目标流量。以下是一些关键的SEO知识点: 1. *...

    php 搜索引擎优化

    #### 一、搜索引擎优化(SEO)概念 搜索引擎优化(SEO)是指通过改进网站的设计、内容和技术性能等方法来提高网站在搜索引擎中的排名,从而吸引更多的自然流量。SEO不仅是一种技术,也是一种策略,旨在帮助网站在...

    百度官方seo优化指南v1.0

    《百度官方SEO优化指南v1.0》是百度搜索引擎针对网站优化发布的一份权威文档,旨在帮助网站管理员和SEO从业者更好地理解和遵循搜索引擎的排名规则,提高网站在搜索结果中的可见性和用户体验。这份PDF版的指南详细...

    基于均衡排产规则的钢管生产计划调度

    其中,管加工工厂是整个生产链中最复杂的一环,它包含加厚、热处理、机加工三个主要的产区,共有十九条加工产线。通过实际数据的应用和求解过程,验证了所提模型的有效性和实用性。 #### 六、结论与展望 通过对...

    matlab无人机植保路径优化【matlab优化十五】

    标题中的"matlab优化十五"可能指的是这是一个系列教程的第十五部分,专门讨论MATLAB在无人机路径规划优化中的应用。在实际操作中,无人机的路径规划通常需要考虑多个因素,包括飞行安全、作业效率、电池续航以及作物...

    飞思卡尔第十一届规则预测

    飞思卡尔第十一届规则预测提供了对竞赛规则的前瞻和变化的分析,尤其是在车模、赛道、传感器等方面的新功能和要求。以下是对文档内容的详细知识点梳理: 1. 车模结构和功能更新: 飞思卡尔智能车竞赛的车模一般分为...

    USB3.0PCB布线规则(指导)

    USB3.0(通用串行总线3.0)是一种高速接口标准,相较于之前的USB2.0,它在数据传输速度上有了显著提升,能够达到5Gbps的理论最大速率,约为USB2.0的十倍。在设计USB3.0的PCB布线时,遵循正确的布线规则至关重要,因为...

Global site tag (gtag.js) - Google Analytics