Java代码
  1. /* 
  2.    工厂方式--- 创建并返回特定类型的对象的 工厂函数 ( factory function )  
  3. */  
  4.    
  5.   
  6. function createCar(color,doors,mpg){  
  7.     var tempCar = new Object;  
  8.     tempCar.color = color;  
  9.     tempCar.doors = doors;  
  10.     tempCar.mpg = mpg;  
  11.     tempCar.showCar = function(){  
  12.         alert(this.color + " " + this.doors);  
  13.     }  
  14.     return tempCar;  
  15. }   
  16.   
  17. /* 
  18.    构造函数方式--- 构造函数看起来很像工厂函数  
  19. */  
  20. function Car(color,doors,mpg){  
  21.     this.color = color;  
  22.     this.doors = doors;  
  23.     this.mpg = mpg;  
  24.     this.showCar = function(){  
  25.         alert(this.color);  
  26.     };  
  27. }    
  28. /* 
  29.    原型方式--- 利用了对象的 prototype 属性,可把它看成创建新对象所依赖的原型  
  30. */  
  31. function Car(color,doors,mpg){  
  32.     this.color = color;  
  33.     this.doors = doors;  
  34.     this.mpg = mpg;  
  35.     this.drivers = new Array("nomad","angel");  
  36. }  
  37.   
  38. Car.prototype.showCar3 = function(){  
  39.     alert(this.color);  
  40. };   
  41.   
  42. /* 
  43.    混合的构造函数 /原型方式--- 用构造函数定义对象的所有非函数属性,用原型方式定义对象的函数属性(方法)  
  44. */  
  45. function Car(sColor, iDoors, iMpg) {  
  46.     this.color = sColor;  
  47.     this.doors = iDoors;  
  48.     this.mpg = iMpg;  
  49.     this.drivers = new Array("Mike""Sue");  
  50. }  
  51.   
  52. Car.prototype.showColor = function () {  
  53.     alert(this.color);  
  54. };    
  55. /* 
  56.     动态原型方法--- 在构造函数内定义非函数属性,而函数属性则利用原型属性定义。唯一的区别是赋予对象方法的位置。  
  57. */  
  58. function Car(sColor, iDoors, iMpg) {  
  59.     this.color = sColor;  
  60.     this.doors = iDoors;  
  61.     this.mpg = iMpg;  
  62.     this.drivers = new Array("Mike""Sue");  
  63.   
  64.     if (typeof Car._initialized == "undefined") {  
  65.   
  66.         Car.prototype.showColor = function () {  
  67.             alert(this.color);  
  68.         };  
  69.   
  70.         Car._initialized = true;  
  71.     }  
  72. //该方法使用标志( _initialized )来判断是否已给原型赋予了任何方法。