package 
{
 import flash.display.BitmapData;
 import flash.display.GradientType;
 import flash.display.Sprite;
 import flash.events.Event;
 import flash.geom.Matrix;
 import flash.geom.Point;
 import flash.geom.Rectangle;
 
 import mx.core.UIComponent;
 import mx.events.FlexEvent;
 import mx.events.MoveEvent;
 import mx.events.ResizeEvent;
 
 // imports for handling blur
    import flash.filters.BitmapFilter;
    import flash.filters.BitmapFilterQuality;
    import flash.filters.BlurFilter;
 
 /**
  * A component that displays a reflection below another component. 
  * The reflection is "live"--as the other component's display updates,
  * the reflection updates as well.  The reflection automatically positions
  * itself below the target component (so it only works if the target
  * component's container is absolutely positioned, like a Canvas or a
  * Panel with layout="absolute").
  * 
  * Typically, you'll want to set a low alpha on the Reflector component (0.3
  * would be a good default).
  * 
  * Author: Narciso Jaramillo, nj_flex@rictus.com
  */
 public class Reflector extends UIComponent
 {
  // The component we're reflecting.
  private var _target: UIComponent;
  
  // Cached bitmap data objects.  We store these to avoid reallocating
  // bitmap data every time the target redraws.
  private var _alphaGradientBitmap: BitmapData;
  private var _targetBitmap: BitmapData;
  private var _resultBitmap: BitmapData;
  
  // The current falloff value (see the description of the falloff property).
  private var _falloff: Number = 0.6;
  
  // the current blur value
  private var _blurAmount:Number = 0.5;
  
  /**
   * The UIComponent that you want to reflect.  Should be in an absolutely-
   * positioned container.  The reflector will automatically position itself
   * beneath the target.
   */   
  [Bindable]
  public function get target(): UIComponent {
   return _target;
  }
  
  public function set target(value: UIComponent): void {
   if (_target != null) {
    // Remove our listeners from the previous target.
    _target.removeEventListener(FlexEvent.UPDATE_COMPLETE, handleTargetUpdate, true);
    _target.removeEventListener(MoveEvent.MOVE, handleTargetMove);
    _target.removeEventListener(ResizeEvent.RESIZE, handleTargetResize);
    
    // Clear our bitmaps, so we regenerate them next time a component is targeted.
    clearCachedBitmaps();
   }
   
   _target = value;
   
   if (_target != null) {
    // Register to get notified whenever the target is redrawn.  We pass "true" 
    // for useCapture here so we can detect when any descendants of the target are
    // redrawn as well.
    _target.addEventListener(FlexEvent.UPDATE_COMPLETE, handleTargetUpdate, true);
    
    // Register to get notified whenever the target moves or resizes.
    _target.addEventListener(MoveEvent.MOVE, handleTargetMove);
    _target.addEventListener(ResizeEvent.RESIZE, handleTargetResize);
    
    // Mark ourselves dirty so we get redrawn at the next opportunity.
    invalidateDisplayList();
   }
  }
  
  /**
   * How much of the component to reflect, between 0 and 1; 0 means not to
   * reflect any of the component, while 1 means to reflect the entire
   * component.  The default is 0.6.
   */
  [Bindable]
  public function get falloff(): Number {
   return _falloff;
  }
  
  public function set falloff(value: Number): void {
   _falloff = value;
   
   // Clear the cached gradient bitmap, since we need to regenerate it to
   // reflect the new falloff value.
   _alphaGradientBitmap = null;
   
   invalidateDisplayList();
  }
  
  [Bindable]
  public function get blurAmount(): Number {
   return _blurAmount;
  }
  public function set blurAmount(value: Number): void {
   _blurAmount = value;
   
   // Clear the cached gradient bitmap, since we need to regenerate it to
   // reflect the new falloff value.
   _alphaGradientBitmap = null;
   
   invalidateDisplayList();
  }
  
  private function handleTargetUpdate(event: FlexEvent): void {
   // The target has been redrawn, so mark ourselves for redraw.
   invalidateDisplayList();
  }
  
  private function handleTargetMove(event: MoveEvent): void {
   // Move to be immediately below the target.  We don't need to
   // redraw ourselves in this case.
   move(_target.x, _target.y + _target.height);
  }
  
  private function handleTargetResize(event: ResizeEvent): void {
   // Since the target is resizing, we have to recreate our bitmaps
   // in addition to redrawing and resizing ourselves.
   clearCachedBitmaps();
   width = _target.width;
   height = _target.height;
   invalidateDisplayList();
  }
  
  override protected function updateDisplayList(unscaledWidth: Number, unscaledHeight: Number): void {
   // This function is called by the framework at some point after invalidateDisplayList() is called.
   if (_target != null) {
    // Create our cached bitmap data objects if they haven't been created already.
    createBitmaps(_target);
    
    var rect: Rectangle = new Rectangle(0, 0, _target.width, _target.height);
    
    // Draw the image of the target component into the target bitmap.
    _targetBitmap.fillRect(rect, 0x00000000);
    _targetBitmap.draw(_target, new Matrix());
    
    // Combine the target image with the alpha gradient to produce the reflection image.
    _resultBitmap.fillRect(rect, 0x00000000);
    _resultBitmap.copyPixels(_targetBitmap, rect, new Point(), _alphaGradientBitmap);
    
    // Flip the image upside down.
    var transform: Matrix = new Matrix();
    transform.scale(1, -1);
    transform.translate(0, _target.height);
    
    // And blur it
             graphics.beginFill(0xFFCC00);
             graphics.drawRect(0, 0, _target.width, _target.height);
             graphics.endFill();
             var filter:BitmapFilter = new BlurFilter(_blurAmount*5, _blurAmount*10, BitmapFilterQuality.HIGH);
             var myFilters:Array = new Array();
             myFilters.push(filter);
             filters = myFilters;   
    
    // Finally, copy the resulting bitmap into our own graphic context.
    graphics.clear();
    graphics.beginBitmapFill(_resultBitmap, transform, false);
    graphics.drawRect(0, 0, unscaledWidth, unscaledHeight);
   }
  }
  
  private function clearCachedBitmaps(): void {
   _alphaGradientBitmap = null;
   _targetBitmap = null;
   _resultBitmap = null;
  }
  
  private function createBitmaps(target: UIComponent): void {
   if (_alphaGradientBitmap == null) {
    // Create and store an alpha gradient.  Whenever we redraw, this will be combined
    // with an image of the target component to create the "fadeout" effect.
    _alphaGradientBitmap = new BitmapData(target.width, target.height, true, 0x00000000);
    var gradientMatrix: Matrix = new Matrix();
    var gradientSprite: Sprite = new Sprite();
    gradientMatrix.createGradientBox(target.width, target.height * _falloff, Math.PI/2, 
     0, target.height * (1.0 - _falloff));
    gradientSprite.graphics.beginGradientFill(GradientType.LINEAR, [0xFFFFFF, 0xFFFFFF], 
     [0, 1], [0, 255], gradientMatrix);
    gradientSprite.graphics.drawRect(0, target.height * (1.0 - _falloff), 
     target.width, target.height * _falloff);
    gradientSprite.graphics.endFill();
    _alphaGradientBitmap.draw(gradientSprite, new Matrix());
   }
   if (_targetBitmap == null) {
    // Create a bitmap to hold the target's image.  This is updated every time
    // we're redrawn in updateDisplayList().
    _targetBitmap = new BitmapData(target.width, target.height, true, 0x00000000);
   }
   if (_resultBitmap == null) {
    // Create a bitmap to hold the reflected image.  This is updated every time
    // we're redrawn in updateDisplayList().
    _resultBitmap = new BitmapData(target.width, target.height, true, 0x00000000);
   }
  }
 }
}
 
