Having problems with removeEventListener with two different MouseEvents

I'm trying to get the children of _banner to do 2 things simultaneously, and I'm not getting it to work properly. I wanted them to all tween down the stage (navTween2), and remove the first MouseEvent listener so I can use a second one to execute a separate method on another mouse click, but it keeps firing off the onClick1. I'm currently testing this on the navHome iteration of _navButton before implementing it across the rest of them. What am I missing? Any advice would be appreciated
package {
    import flash.display.MovieClip;
    import NavButton;//load nav class
    import flash.events.Event;
    import fl.transitions.Tween;
    import fl.transitions.TweenEvent;
    import fl.transitions.easing.*;
    import flash.net.*;
    import flash.events.MouseEvent;
    import flash.text.*;
    public class ZDSite extends MovieClip {
        private var _navButton:NavButton;
        private var _banner:Banner;
        private var total:Number=stage.loaderInfo.bytesTotal;
        private var loaded:Number=stage.loaderInfo.bytesLoaded;
        private var banTween:Tween;
        private var banTween2:Tween;
        private var navTween:Tween;
        private var navTween2:Tween;
        private var xmlLoader:URLLoader = new URLLoader();
        private var xml:XML;
        private var xmlList:XMLList;
        private var navX:Number;
        private var navY:Number;
        private var navSpace:Number;
        private var fadeIn:Tween;
        function ZDSite() {
            //Run preloader
            addEventListener(Event.ENTER_FRAME,loadSite);
        private function loadSite(event:Event):void {
            Bar_mc.scaleX = loaded/total;
            txtLoaded.text = Math.floor((loaded/total)*100)+"%";
            if (total == loaded) {
                removeChild(txtLoaded);//remove from stage
                removeChild(Bar_mc);//remove from stage
                removeChild(plBracket_mc);//remove from stage
                removeEventListener(Event.ENTER_FRAME,loadSite);
                trace("site loaded, starting opening animation and executing nav build");
                IntroAnim_mc.addEventListener("imdone", createBanner);
                IntroAnim_mc.play();
                xmlLoad();
        //add banner
        public function createBanner(event:Event):void {
            IntroAnim_mc.removeEventListener("imdone", createBanner);
            _banner = new Banner;
            addChild(_banner);
            _banner.y = 1152;
            banTween = new Tween(_banner, "y", Back.easeOut, 1152, 155, .5, true);
            //Execute createNav AFTER this tween is done
            banTween.addEventListener(TweenEvent.MOTION_FINISH, createNav);
        //load XML for nav buttons
        private function xmlLoad() {
            xmlLoader.load(new URLRequest("data/navigation.xml"));
            xmlLoader.addEventListener(Event.COMPLETE, xmlLoaded);
        //check to see if XML is loaded
        private function xmlLoaded(event:Event):void {
            trace(event.target.data);//show the raw XML
            xml = XML(event.target.data);
            xmlList = xml.children();
            trace(xmlList.length());//show the # of nodes
        //add the nav buttons on the stage
        public function createNav(e:TweenEvent) {
            //set nav start position and spacing here
            navX = 130;
            navY = 330;
            navSpace = 5;
            //add nav buttons per XML data
            for (var i:int = 0; i < xmlList.length(); i++) {
                _navButton = new NavButton;
                addChild(_navButton);
                //name each instance per XML data
                _navButton.name = xmlList[i];
                _navButton.x = navX;
                //Animate and fade in each instance of _navButton
                navTween = new Tween(_navButton, "y", Elastic.easeOut, 600, navY, 1, true);
                fadeIn = new Tween(_navButton, "alpha", None.easeNone, 0, 1, 1, true);
                //change text in each iteration of _navButton per XML data
                _navButton.navTitle.navText.text = xmlList[i];
                //add space between navs
                navX += _navButton.width + navSpace;
                trace(_navButton.name);
                //add event listener to each iteration
                _navButton.addEventListener(MouseEvent.CLICK, onClick1);
        //Set onClick function for each nav button added
        function onClick1(event:MouseEvent):void {
            _navButton.removeEventListener(MouseEvent.CLICK, onClick1); //this isn't being removed, why?
            banTween2 = new Tween(_banner, "y", Back.easeOut, 155, 300, 1, true);
            navTween2 = new Tween(event.currentTarget, "y", Back.easeInOut, navY, 400, 1, true);
            //How would I implement navTween2 across all _navButtons?
            if (event.currentTarget.name == "Home") {
                _navButton.addEventListener(MouseEvent.CLICK, navHome);
            if (event.currentTarget.name =="Bio") {
                navBio();
            if (event.currentTarget.name == "Flash") {
                navFlash();
            if (event.currentTarget.name == "Print") {
                navPrint();
            if (event.currentTarget.name == "Web") {
                navWeb();
            if (event.currentTarget.name == "Art") {
                navArt();
        //button nav functions
        //Home
        public function navHome():void {
            trace("Home has been clicked");
        //Bio
        public function navBio():void {
            trace("Bio has been clicked");
        //Flash
        public function navFlash():void {
            trace("Flash has been clicked");
        //Print
        public function navPrint():void {
            trace("Print has been clicked");
        //Web
        public function navWeb():void {
            trace("Web has been clicked");
        //Art
        public function navArt():void {
            trace("Art has been clicked");

Ah okay, I apologize for the confusion at the end of the script there. What my intent is that after animating the navButtons after the first click, I am going to have them call in another movie clip from the library (e.g. the different portfolio galleries) when clicked a second time. I guess I didn't see the redundancy in trying to fix my original problem.
What this is, is my attempt to reverse-engineer this template I saw online using AS 3 and XML:
http://www.templatemonster.com/flash-templates/22017.html
I cleaned up the code a bit further, including your suggestions and I'm now getting closer to what I'm trying to achieve. My only remaining query would be the best way to get the navs to stay "up" after being clicked (as well as reverting the others back to their original state) taking into consideration that the over/out functions reside in the NavButton class from the document's class. Your help has been EXTREMELY helpful! Code below:
package {
    import flash.display.MovieClip;
    import NavButton;//load nav class
    import flash.events.Event;
    import fl.transitions.Tween;
    import fl.transitions.TweenEvent;
    import fl.transitions.easing.*;
    import flash.net.*;
    import flash.events.MouseEvent;
    import flash.text.*;
    public class ZDSite extends MovieClip {
        private var _navButton:NavButton;
        private var _navButtons:Array=[];
        private var _banner:Banner;
        private var total:Number=stage.loaderInfo.bytesTotal;
        private var loaded:Number=stage.loaderInfo.bytesLoaded;
        private var banTween:Tween;
        private var banTween2:Tween;
        private var navTween:Tween;
        private var navTween2:Tween;
        private var xmlLoader:URLLoader = new URLLoader();
        private var xml:XML;
        private var xmlList:XMLList;
        private var navX:Number;
        private var navY:Number;
        private var navSpace:Number;
        private var fadeIn:Tween;
        function ZDSite() {
            //Run preloader
            addEventListener(Event.ENTER_FRAME,loadSite);
        private function loadSite(event:Event):void {
            Bar_mc.scaleX = loaded/total;
            txtLoaded.text = Math.floor((loaded/total)*100)+"%";
            if (total == loaded) {
                removeChild(txtLoaded);//remove from stage
                removeChild(Bar_mc);//remove from stage
                removeChild(plBracket_mc);//remove from stage
                removeEventListener(Event.ENTER_FRAME,loadSite);
                trace("site loaded, starting opening animation and executing nav build");
                IntroAnim_mc.addEventListener("imdone", createBanner);
                IntroAnim_mc.play();
                xmlLoad();
        //add banner
        public function createBanner(event:Event):void {
            IntroAnim_mc.removeEventListener("imdone", createBanner);
            _banner = new Banner;
            addChild(_banner);
            _banner.y = 1152;
            banTween = new Tween(_banner, "y", Back.easeOut, 1152, 155, .5, true);
            //Execute createNav AFTER this tween is done
            banTween.addEventListener(TweenEvent.MOTION_FINISH, createNav);
        //load XML for nav buttons
        private function xmlLoad() {
            xmlLoader.load(new URLRequest("data/navigation.xml"));
            xmlLoader.addEventListener(Event.COMPLETE, xmlLoaded);
        //check to see if XML is loaded
        private function xmlLoaded(event:Event):void {
            trace(event.target.data);//show the raw XML
            xml = XML(event.target.data);
            xmlList = xml.children();
            trace(xmlList.length());//show the # of nodes
        //add the nav buttons on the stage
        public function createNav(e:TweenEvent) {
            //set nav start position and spacing here
            navX = 130;
            navY = 330;
            navSpace = 5;
            var _navButton:NavButton;
            //add nav buttons per XML data
            for (var i:int = 0; i < xmlList.length(); i++) {
                _navButton = new NavButton;
                _navButtons.push(_navButton);
                addChild(_navButton);
                //name each instance per XML data
                _navButton.name = xmlList[i];
                _navButton.x = navX;
                //Animate and fade in each instance of _navButton
                navTween = new Tween(_navButton, "y", Elastic.easeOut, 600, navY, 1, true);
                fadeIn = new Tween(_navButton, "alpha", None.easeNone, 0, 1, 1, true);
                //change text in each iteration of _navButton per XML data
                _navButton.navTitle.navText.text = xmlList[i];
                //add space between navs
                navX += _navButton.width + navSpace;
                trace(_navButton.name);
                //add event listener to each iteration
                _navButton.addEventListener(MouseEvent.CLICK, onClick1);
        private var _tweens:Array=[];
        //Set onClick function for each nav button added
        function onClick1(event:MouseEvent):void {
            for each (var navButton:NavButton in _navButtons) {
                navButton.removeEventListener(MouseEvent.CLICK, onClick1);//this isn't being removed, why?
                navButton.addEventListener(MouseEvent.CLICK, onClick2);
                banTween2 = new Tween(_banner, "y", Back.easeOut, 155, 300, 1, true);
                _tweens.push(new Tween(navButton, "y", Back.easeInOut, navY, 400, 1, true));
        //Suggestions are welcome here!
        function onClick2(event:MouseEvent):void {
            if (event.currentTarget.name == "Home") {
                trace("Home has been clicked");
                //insert code to keep this._navButton.balloon_mc visible in the "over" state
                //insert code to return all other _navButton.balloon_mc in their "up" states
                //insert code to remove other galleries
                //insert code to (re)insert "Home_mc" from library
            if (event.currentTarget.name =="Bio") {
                trace("Bio has been clicked");
                //insert code to keep this._navButton.balloon_mc visible in the "over" state
                //insert code to return all other _navButton.balloon_mc in their "up" states
                //insert code to remove other galleries
                //insert code to (re)insert "Bio_mc" from library
            if (event.currentTarget.name == "Flash") {
                trace("Flash has been clicked");
                //insert code to keep this._navButton.balloon_mc visible in the "over" state
                //insert code to return all other _navButton.balloon_mc in their "up" states
                //insert code to remove other galleries
                //insert code to (re)insert "Flash_mc" from library
            if (event.currentTarget.name == "Print") {
                trace("Print has been clicked");
                //insert code to keep this._navButton.balloon_mc visible in the "over" state
                //insert code to return all other _navButton.balloon_mc in their "up" states
                //insert code to remove other galleries
                //insert code to (re)insert "Print_mc" from library
            if (event.currentTarget.name == "Web") {
                trace("Web has been clicked");
                //insert code to keep this._navButton.balloon_mc visible in the "over" state
                //insert code to return all other _navButton.balloon_mc in their "up" states
                //insert code to remove other galleries
                //insert code to (re)insert "Web_mc" from library
            if (event.currentTarget.name == "Art") {
                trace("Art has been clicked");
                //insert code to keep this._navButton.balloon_mc visible in the "over" state
                //insert code to return all other _navButton.balloon_mc in their "up" states
                //insert code to remove other galleries
                //insert code to (re)insert "Art_mc" from library

Similar Messages

  • Elements 9 has stopped printing-photopaper comes out untouched.  Same problem with two different pri

    Photoshop Elements 9 was printing great.  I hooked up new Canon Pixma 9000 printer and it worked great for about 20 prints.  Spontaneously quit putting an image on the photopaper.  Same problem with my Epson Artisan 810, so I assume it's an Elements 9 problem.  Seems like it's not transmitting an image to the printer(s), but is sending the command to cycle the paper.  I'm using a 4 year old MacBook with OS 10.6, and it worked fine for a long time.  Still prints with iPhoto.
    Anyone have any suggestions???
    Obie

    My inclination is that it is something in the projects or in the manuals being linked that is the culprit because that is where the consistency lies - projects were created identically and manuals all follow identical formats. The problem typically only occurs after the project has been successfully created and the manual is subsequently updated and I am syncing the manual in RH so I can generate a new AIR file. This is the first time the project has consistently corrupted every time I try to generate the Word document after linking it in RH. This makes little sense to me since it generated fine a couple weeks ago and I did nothing special when I updated it in Word yet when I tried to update it in RH, that is when it originally corrupted. The bottom line is that I cannot 100% trust that any project I run will work the next time. I end up just crossing my fingers and hoping for the best.
    My problems seemed to start once I went to RH9 (from RH8) because we had upgraded from MS Office 2003 to the 2010 version and I needed 9 for the docx extension. Like I said, it is not all the time - I can be beating my head against the wall getting one of the projects to work, then create 3 more projects that have no problems and then the next one leaves me wanting to throw my PC through a window....
    Deleting the CPD does not corrupt the project, it just removes my default linked document that allows me to circumvent linking the styles individually for that project. Once I have a manual linked and I remove the CPD, it just creates a new one. What I am saying is that if I delete the CPD file, it does not prevent the project from corrupting nor does it make the corrupted project viable again.
    thanks!
    Kathi

  • Two problems with two different classes.

    im having two problems: i get nothing with the printConferences() method inside ReferenceBook class, the arraylist size is equal to zero. and my printSchoolsAndCopies() and schoolsAndCopiesToArray() methods which are inside TextBook class, give exceptions:
    Exception in thread "main" java.lang.ArrayStoreException at java.lang.System.arraycopy(Native Method) at java.util.ArrayList.toArray(ArrayList.java:304) at project3.TextBook.schoolsAndCopiesToArray(TextBook.java:64) at project3.TextBook.printSchoolsAndCopies(TextBook.java:74) at project3.BookTester.main(BookTester.java:27) Java Result: 1 BUILD SUCCESSFUL (total time: 0 seconds)
    all you need to read is TextBook and ReferenceBook class, but i added the tester and BookCatalog, which is an arraylist of books.
    here are my TextBook and ReferenceBook classes and the tester, there are two abstract classes Book and TechnicalBook, but i wont post them unless anybody needs them, i presume not.
    * TextBook.java
    * Created on April 19, 2007, 8:02 PM
    * To change this template, choose Tools | Template Manager
    * and open the template in the editor.
    package project3;
    import java.util.*;
    * @author Kevin
    public class TextBook extends TechnicalBook{
        private ArrayList <String> schools;
        private ArrayList <Integer> numberCopiesForSchool;
        private String [][] schoolsAndCopies;
        public static final String TEXTBOOK = "Textbook";
        /** Creates a new instance of TextBook */
        public TextBook(String author, String title, int numberPages, int copiesSold,
                double price) {
            super(author, title, numberPages, copiesSold, price);
            schools = new ArrayList();
            numberCopiesForSchool = new ArrayList();
        public int getNumberCopiesForSchool(String school){
            Integer temp = null;
            for(int i = 0; i < schools.size();i++){
                if(schools.get(i).equals(school))
                   temp = numberCopiesForSchool.get(i);
            return temp;
        public void addSchool(String school){
            Integer one = new Integer(1);
            schools.add(school);
            // number of copies for the school is initially 1
            numberCopiesForSchool.add(one);  
        public int getNumberSchools(){
            int count = 0;
            for(int i = 0; i < schools.size(); i++){
                if(schools.get(i) != null)
                    count++;
            return count;
        public void addCopiesForSchool(String school, int copies) {
              for (int i = 0; i < schools.size(); i++) {
                        if (schools.get(i).equals(school))
                   numberCopiesForSchool.set(i, numberCopiesForSchool.get(i)
                                + (Integer) copies);
        private void schoolsAndCopiesToArray(ArrayList <String> a, ArrayList <Integer> b){
            String [] c = null;
            String [] d = null;
            c = (String[]) a.toArray(new String[a.size()]);
            d = (String[]) b.toArray(new String[b.size()]);
            String [] [] schoolsAndCopies = null;
            for(int i = 0; i < c.length;i++){
                for(int j = 0; j < d.length;j++){
                    schoolsAndCopies[i] = c;
                    schoolsAndCopies[j] = d;
        public void printSchoolsAndCopies(String title){
            schoolsAndCopiesToArray(schools, numberCopiesForSchool);
            System.out.println("---------------");
            System.out.println("Schools and copies sold to each school for " + this.title+ ".");
            System.out.println("Schools:\tCopies:");
            for(int i = 0; i < schoolsAndCopies.length;i++)
                for(int j = 0; j < schoolsAndCopies.length;j++)
    System.out.println(schoolsAndCopies [i] + "\t" +
    schoolsAndCopies[j]);
    public String getClassName(){
    return TEXTBOOK;
    // overrides TechnicalBook toString
    public String toString(){
    return "Author = " + author + ". Title = " + title + ". Number of Pages = " +
    numberPages + ". Copies Sold = " + copiesSold + ". Schools using " + title +
    ". Price = " + this.getPrice() + " = " + this.getNumberSchools() + ". ";
    * ReferenceBook.java
    * Created on April 19, 2007, 8:02 PM
    * To change this template, choose Tools | Template Manager
    * and open the template in the editor.
    package project3;
    import java.util.*;
    * @author Kevin
    public class ReferenceBook extends TechnicalBook{
    private ArrayList <String> conferences;
    public static final String REFERENCE_BOOK = "Reference Book";
    //private int numberConferences;
    /** Creates a new instance of ReferenceBook */
    public ReferenceBook(String author, String title, int numberPages, int copiesSold,
    double price) {
    super(author, title, numberPages, copiesSold, price);
    conferences = new ArrayList();
    public String getConference(int a){
    for(int i = 0; i < conferences.size();i++)
    if(i == a)
    return conferences.get(i);
    return null;
    public void addConference(String conference){
    for(int i = 0; i < conferences.size();i++){
    conferences.add(conference);
    break;
    public void printConferences(){
    System.out.println("-------------");
    System.out.println("Conferences made for " + this.title + ".");
    for(int i = 0; i < conferences.size(); i++){
    System.out.println("["+(i + 1) +"]: "+ conferences.get(i));
    System.out.println(conferences.size());
    public String getClassName(){
    return REFERENCE_BOOK;
    public String toString(){
    return super.toString();
    * BookTester.java
    * Created on April 19, 2007, 8:02 PM
    * To change this template, choose Tools | Template Manager
    * and open the template in the editor.
    package project3;
    * @author Kevin
    public class BookTester{
    /** Creates a new instance of BookTester */
    public static void main(String [] args){
    BookCatalog catalog = new BookCatalog("Library");
    TextBook java = new TextBook("John", "Java", 5, 20, 5.00);
    TextBook beans = new TextBook("Mike", "JavaBeans", 6, 21, 5.00);
    ReferenceBook ref = new ReferenceBook("Jones", "Standard Class Library", 6, 23, 5.00);
    ref.addConference("Meeting");
    ref.printConferences();
    beans.addSchool("UTSA");
    beans.printSchoolsAndCopies("c++");
    catalog.addBook(java);
    catalog.addBook(beans);
    catalog.printCatalog();
    my BookCatalog class is fine, and everything prints out with out using the listed methods that give trouble.
    * BookCatalog.java
    * Created on April 20, 2007, 4:42 PM
    * To change this template, choose Tools | Template Manager
    * and open the template in the editor.
    package project3;
    import java.util.*;
    * @author Kevin
    public class BookCatalog {
        private String name;
        private ArrayList <Book> bookList;
        /** Creates a new instance of BookCatalog */
        public BookCatalog(String name) {
            this.name = name;
            bookList = new ArrayList <Book>();
        public String getCatalogName(){
            return name;
        public void addBook(Book b){
            bookList.add(b);
        public void printCatalog(){
            for(int i = 0; i < bookList.size(); i ++){
                System.out.println("[" + i + "]: " + bookList.get(i).getClassName() +
                       ": " + bookList.get(i).toString());
    }thanks in advance

    everything runs now, but it doesnt sort them. it prints them in the original order: here is the revised BookCatalog and Tester, also when making sortByTitle static it gives non static variable errors so i have no idea. Thanks for helping me fix the errors, i have no idea why it doesnt sort.
    * BookCatalog.java
    * Created on April 20, 2007, 4:42 PM
    * To change this template, choose Tools | Template Manager
    * and open the template in the editor.
    package project3;
    import java.util.*;
    * @author Kevin
    public class BookCatalog {
        private String name;
        private ArrayList <Book> bookList;
        //private Book [] bookList2;
        /** Creates a new instance of BookCatalog */
        public BookCatalog(String name) {
            this.name = name;
            bookList = new ArrayList <Book>();
        public String getCatalogName(){
            return name;
        public void addBook(Book b){
            bookList.add(b);
            public void sortByTitle(ArrayList<Book> list){
          if (bookList.size() > 1)
            for (int index = 1; index < bookList.size(); index++)
               insertItemByTitle(bookList, index);
         private void insertItemByTitle(ArrayList <Book> bookList, int index) {
                Book key = bookList.get(index);
                int position = index;
                while (position > 0 && key.getTitle().compareTo(bookList.get(index).getTitle()) < 0)   {
                    bookList.set(position, bookList.get(position-1));// = bookList.set(position-1, key);
                   position--;
                bookList.set(position, key);
        public void printCatalog(){
            sortByTitle(bookList);
            Book [] bookList2 = (Book[])bookList.toArray(new Book[bookList.size()]);
            for(int i = 0; i < bookList2.length; i ++){
                System.out.println("[" + (i+1) + "]: " + bookList2.getClassName() +
    ": " + bookList2[i].toString());
    * BookTester.java
    * Created on April 19, 2007, 8:02 PM
    * To change this template, choose Tools | Template Manager
    * and open the template in the editor.
    package project3;
    * @author Kevin
    public class BookTester{
    /** Creates a new instance of BookTester */
    public static void main(String [] args){
    BookCatalog catalog = new BookCatalog("Library");
    TextBook java = new TextBook("John", "Java", 5, 20, 5.00);
    TextBook beans = new TextBook("Mike", "JavaBeans", 6, 21, 5.00);
    ReferenceBook ref = new ReferenceBook("Jones", "Standard Class Library", 6, 23, 5.00);
    ref.addConference("Meeting");
    ref.printConferences();
    beans.addSchool("UTSA");
    //beans.printSchoolsAndCopies("c++");
    catalog.addBook(ref);
    catalog.addBook(java);
    catalog.addBook(beans);
    catalog.printCatalog();

  • Having problem with two Tableview controls.

    Hi all,
    I have two tableview controls in my page. TV1 has list of employees. TV2 is populated with details based on the employee selected in TV1.
    The actual problem is, in TV1 when i goto next page using navigator and select an employee in 15th row, and select a detail row from TV2, TV1 gets refreshed and goes back to row 1.
    How can i avoid this?
    Thanks & Regards,
    Lalith

    Hi,
    you can bind the attribute of the tableView selectedRow = "//model/selected_row"
    to an attribute in your model class
    that way you can always find your selection if working stateful
    grtz
    Koen

  • Please help, problems with two different ipods

    Both my ipod and my sister's ipod are experiencing problems. Both ipod's are 4th gen with click wheel.
    My ipod isn't being recognized by itunes (I have the latest version) and only once in awhile will my computer recognize my ipod. I get a file showing my calender, notes, etc,.. I can't click on any of them though. When I connect my ipod to the usb cord and connect the cord to the computer, the ipod only just restart's itself.
    My sister's ipod does absolutely nothing except show the apple logo and then shut off. Earlier today it was displaying the exclamation mark and the folder icon and it once displayed the sad ipod icon.
    Does anyone here know what the problem is with these two ipod's and if there is a way that I can fix them?

    See these troubleshooting articles.
    My iPod is sad.
    iPod displays a "sad iPod" icon.
    What does this picture on my iPod mean?
    Also, there is a pretty comprehensive post written by another forum member which is about the sad iPod icon or the folder and ! icon. Be aware that it's quite involved and contains some info that will almost certainly void the warranty. If your iPod is still within the warranty period, you should use that option first.
    The Sad iPod/folder and ! icon.
    You can arrange online service here.
    Service request.

  • HT4539 I'm having problems with my iPad I downloaded I downloaded pro for two dollars and now when I try to download other apps in the app store it wAnts to kno my personal card info on free items and won't let me download items I already erase the I down

    I'm having problems with my iPad I downloaded I downloaded pro for two dollars and now when I try to download other apps in the app store it wAnts to kno my personal card info on free items and won't let me download items I already erase the I downloadeder pro but I don't kno way to do?

    Also, when I go on to safari, another alert pops up that safari cannot verify the identity of the website, anything that I type in to as common as google.com. It gives me 3 options to either cancel, look at details, and continue. I've looked at the details of the website of Google and it is legitimate the site. Any help?

  • I use only two channels, have plenty of memory in my hard disk, and external hard drive, no effects, and still having problems with Garage band. Giving messages as you have too many live channels

    I'm frustrated, I am doing everything you recommend, I use only two channels, have plenty of memory in my hard disk, and external hard drive, no effects, and still having problems with Garage band. Giving messages as you ave too many live channels, the disk is slow prepare...can you help?

    Quote from: Richard on 15-November-07, 20:33:05
    tornado2003,
    What you need to do is boot into Safe Mode. Then delete the VGA Drivers.
    After that boot normally and install the latest nVidia ForceWare Drivers
    Take Care,
    Richard
    i guess you missed that:
    Quote from: tornado2003 on 15-November-07, 17:26:52
    ive tryed booting xp in safe mode but it just freezes after it loads up a couple of needed files .
    ive even formatted my hard drive and tryed installing a fresh xp on it but it just keeps locking up when it gets to the "starting windows setup" .(this is just after it loads all the drivers from the xp cd)

  • How do I create a graph with two different y-axis variables with the same x-axis (therefor having two curves)?, How do I create a graph with two different y-axis variables with the same x-axis (therefor having two curves)?

    How do I create a graph with two different y-axis variables with the same x-axis (therefor having two curves)?, How do I create a graph with two different y-axis variables with the same x-axis (therefor having two curves)?

    Hi Libby,
    Select all three columns of data. All three must be 'regular' columns, not Header columns, and the X values must be in the leftmost column.
    Click the Charts button and choose the Scatter chart.
    The resulting chart will initially show only the first and second columns of data, and the selection will have been reduced to show this.
    Click the gear icon at the top left of the selection and choose Share X Values.
    You should see a result similar to this:
    Notes:
    The values on my sample table contain a random element, so they have changed from thhe first image to the second.
    The chart is as created by Numbers, with two edits:
    Data points have been connected with curves, using the Chart nspector.
    The curves were selected and their stroke increased to 2pts, using the stroke formating button in the format bar.
    Regards,
    Barry

  • HT4623 im having problems with iphone 5 it keeps goin to recovery mode, i have the latest update already installed but it keeps goin to recovery every two day. can anyone help me on hoe to fix this issue? thanks

    im having problems with iphone 5 it keeps goin to recovery mode, i have the latest update already installed but it keeps goin to recovery every two day. can anyone help me on hoe to fix this issue? thanks

    Try to Restore with iTunes on your computer. If this does not work, there is full Warranty. Make Genius reservation or set up service and take or send to Apple for resolution.

  • I am having problems with video and high content webpages freezing.  I am also getting pixel lines across my webpages.  Maybe two or three lines.  I was running os 10.4 but I just up graded to 10.6 the other day.  I have 2GB of RAM.

    I am having problems with video and high content webpages freezing.  I am also getting pixel lines across my webpages.  Maybe two or three lines.  I was running os 10.4 but I just up graded to 10.6 the other day.  I have 2GB of RAM.

    Exactlly which model iMac do you have?
    see > How to identify iMac models
    Unfortunately that is not all that uncommon for the Early Intel iMac's given there age and the fact that the air intakes are probably choked with dust. Then add the extra heat caused by running a more intense OS X which is causing it to run a little warmer than normal and putting extra stress on the graphic and display components.
    My 6½ year old 17" Early 2006 Core Duo w/2GB of RAM is also running 10.6.8 and is also starting to get a single line that (knock on wood) goes away after a few minutes, while many others started getting permanent ones after 2 or 3 years. One thing that I think has helped, is that about every 3 or 4 months I shutdown and vigorously vacuum out the bottom grill work and small vent under the stand to keep it running cool.
    On that note: unfortunately I can only suggest that you clean your intake vents and hope that no permanent or irreversible damage has been done.

  • Any one having problems with the calandar within the last two days?

    Having problems with iPad 2 calendar , anyone else with this problem?

    What kind of problems? I am having no issues. Have you tried quitting the app completely and then restart the iPad?
    Go to the home screen first by tapping the home button. Quit/close open apps by double tapping the home button and the task bar will appear with all of you recent/open apps displayed at the bottom. Tap and hold down on any app icon until it begins to wiggle. Tap the minus sign in the upper left corner to close the apps. Restart the iPad.
    Restart the iPad by holding down on the sleep button until the red slider appears and then slide to shut off. To power up hold the sleep button until the Apple logo appears and let go of the button.
    Or reboot the iPad?
    Reboot the iPad by holding down on the sleep and home buttons at the same time for about 10-15 seconds until the Apple Logo appears - ignore the red slider - let go of the buttons.
    If those don't help, post back with your specific issues.

  • Windows 8.1 having problems with pinter selection using Elements 13.

    I am running Windows 8.1 with Elements 13 and am having problems with PRINT. If I select a printer from the PRINTER menu, Elements recognizes the change of selection, allows me to modify the printer's specific setting and, then, when I PRINT seems to not recognize the selected printer and print of whatever was set as the original printer. Then, I delete the "original" printer in Windows 8.1 and attempt to print again with the same general result except I receive a Printer Not Found error from Windows.
    How do I modify the "original" printer setting (seems to be associated with the file)? Note the "original" printer is not the default printer.

    Hatstead,
    Thank you.
    Yes, all of the print drivers are up to date (re-verified last evening).
    Yes, I can print and select the printer as normal for all of the standard applications I use (Visio, PowerPoint, Word, Excel, Outlook, direct print from file (Explorer)).
    I shortened the printer names from the standard Microsoft convention (based on some of the BOG comments). There was no change.  In fact after the test sequence noted in #5, I re-implemented the "name shortening" yet again (shorter yet). I launched Elements and ran into the same messages noted in #5 (obviously, the "stored" printer did not exist). Yet after I went through the printer selection process (again as in #5) and, after a lag time, Elements redirected the print job what was the "stored" printer which was renamed....I do not know how Elements associated the deleted "Stored" printer with its old name with the newly named printer since no other application could (I checked).
    I have closed and restarted the PC numerous times.
    I have deleted all of the printers except the one I wanted to use for the specific print job. In this case, Elements came back with a message it could not access the "stored" printer. I then selected the correct printer, Elements acted like it was allowing to set up the selected printer with the specifics of the print job, and, then when I went to print, Elements again tried to redirect the print job to the "stored" printer (even though it did not exist).
    The target printer is a "local" printer (USB connected). The apparent "Stored" printer is a network printer. So, I deleted the PC which has the "Stored" printer from the network (actually not only deleted it from the devices on my PC but literally shut the PC down and disconnected it from the network (two different test)) to no avail (still got the test results in #5).
    Yes, I have attempted to print from the Editor (my normal mode) and from Organizer.
    I have copied, open a new file and, then, pasted the image I wanted to print to no avail.
    Is the a "stored" printer associated with the file or with Elements? If so, how to I modify (or dis-associate)?
    Again, thank you.

  • Having problems with rendering clipls

    I am new to Premier elements, and am having problems with my clips needing frequent rendering.  Clips that have been rendered go from green (line) to red when a transition is added or if it is trimmed and must be rendered again.  Also rendering seems to take a very long time, sometimes going fast, sometimes going a frame per second or slower.  One possible problem is that I am mixing clips from two different cameras, one a HD and the other a standard def camera. I don't know if this is a factor or not.

    If your clips are initially importing with a red line your project preset may be wrong - what preset are you using?
    After applying transitions or effects it is normal for those segments to go red line.
    It doesn't help to use two different types of video in one project. What is your final output intent - DVD or BluRay? If DVD then it would be better to convert your HD material to DV-AVI. See the Gspot link below - analyse both types of clip you are using and post the screen images here.
    Some basics:
    Install all Windows Updates.
    Install latest version of Apple QuickTime (v7.6.7 at time of writing). Even if you don't use QuickTime, PRE relies heavily on it.
    Install most recent graphics and sound drivers from the manufacturers web sites.
    Run Disk Cleanup.
    Run Defragmenter.
    Temporarily disable any anti-virus realtime scanning.
    Use the GSpot Codec Information Utility to analyse the file and post screen image.
    Post back here with the necessary information described here: Got a Problem? How to Get   Started
    Cheers,
    Neale
    Insanity is hereditary, you get it from your children

  • HT204085 I AM HAVING PROBLEMS WITH MY PASSWORD FOR MY ICLOUD

    I am having problems with my password to sign into Itune and ICLOUD account I have a ticket  Number is 609987250 do I need two different password for the  accounts I mintion

    I have done this and keeps saying the same thing. I have even tried setting my account through Microsoft exchange but no luck

  • Using Berkeley With Two Different Environment Simultaneously

    I am trying to use Berkeley with two different environment simultaneously in one program. But I am getting an error message of Databases left open. The first environment close with no error but the 2nd environment, having an error like this,
    Exception in thread "main" java.lang.IllegalStateException: Unclosed Database: element_primary_key_index\\192.168.150.211\glassfish3\Berkeley\environment\Testing11
    Unclosed Database: class_catalog\\192.168.150.211\glassfish3\Berkeley\environment\Testing11
    Unclosed Database: element_database\\192.168.150.211\glassfish3\Berkeley\environment\Testing11
    Databases left open: 3
         at com.sleepycat.je.Environment.close(Environment.java:383)
         at com.svi.tools.gfs3v10domain.database.GFS3v10ReadWriteDatabase.closeUpload(GFS3v10ReadWriteDatabase.java:155)
         at com.svi.tools.gfs3v10domain.GFS3v10Domain.closeReadWrite(GFS3v10Domain.java:160)
         at com.svi.tools.gfs3v10.util.GFS3v10UploadUtil.closeUpload(GFS3v10UploadUtil.java:97)
         at com.svi.tools.gfs3v10.GFS3v10.closeUpload(GFS3v10.java:115)
         at com.svi.tools.gfs3v10uploader.util.Uploader.uploadFiles(Uploader.java:89)
         at com.svi.tools.gfs3v10uploader.GFS3v10Uploader.mainMethod(GFS3v10Uploader.java:109)
         at com.svi.tools.gfs3v10uploader.GFS3v10Uploader.main(GFS3v10Uploader.java:52)
    Please someone help me with my problem. Thanks in advance.

    Hi Mark,
    Here is my sample program for the problem:
    import java.io.File;
    import com.sleepycat.bind.serial.StoredClassCatalog;
    import com.sleepycat.je.Database;
    import com.sleepycat.je.DatabaseConfig;
    import com.sleepycat.je.Environment;
    import com.sleepycat.je.EnvironmentConfig;
    import com.sleepycat.je.EnvironmentLockedException;
    import com.sleepycat.je.SecondaryConfig;
    import com.svi.tools.gfs3v10domain.objects.GFS3v10DomainElementData;
    import com.svi.tools.gfs3v10domain.objects.GFS3v10DomainElementKey;
    import com.svi.tools.gfs3v10domain.views.utils.ElementByPrimaryKeyCreator;
    * Read Write Database used for every thing else.
    public class MethodsSample implements GFS3v10Database {
         * Environment where the Database resides.
         private Environment environment = null;
         private boolean isClose = false;
         String environmentString;
         * Class Catalog for Stored Classes.
         private static StoredClassCatalog classCatalog;
         * Element Database.
         private static Database elementDatabase;
         * Element Database by Primary Key.
         private static Database elementByPrimaryKeyDatabase;
         private static Database catalogDatabase;
         * Default Constructor.
         public MethodsSample() {
    * Alternate Constructor.
    * @param homeDirectory Location where the Database is Located.
    public MethodsSample(String homeDirectory) {
         environmentString = homeDirectory;
         openEnvironment(homeDirectory);
         openDatabase();
    @Override
         * Opens the Read Write Database.
         * @param homeDirectory Location where the Database is Located.
    public void openEnvironment(String homeDirectory) {
         EnvironmentConfig environmentConfig = new EnvironmentConfig();
    environmentConfig.setTransactional(true);
    environmentConfig.setAllowCreate(true);
    environmentConfig.setDurability(DURABILITY);
    while (environment == null) {
         try {
              environment = new Environment(new File(homeDirectory), environmentConfig);
         } catch(EnvironmentLockedException ele) {
              try {
                             Thread.sleep(500);
                        } catch (InterruptedException e) {
    @Override
         * Opens the Database.
    public void openDatabase() {
         DatabaseConfig databaseConfig = new DatabaseConfig();
         databaseConfig.setDeferredWrite(true);
    databaseConfig.setAllowCreate(true);
    catalogDatabase = environment.openDatabase(null, CLASS_CATALOG + environmentString, databaseConfig);
    classCatalog = new StoredClassCatalog(catalogDatabase);
    elementDatabase = environment.openDatabase(null, ELEMENT_DATABASE + environmentString, databaseConfig);
    SecondaryConfig secondaryConfig = new SecondaryConfig();
    secondaryConfig.setDeferredWrite(true);
    secondaryConfig.setAllowCreate(true);
    secondaryConfig.setSortedDuplicates(true);
    secondaryConfig.setKeyCreator(new ElementByPrimaryKeyCreator(classCatalog, GFS3v10DomainElementKey.class, GFS3v10DomainElementData.class, String.class));
    elementByPrimaryKeyDatabase = environment.openSecondaryDatabase(null, ELEMENT_PRIMARY_KEY_INDEX + environmentString, elementDatabase, secondaryConfig);
    @Override
         * Gets the Environment.
         * @return Environment.
    public Environment getEnvironment() {
         return environment;
    @Override
         * Gets the Class Catalog.
         * @return Class Catalog.
    public StoredClassCatalog getClassCatalog() {
         return classCatalog;
    @Override
         * Gets Element Database.
         * @return Element Database.
    public Database getElementDatabase() {
         return elementDatabase;
    @Override
         * Gets Element By Primary Key Database.
         * @return Element By Primary Key Database.
    public Database getElementByPrimaryKeyDatabase() {
         return elementByPrimaryKeyDatabase;
    @Override
         * Closes Database and then Environment.
    public void closeUpload() {
         System.out.println("1st Jar environment closing = " + environmentString);
         elementByPrimaryKeyDatabase.close();
         elementDatabase.close();
         classCatalog.close();
         catalogDatabase.close();
         environment.close();
         isClose = true;
    public Boolean isClose() {
         return isClose;
         @Override
         public void closeOthers() {
    for the Main:
    public class sample {
         public static void main(String[] args) {
              String environment1 = "\\\\192.168.160.184\\glassfish\\berkeley\\environment\\home\\Multiple\\Testing11";
              String environment2 = "\\\\192.168.150.211\\glassfish3\\Berkeley\\environment\\Testing11";
              openCloseEnvironment(environment1, environment2);
         public static void openCloseEnvironment(String environment1, String environment2) {
              MethodsSample forEnvironment1 = new MethodsSample(environment1); //Opens the Databases
              MethodsSample forEnvironment2 = new MethodsSample(environment2); //Opens the Databases
              forEnvironment1.closeUpload();
              forEnvironment2.closeUpload();
    // same error happens no matter what sequence for closing
    Thank you.

Maybe you are looking for