package flexsamples.components
{
  import flash.events.Event;
  import flash.events.MouseEvent;
  
  import mx.collections.ArrayCollection;
  import mx.containers.Accordion;
  import mx.containers.Canvas;
  import mx.controls.Button;
  import mx.core.Container;
  import mx.core.ScrollPolicy;
  import mx.core.UIComponent;
  import mx.effects.AnimateProperty;
  import mx.effects.Move;
  import mx.effects.Parallel;
  import mx.effects.Sequence;
  import mx.effects.easing.Quintic;
  import mx.events.EffectEvent;
  import mx.events.FlexEvent;
  import mx.events.IndexChangedEvent;
  // Default property
  [DefaultProperty("content")]
  
  // Events 
  [Event(name="closeDrawerBegin")]
  [Event(name="closeDrawerComplete")]
  [Event(name="openDrawerBegin")]
  [Event(name="openDrawerComplete")]
  
  //Styles
  [Style(name="orientation", defaultValue="right", type="String", enumeration="left,right")]
  [Style(name="initialWidth", type="int")]
  [Style(name="openSize", type="int", defaultValue="250")]
  
  public class CollapsibleAccordion extends Container
  {
    //Width of component when you click to expand it
    [Bindable]
    public var openSize : Number = 250;
    //make this style
    private var _barSize : Number;
    
    //Left or right 
    [Bindable]
    public var orientation : String;
    [Bindable]
    public var accordianStyle : String;
    
    [Bindable]
    public var drawerButtonStyle : String;
    public var closeButtonStyle : String = "drawerCloseRight";
    
    [Bindable]      
    public var initialWidth:int;
    //Content array to put item added to the container
    private var accordion : Accordion;
    private var accordionVBox : Canvas;
    private var buttonDict : ArrayCollection;
    private var _barRotate : Number = 90;
    private var _close : Boolean = true;
    private var closeButton : Button;
    private var closeChanged : Boolean = false;
    private var _content:Array;
    private var contentChanged : Boolean = false;
    private var _currentWidth : Number;
    private var _heightPercent : Number = 1;
    private var _selectedIndex : Number=1;
    private var selectedIndexChanged : Boolean=false;
    //Icons - default 
    [Embed(source="/assets/close.png")]
    private var rightCloseIcon : Class;
    [Embed(source="/assets/closeleft.png")]
    private var leftCloseIcon : Class;
    
          
    public function CollapsibleAccordion()
    {
      super();
      addEventListener( FlexEvent.CREATION_COMPLETE, onCreateComplete );
      buttonDict = new ArrayCollection();
      verticalScrollPolicy = ScrollPolicy.OFF;
      horizontalScrollPolicy = ScrollPolicy.OFF;
    }
    
    private function onCreateComplete( event : FlexEvent ) : void
    {
      currentWidth=barSize;
      if ( close )
      {
        if(orientation == "right"){
          accordionVBox.x = -1 * openSize;
        }else{
          accordionVBox.x = openSize;
        }  
      } 
      else
      {
        accordionVBox.x = 0;  
      } 
    }
    
    public function set content(value:Array):void 
    {
      if ( _content ) 
      {
        removeAllChildren();
      }
      _content = value;
      
      invalidateSize();
      contentChanged = true;
    }
    
    public function get content():Array 
    {
      return _content;
    }
    public function set barRotate(value:Number):void 
    {
      _barRotate = value;
      invalidateProperties();
    }
    
    public function get barRotate():Number 
    {
      return _barRotate;
    }
    public function set barSize(value:Number):void 
    {
      _barSize = value;
      //currentWidth=value;
    }
    
    [Bindable]
    public function get barSize():Number 
    {
      return _barSize;
    }
    public function set close( value : Boolean ) : void
    {
      if ( _close != value )
      {
        _close = value;
        closeChanged = true;
        invalidateSize();
        invalidateProperties();
      }
    }  
    
    public function get close() : Boolean
    {
      return _close;
    }
    [Bindable("currentWidthChanged")]
    public function get currentWidth():Number {
      return _currentWidth;
    }
    public function set currentWidth(value:Number):void 
    {
      _currentWidth = value;
      dispatchEvent( new Event( 'currentWidthChanged' ) );
      invalidateSize();
      invalidateDisplayList();
    }
    [Bindable("heightPercentChanged")]
    public function get heightPercent():Number 
    {
      return _heightPercent;
    }
    public function set heightPercent(value:Number):void 
    {
      _heightPercent = value;
      dispatchEvent( new Event( 'heightPercentChanged' ) );
      invalidateSize();
      invalidateDisplayList();
    }
    
    public function set selectedIndex(value:Number):void
    {
      _selectedIndex=value;
      selectedIndexChanged=true;
      invalidateProperties();
    }
    
    public function get selectedIndex():Number
    {
      return _selectedIndex;
    }
    override protected function createChildren():void
    {
      super.createChildren();
      
      accordionVBox = new Canvas();
      accordionVBox.percentHeight = 100;
      accordionVBox.percentWidth = 100;
      accordionVBox.setStyle("verticalGap",0);
      
      accordion = new Accordion();
      accordion.addEventListener( IndexChangedEvent.CHANGE, onAccordionChange );
      accordion.styleName = accordianStyle; //"drawerAccordion";
      accordion.percentHeight = 100;
      accordion.percentWidth = 100;
      accordion.setStyle("headerHeight", barSize);
      if(orientation == "right")
      {
        accordion.x = -1 * width;
      }
      else
      {
        accordion.x = width;
      }
      
      closeButton = new Button();
      closeButton.styleName = closeButtonStyle;
      closeButton.width=21;
      closeButton.height=21;
      closeButton.toolTip = "Close";
      closeButton.addEventListener( MouseEvent.CLICK, closeDrawer );
      
      closeButton.setStyle( "right", 6 );
      closeButton.setStyle( "top" , barSize/2 - closeButton.height/2 );
      
      accordionVBox.addChild( accordion );
      accordionVBox.addChild( closeButton );
      addChild( accordionVBox );
    }
    
    private function closeDrawer( event : MouseEvent ) : void
    {
      close = true;
      //let everyone know we are about to close the drawer
      dispatchEvent(new Event("closeDrawerBegin"));
    }
    
    private function onAccordionChange( event : IndexChangedEvent ) : void
    {
      invalidateDisplayList();
    }
    
    override protected function commitProperties():void
    {
      super.commitProperties();
      if ( contentChanged && accordion )
      {
        contentChanged = false;
          
        for each ( var child : Container in _content )
        {
          accordion.addChild( child );
          var newButton : Button = new Button();
          newButton.styleName = drawerButtonStyle; //"drawerButton";
          newButton.setStyle("icon", child.icon );
          newButton.label = ( child ).label;
          newButton.labelPlacement = orientation;
          if(orientation == "left"){
            newButton.setStyle("textAlign", "right");
          }
          newButton.data = child;
          newButton.addEventListener( MouseEvent.CLICK, onButtonClick );
          buttonDict.addItem( newButton );   
          addChild( newButton );
        }  
      }
      
      if ( closeChanged )
      {
        closeChanged = false;
        var seq : Sequence = new Sequence();
        var parallel : Parallel = new Parallel( this );
        var animateProperty : AnimateProperty = new AnimateProperty( this );
        animateProperty.property = "currentWidth";
        animateProperty.easingFunction = Quintic.easeIn;
        var animateProperty3 : AnimateProperty = new AnimateProperty();
        animateProperty3.property = "heightPercent";
        animateProperty3.easingFunction = Quintic.easeIn;
        animateProperty3.fromValue = 0;
        animateProperty3.toValue = 1;
        
        parallel.addChild( animateProperty3 );
        parallel.addChild( animateProperty );
        
        if ( _close )
        {
          _selectedIndex=-1;
          showButtons( true );
          animateProperty.fromValue = openSize;
          animateProperty.toValue = barSize;
          var moveClose : Move = new Move( accordionVBox );
          if(orientation == "right")
          {
            moveClose.xBy = -1 * accordionVBox.width;
          }
          else
          {
            moveClose.xBy = accordionVBox.width;
          }
          moveClose.duration = 200;
          seq.addChild( moveClose );
          seq.addChild( parallel );
          seq.addEventListener(EffectEvent.EFFECT_END, onCloseEffectEnd);
        }
        else
        {
        //animateProperty.easingFunction = Quintic.easeOut;
        //animateProperty3.easingFunction = Quintic.easeOut;
          animateProperty.fromValue = barSize;
          animateProperty.toValue = openSize;
          
          seq.addChild( parallel );
          var moveOpen : Move = new Move( accordionVBox );
          moveOpen.xTo = 0;
          moveOpen.duration = 200;
          moveOpen.addEventListener(EffectEvent.EFFECT_END, onOpenEffectEnd );
          seq.addChild( moveOpen );
         }
        
        seq.play();
      }
      
      if (selectedIndexChanged && accordion)
      {
        selectedIndexChanged=false;
        if (close)
        {
          var selectedButton : Button = buttonDict.getItemAt(selectedIndex) as Button;
          accordion.selectedChild =  (( selectedButton as Button ).data as Container );
          dispatchEvent(new Event("openDrawerBegin"));
          callLater(openAccordion);
        }
        else
        {
          accordion.selectedIndex=selectedIndex;
        }  
  
      }
    }
    
    private function openAccordion():void
    {
      close=false;
    }
    
    private function onCloseEffectEnd(evt:EffectEvent):void
    {
      //let everyone know we are completely open
      dispatchEvent(new Event("closeDrawerComplete"));
      if(orientation == "left")
      {
        for(var i:int = 0; i < buttonDict.length; i++)
        {
          Button(buttonDict[i]).labelPlacement = "left";
          Button(buttonDict[i]).setStyle("textAlign", "right");
        }
      }
      
    }
    
    private function onOpenEffectEnd( event : EffectEvent ) : void
    {
      //if this can be animated at all that would be nice          
      if(orientation == "left")
      {
        for(var i:int = 0; i < buttonDict.length; i++)
        {
          Button(buttonDict[i]).labelPlacement = "right";
          Button(buttonDict[i]).setStyle("textAlign", "left");
        }
      }
      showButtons( false );
      //let everyone know we are completely open
      dispatchEvent(new Event("openDrawerComplete"));
    }
    
    private function showButtons( show : Boolean ) : void
    {
      for ( var i : Number = 0;i < buttonDict.length;i++ )
      {
        ( buttonDict.getItemAt( i ) as UIComponent ).visible = show;
      }  
    }
    override protected function measure():void
    {
      super.measure();
      measuredMinWidth = _currentWidth;
      measuredMinHeight = _currentWidth;
      measuredWidth = _currentWidth;
      measuredHeight = _currentWidth;;
    } 
       
    private function onButtonClick( event : MouseEvent ) : void
    {
      accordion.selectedChild =  (( event.currentTarget as Button ).data as Container );
      close = !close;  
      dispatchEvent(new Event("openDrawerBegin"));
    }
    
    override protected function updateDisplayList(unscaledWidth:Number, unscaledHeight:Number):void
    {
      super.updateDisplayList( unscaledWidth, unscaledHeight);
      if ( accordionVBox )
      {
        accordionVBox.setActualSize( unscaledWidth, unscaledHeight ); 
      }
      if ( buttonDict.length > 0 )
      {
        var distanceLeftY : Number; 
        var distanceToMoveY : Number;
        
        var distanceLeftX : Number; 
        var distanceToMoveX : Number;
        
        var rotateLeftX : Number; 
        var rotateToMoveX : Number;
        var buttonHeight : Number = barSize;
        
        //cant ever have less than one so may as well not do this in the loop
        var bh : Number = unscaledHeight / buttonDict.length;
        for ( var i : Number = 0; i < buttonDict.length; i++ )
        {
          var button : Button = buttonDict.getItemAt( i ) as Button;
          if ( close )
          {
            if(orientation == "right"){
              distanceLeftY = button.y - ( bh * i ); 
              distanceToMoveY = distanceLeftY * heightPercent;
              distanceLeftX = button.x - barSize; 
              distanceToMoveX = distanceLeftX * heightPercent;
  
              button.move( button.x - distanceToMoveX, button.y - distanceToMoveY ); 
              
              if (currentWidth > unscaledHeight / buttonDict.length)
              {
                button.setActualSize( currentWidth , buttonHeight );
              }
              else
              {
                button.setActualSize( unscaledHeight / buttonDict.length , buttonHeight );
              }
              
              rotateLeftX = button.rotation - 90; 
              rotateToMoveX = rotateLeftX * heightPercent;
              
              button.rotation -= rotateToMoveX;
            }
            else
            {
              button.x = 0;
              //work on y.  first it needs to start where we currently are and
              //move down
              distanceLeftY = button.y - ((i + 1) * bh);
              distanceToMoveY = distanceLeftY * heightPercent;
              button.move(0, button.y - distanceToMoveY );
              if (currentWidth > unscaledHeight / buttonDict.length)
              {
                button.setActualSize( currentWidth , buttonHeight );
              }
              else
              {
                button.setActualSize( unscaledHeight / buttonDict.length , buttonHeight );
              }
              if(distanceToMoveY != distanceLeftY){
                //how far are  we going to have to move?
                //this should be v * heightPercent
                //we want the percentage that we are moving
                var percentMoving:Number = distanceToMoveY/distanceLeftY;
                var rotateAmount:Number = -1 * (90 * percentMoving);
                //now we know percent we that of 90
                button.rotation = rotateAmount;
              }else{
                button.rotation = -90;
              }
            }  
            setActualSize( currentWidth, unscaledHeight );
          }
          else
          {
            if ( i <= accordion.selectedIndex )
            {
              distanceLeftY = button.y - ( ( i * barSize )  ); 
              distanceToMoveY = distanceLeftY  * heightPercent;
              
              distanceLeftX = button.x; 
              distanceToMoveX = distanceLeftX * heightPercent;
              button.move( button.x - distanceToMoveX, button.y - distanceToMoveY );
               
            }
            else
            {
              distanceLeftY = button.y - ( unscaledHeight - ( ( buttonDict.length - i ) * barSize ) ); 
              distanceToMoveY = distanceLeftY  * heightPercent;
              
              distanceLeftX = button.x; 
              distanceToMoveX = distanceLeftX * heightPercent;
              button.move( button.x - distanceToMoveX, button.y - distanceToMoveY ); 
            }
            var distanceLeftWidth : Number = button.width - unscaledWidth;
            var distanceToMoveWidth : Number = distanceLeftWidth * heightPercent;
            
            if ( button.width-distanceToMoveWidth > currentWidth)
            {  
              button.setActualSize( button.width - distanceToMoveWidth, barSize );
            }
            else
            {
              button.setActualSize( currentWidth, barSize );
            }
            
            if(orientation == "right")
            {
              rotateLeftX = button.rotation; 
              rotateToMoveX = rotateLeftX * heightPercent;
              button.rotation -= rotateToMoveX;  
            }
            else
            {
              rotateLeftX = button.rotation; 
              rotateToMoveX = rotateLeftX * heightPercent;
              button.rotation -= rotateToMoveX;  
            }
            
            setActualSize( unscaledWidth, unscaledHeight );
          }
  
        }
      }
    }
    
  }