Need a little help with this code

Hi,
right now I'm going through the xmlmenu tutorial, which I've
found at kirupa.com. It's pretty much clear to me. Then I decided
to try to import a blur filter. And as soon as I wright the import
flash.filter line, I get a syntax error. Where is the problem? How
do I get button's blurx/y = 0 onRollover? I was thinking to apply
the filter to menuitem mc (see the code)
Here's the code

yes, you are right - flash.filters. Another "syntax error"
;-). I did manage to get it work (the import line part). My next
question is to which MC must I apply the blur filter to get next
result:
by default the buttons are blured. OnRollOver the button gets
cleared of blur. Here's my blur code:
var myBlur = new flash.filters.BlurFilter(20,20,2);
var myTempFilters:Array = _root.mainmenu_mc.filters;
->which MC must be here to get the wanted result??????
myTempFilters.push(myBlur);
_root.mainmenu_mc.filters = myTempFilters;
curr_item.onRollOut = function() {
myBlur.blurX = 20;
myBlur.blurY = 20;
this.filters = new Array(myBlur);
curr_item.onRollOver = function() {
myBlur.blurX = 0;
myBlur.blurY = 0;
this.filters = new Array(myBlur);
THX for your help

Similar Messages

  • Need a little help with this method

    this is what i need to do:
    Add a static method Account consolidate(Account acct1, Account acct2) to your Account class that creates a new
    account whose balance is the sum of the balances in acct1 and acct2 and closes acct1 and acct2. The new account should
    be returned. Two important rules of consolidation:
    ? Only accounts with the same name can be consolidated. The new account gets the name on the old accounts but a
    new account number (a random number).
    ? Two accounts with the same number cannot be consolidated. Otherwise this would be an easy way to double your
    money!
    right now i have this code but im not too positive i did it right (and i know its not done, but i just need some tips on what to do)
         public static Account AccountConsolidate(Account acct1, Account acct2)
              String name1 = acct1.getName();
              String name2 = acct2.getName();
              if(name1.equals(name2));
              newAccount = acct1.getBalance() + acct2.getBalance();
              newAccount = newAccount.getAcctNum();
              close acct2;
              return newAccount;
         }

    1. "close" is not a Java keyword.
    2. "newAccount" is being assigned twice.
    Not that there's anything wrong with that but what's
    the first assignment doing?
    3. "newAccount" seems to be an int but your
    method signature says to return an Account
    object.this is my entire code, and i made some changes in the consolidateAccount method
    // Account.java
    // A bank account class with methods to deposit to, withdraw from,
    // change the name on, and get a String representation
    // of the account.
    public class Account
         private double balance;
         private String name;
         private long acctNum;
         private static int numAccounts;
         private double newAccount;
    //Constructor -- initializes balance, owner, and account number
         public Account(double initBal, String owner, long number)
              balance = initBal;
              name = owner;
              acctNum = number;
              numAccounts++;
    // Checks to see if balance is sufficient for withdrawal.
    // If so, decrements balance by amount; if not, prints message.
         public void withdraw(double amount)
              if (balance >= amount)
              balance -= amount;
              else
              System.out.println("Insufficient funds");
    // Adds deposit amount to balance.
         public void deposit(double amount)
              balance += amount;
    // Returns balance.
         public double getBalance()
              return balance;
    //Returns number of accounts created
         public static int getNumAccounts()
              return numAccounts;
    // Returns name on the account
         public String getName()
              return name;
    // Returns account number
         public long getAcctNum()
              return acctNum;
    // Close the current account.
         public void close()
              if (balance == 0)
              numAccounts--;
              System.out.println("CLOSED");
    // Consolidates two accounts into one account.
         public static Account AccountConsolidate(Account acct1, Account acct2)
              String name1 = acct1.getName();
              String name2 = acct2.getName();
              if(name1.equals(name2));
              newAccount = acct1.getBalance() + acct2.getBalance();
              newAccount = newAccount.getAcctNum();
              Account consolidated = new Account(balance, name, newNumber);
              return consolidated;
    // Returns a string containing the name, account number, and balance.
         public String toString()
              return "Name:" + name +
              "\nAccount Number: " + acctNum +
              "\nBalance: " + balance;
         

  • Need a little help with this factory pattern thing..

    Evening all,
    I have an assignment to do over easter, before i start i will say i dont want any code or anything so this isnt 'cheating' or whatever..
    This was the brief:
    A vending machine dispenses tea and coffee, to which may be added milk, and 0, 1 or 2 doses of sugar. When the machine is loaded it initially contains 100 doses of tea, 100 doses of coffee 50 doses of milk and 70 doses of sugar. After it has been in use for a while it may run out one or more items. For example, it may run out of sugar, in which case it would continue to vend tea, coffee, tea with milk, and coffee with milk. Periodically, an attendant recharges the machine to full capacity with doses of coffee, tea, milk and sugar. A user selects the required beverage, selects the required amount of sugar, and selects milk if required. The machine responds with a message telling the user the cost of the drink (coffee is 30P, tea 20P, milk 10P, and sugar 5P per dose). The user inserts coins (the machine accepts 10P and 5P coins), and when the required sum or more has been inserted, the machine dispenses the beverage, and possibly some change.
    You are to write a program that simulates the above vending machine. Your solution must use the class factory pattern, and make use of the code templates provided. The user interface should be constructed with a Swing JFrame object.
    We were suppled with code for all of the classes required except for the JFrame.. They are as follows:
    public abstract class Beverage
      int sugar;
      boolean milk;
      public String getMessage()
        String name = this.getClass().getName();
        String sugarMessage = "";
        if (sugar == 1) sugarMessage = "one sugar";
        if (sugar == 2) sugarMessage = "two sugars";
        if (sugar == 0) sugarMessage = "";
        return  "Vended 1 " + name  +  (milk ? " with milk " : "") + (sugar==1 || sugar == 2 ? (milk ? "and " + sugarMessage : " with " + sugarMessage) : "");
    public class Coffee extends Beverage
      public Coffee( int sugar, boolean milk)
        this.sugar = sugar;
        this.milk = milk;
    public class Tea extends Beverage
      public Tea(int sugar, boolean milk)
        this.sugar = sugar;
        this.milk = milk;
    public class SugarButtonsGroup
      private JRadioButton jRadioButton0Sugar = new JRadioButton();
      private JRadioButton jRadioButton1Sugar = new JRadioButton();
      private JRadioButton jRadioButton2Sugar = new JRadioButton();
      private ButtonGroup sugarButtons = new ButtonGroup();
      public SugarButtonsGroup()
        jRadioButton0Sugar.setText("No sugar");
        jRadioButton1Sugar.setText("1 sugar");
        jRadioButton2Sugar.setText("2 sugars");
        sugarButtons.add(this.jRadioButton0Sugar);
        sugarButtons.add(this.jRadioButton1Sugar);
        sugarButtons.add(this.jRadioButton2Sugar);
      public int numberOfSugars()
        if (this.jRadioButton1Sugar.isSelected()) return 1;
        if (this.jRadioButton2Sugar.isSelected()) return 2;
        return 0;
      public ButtonGroup getButtonGroup()
        return sugarButtons;
      public JRadioButton getJRadioButton0Sugar()
        return jRadioButton0Sugar;
      public JRadioButton getJRadioButton1Sugar()
        return jRadioButton1Sugar;
      public JRadioButton getJRadioButton2Sugar()
        return jRadioButton2Sugar;
    public class BeverageButtonsGroup
      private JRadioButton jRadioButtonTea = new JRadioButton();
      private JRadioButton jRadioButtonCoffee = new JRadioButton();
      private ButtonGroup buttonGroup = new ButtonGroup();
      public BeverageButtonsGroup()
        buttonGroup.add(jRadioButtonTea);
        buttonGroup.add(jRadioButtonCoffee);
        jRadioButtonTea.setText("Tea");
        jRadioButtonCoffee.setText("Coffee");
        jRadioButtonCoffee.setSelected(true);
      public String getBeverageName()
        if (jRadioButtonTea.isSelected()) return "tea";
        if (jRadioButtonCoffee.isSelected()) return "coffee";
        return "";
      public ButtonGroup getBeverageButtonGroup()
        return buttonGroup;
      public JRadioButton getJRadioButtonTea()
        return jRadioButtonTea;
       public JRadioButton getJRadioButtonCoffee()
        return jRadioButtonCoffee;
    public class MilkCheck
      private JCheckBox jCheckBoxMilk = new JCheckBox();
      public MilkCheck()
        this.jCheckBoxMilk.setText("Milk");
      public JCheckBox getJCheckBoxMilk()
        return jCheckBoxMilk;
      public boolean withMilk()
        return this.jCheckBoxMilk.isSelected();
    public class CoinMechanism
      private JButton jButton5P = new JButton();
      private JButton jButton10P = new JButton();
      private JTextField jTextFieldTotal = new JTextField();
      private BeverageFactory b;
      public CoinMechanism (BeverageFactory b)
        this.b = b;
        reset();
        jTextFieldTotal.setEditable(false);
        jButton5P.setText("Insert 5 pence");
        jButton5P.addActionListener(new ActionListener()
            public void actionPerformed(ActionEvent e)
              jButton5P_actionPerformed(e);
        jButton10P.setText("Insert 10 pence");
        jButton10P.addActionListener(new ActionListener()
            public void actionPerformed(ActionEvent e)
              jButton10P_actionPerformed(e);
      private void jButton5P_actionPerformed(ActionEvent e)
        // to be completed
      private void jButton10P_actionPerformed(ActionEvent e)
        // to be completed
      private void notifyVend()
        b.getCoinCurrentTotal(jTextFieldTotal.getText());
      public void reset()
         this.jTextFieldTotal.setText("0");
      public JButton getJButton5P()
        return this.jButton5P;
      public JButton getJButton10P()
        return this.jButton10P;
      public JTextField getJTextFieldTotal()
        return this.jTextFieldTotal;
    public class BeverageFactory
      private int coffees;
      private int teas;
      private int milks;
      private int sugars;
      public BeverageButtonsGroup beverageButtons = new BeverageButtonsGroup();
      public SugarButtonsGroup sugarButtons = new SugarButtonsGroup();
      public MilkCheck milkCheck = new MilkCheck();
      public CoinMechanism slots = new CoinMechanism(this);
      public void setUIState()
        // sets the states of the widgets on the frame accoording to the
        // quantities of supplies in the machine
        // to be finished
      public void getCoinCurrentTotal (String o)
        // this is should be executed whenever a user puts a coin into the machine
        int foo = Integer.parseInt(o);
        // to be finished
      private int cost()
        // returns the cost of the currently selected beverage
        // to be finished
      public BeverageFactory( int coffees, int teas, int milks, int sugars)
        this.coffees = coffees;
        this.teas = teas;
        this.milks = milks;
        this.sugars = sugars;
      public void refill(int coffees, int teas, int milks, int sugars)
        // to be completed
      public Beverage makeBeverage(String name, boolean milk, int sugar)
        if (name.compareTo("coffee") == 0)
          coffees--;
          if (milk) milks--;
          sugars = sugars - sugar;
          return new Coffee(sugar,milk);
        if (name.compareTo("tea") == 0)
          teas--;
          if (milk) milks--;
          sugars = sugars - sugar;
          return new Tea(sugar, milk);
        return null;
    }Okay, well if you read through all that, blimey thanks a lot!.
    My question relates to this method in the BeverageFactory class:
    public void getCoinCurrentTotal (String o)
        // this is should be executed whenever a user puts a coin into the machine
        int foo = Integer.parseInt(o);
        // to be finished
      }I don't understand what the heck its supposed to be for..
    I can obtain the current amount of coins inserted from the textbox in the CoinMechanism class. The only thing i could think of, would be for this to enable the 'Vend' button, but it doesnt have access anyway..
    Any suggestions would be hugely appreciated, I have tried to contact the lecturer but he isnt around over easter i guess..
    Many thanks.

    I'm not going to read all that, and I don't do GUIs, so this is just a guess, but it looks like the CoinMechanism class is intended to be just a dumb processor to accept coins and determine what each coin's value is, but no to keep a running total.
    That in itself is an arguably acceptable design--one class, one job and all that. But I don't know that it makes sense to have the BeverageFactory keep the running total.
    Overall, I gotta say, I'm not impressed with your instructor's framework. Maybe it's just because I didn't look at it closely enough, or maybe it's more of a naming problem than a design problem, but it seems to me he's mixing up GUI code with business logic.
    Good luck.

  • I need a little help with this MS-6380E

    Hi my name is AttA.  Im trying to help out a friend get hism PC back up and running.  He is a new user type and has generaly screwd his pc up just being a newbie.  He asked me to Format his PC And reinstall his OS, and now here i am wonering what the heck is going on.  
    I first tried to install Win XP pro on his PC with all the hardware in it, just like it came to him when he got it.
    When the XP pro setup gets to the Copying files section it locks up.  There is no specific file it locks on up, sometimes it will do it at 3% sometimes at 17%.  It has never made it through coping the files.  At this point i decided to return the PC to minimum spec and try it out.  Ive removed all of the expansion cards, replaced the AGP GEforce TI 4600 with an old 8 meg PCI card, removed the front USB from the board, ive taken out all but 1 stick of RAM that i know to be good.  Ive also loaded Bios Defaults.
    At this point the Specs on the PC are as follows.
    Athalon 1150 CPU  (As reported by the Bios)
    MSI MS-6380E  (although the pic of the board contained in the instruction manual looks nothing like the real thing,)
    IBM Deskstar 40 Gb
    Floppy Drive
    1 Yamaha CD-RW 20/10/40  (yes ive tried other known working non writing drives.)
    1 stick DDR 2700 256mb
    Keyboard and mouse ive tried 4 sets both USB and PS/2
    Alliedc Pwr Supply  300W
    I have scanned for Viri as well as tried the drive on both busses.
    Im hoping some1 can give me a clue as to what is happening.
    Thanx for your help in advance.
    AttA
    PS pls excuse typos my keyboard at work is not the natural im used too.

    Ok so ive done more.  mabey this will help.
    Ive tried changing the RAM.  
    Ive tried A CMOS reset.
    Ive tried A new CD-ROM as CS on the secondary and slave to the HDD on the primary
    Here is the one i dont get.  Ive tried installing Win98.  and it worked.  the disk my frind has is near pristine one scratch and not nearly enough to account for multiple lockups while dealing with random files.  i suppose is possible, so im gonna try XP with a different disk if i can find one.
    I even thought well mabey its got some kind of strange super virus and its surving the format fdisk and fdisk /mbr.  So i put the HDD in a G4, knowing that a mac would erase the complete drive with out any care for boot records or any other PC crap.  nothing still locked up, although that time i copied 56% of the files before it locked up.  thats the best run yet ;(
    Thank you for the reply Mrplow that is one thing i definatly did not try that one.  Ill make sure to do that tomorrow and see what happens.  When your FSB reverts to 100, do you have problems like this?
    AttA

  • Hello, need a little help with this program

    i have this program and i cant see whats wrong with it. but when i run it the error "Exception in thread 'main' java.lang.NoSuchMethodError: main"
    anyone know what wrong?
    class Assignment2
       public final
       void main( String[] argv )
           Script sc = new Script ("Assignment2.txt");
           KeyboardReader kb = new KeyboardReader();
         System.out.println( "Enter Time In 24hr Mode (use -999 to quit) : " );
         int time = kb.getInt();
         if (time == -999) {     System.out.println( "EXIT" );}
         System.out.println( "" );
         System.out.println( "Enter The Distance Of The Call (use -999 to quit) : " );
         int distance = kb.getInt();
         if (distance == -999) {     System.out.println( "EXIT" );}
           System.out.println( "" );
         System.out.println( "Enter Length Of Call In Minutes (use -999 to quit) : " );
         double length = kb.getDouble();
         if (length == -999) {System.out.println( "EXIT" );}     
           System.out.println( "" );
           Calculation (time, distance, length);
       }// end main
    public void Calculation (int time, int distance, double length)
              while (time != -999 || distance != -999 || length != -999)
                   if (700 <= time && time <= 1900 && distance <= 100)
                          System.out.println( "Cost of call is $0.60 per minute" );
                          double cost = 0.60 * length;
                          System.out.println( "That call will cost $ " + cost );
                     if  (700 <= time && time <= 1900 && distance > 100)
                          System.out.println( "Cost of call is $1.10 per minute" );
                          double cost = 1.10 * length;
                          System.out.println( "That call will cost $ " + cost );
                     if  (700 <= time && time <= 1900 && distance > 100)
                          System.out.println( "Cost of call is $1.10 per minute" );
                          double cost = 1.10 * length;
                          System.out.println( "That call will cost $ " + cost );
                System.out.println( "EXIT" );            
      }//end calculation
    }//end class
    //----------------------------------------------------------------------------------------------------

    i have this program and i cant see whats wrong with
    it. but when i run it the error "Exception in thread
    'main' java.lang.NoSuchMethodError: main"
    anyone know what wrong?When you get exceptions you also get a stack trace pointing you at the exact line where the exception occured in your code.

  • A little help with this code?

    I have a script that reads email in Outlook for Web, generates the folder structure by parsing the subject line, then downloads the file into the folder it just created.C#foreach (Item myItem in findResults.Items) { if (myItem is EmailMessage) { Console.WriteLine((myItem as EmailMessage).Subject); string strSubject = (myItem as EmailMessage).Subject; string[] strDelimiters = { " - ", " - " }; string []strTemp; string []strFolders; string strFileUrl; strTemp = strSubject.Split(strDelimiters, StringSplitOptions.None); strDelimiters[0] = " "; strDelimiters[1] = " "; strFolders = strTemp[1].Split(strDelimiters, 2, StringSplitOptions.None); strFolders[1] = strFolders[1].Replace('', '_'); //strFolderPath = preDownload(strFolders[0], strFolders[1]); // get message body PropertySet psPropset = new PropertySet(); psPropset.RequestedBodyType = ...
    This topic first appeared in the Spiceworks Community

    I have a script that reads email in Outlook for Web, generates the folder structure by parsing the subject line, then downloads the file into the folder it just created.C#foreach (Item myItem in findResults.Items) { if (myItem is EmailMessage) { Console.WriteLine((myItem as EmailMessage).Subject); string strSubject = (myItem as EmailMessage).Subject; string[] strDelimiters = { " - ", " - " }; string []strTemp; string []strFolders; string strFileUrl; strTemp = strSubject.Split(strDelimiters, StringSplitOptions.None); strDelimiters[0] = " "; strDelimiters[1] = " "; strFolders = strTemp[1].Split(strDelimiters, 2, StringSplitOptions.None); strFolders[1] = strFolders[1].Replace('', '_'); //strFolderPath = preDownload(strFolders[0], strFolders[1]); // get message body PropertySet psPropset = new PropertySet(); psPropset.RequestedBodyType = ...
    This topic first appeared in the Spiceworks Community

  • I need help with this code error "unreachable statement"

    the error_
    F:\Java\Projects\Tools.java:51: unreachable statement <-----------------------------------------------------------------------------------------------------------------THIS
    int index;
    ^
    F:\Java\Projects\Tools.java:71: missing return statement
    }//end delete method
    ^
    F:\Java\Projects\Tools.java:86: missing return statement
    }//end getrecod
    ^
    3 errors
    import java.util.*;
    import javax.swing.*;
    import java.awt.*;
    public class Tools//tool class
    private int numberOfToolItems;
    private ToolItems[] toolArray = new ToolItems[10];
    public Tools()//array of tool
    numberOfToolItems = 0;
    for(int i = 0; i < toolArray.length; i++)//for loop to create the array tools
    toolArray[i] = new ToolItems();
    }//end for loop
    }//end of array of tools
    public int search(int id)//search mehtod
    int index = 0;
    while (index < numberOfToolItems)//while and if loop search
    if(toolArray[index].getID() == id)
    return index;
    else
    index ++;
    }//en while and if loop
    return -1;
    }//end search method
    public int insert(int id, int numberInStock, int quality, double basePrice, String nm)//insert method
    if(numberOfToolItems >= toolArray.length)
    return 0;
    int index;
    index = search(id); <-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------HERE
    if (index == -1)
    toolArray[index].assign(id,numberInStock, quality, basePrice,nm);
    numberInStock ++;
    return 1;
    }//end if index
    }//end if toolitem array
    return -1;
    }//end insert method
    public int delete(/*int id*/)//delete method
    }//end delete method
    public void display()//display method
    for(int i = 0; i < numberOfToolItems; i++)
    //toolArray.display(g,y,x);
    }//end display method
    public String getRecord(int i)//get record method
    // return toolArray[i].getName()+ "ID: "+toolArray[i].getID()
    }//end getrecod
    }//end class
    Edited by: ladsoftware on Oct 9, 2009 6:08 AM
    Edited by: ladsoftware on Oct 9, 2009 6:09 AM
    Edited by: ladsoftware on Oct 9, 2009 6:10 AM
    Edited by: ladsoftware on Oct 9, 2009 6:11 AM

    ladsoftware wrote:
    Subject: Re: I need help with this code error "unreachable statement"
    F:\Java\Projects\Tools.java:51: unreachable statement <-----------------------------------------------------------------------------------------------------------------THIS
    int index;
    ^
    F:\Java\Projects\Tools.java:71: missing return statement
    }//end delete method
    ^
    F:\Java\Projects\Tools.java:86: missing return statement
    }//end getrecod
    ^
    3 errorsThe compiler is telling you exactly what the problems are:
    public int insert(int id, int numberInStock, int quality, double basePrice, String nm)//insert method
    if(numberOfToolItems >= toolArray.length)
    return 0; // <<== HERE you return, so everyting in the if block after this is unreachable
    int index;
    index = search(id);  //< -----------------------------------------------------------------------------------------------------------------HERE
    if (index == -1)
    toolArray[index].assign(id,numberInStock, quality, basePrice,nm);
    numberInStock ++;
    return 1;
    }//end if index
    }//end if toolitem array
    return -1;
    }//end insert method
    public int delete(/*int id*/)//delete method
    // <<== HERE where is the return statement?
    }//end delete method
    public String getRecord(int i)//get record method
    // return toolArray.getName()+ "ID: "+toolArray[i].getID() <<== HERE you commented out the return statement
    }//end getrecod
    }//end class

  • Need a little Help with my new xfi titanium

    +Need a little Help with my new xfi titanium< A few questions here.
    st question? Im using opt out port on the xfi ti. card and using digital li've on a windows 7 64 bit system,? I would like to know why when i use 5. or 7. and i check to make sure each speakear is working the rear speakers wont sound off but the sr and sl will in replace of the rear speakers. I did a test tone on my sony amp and the speaker are wired correctly becasue the rear speakers and the surrond? left and right sound off when they suppose too. Also when i try to click on? the sl and sr in the sound blaster control panel they dont work but if i click on the rear speakers in the control panel the sl and sr sound off. Do anyone know how i can fix this? So i would like to know why my sl and sr act like rears when they are not?
    2nd question? How do i control the volume from my keyboard or from windows period when using opt out i was able to do so with my on board? sound max audio using spidf? Now i can only control the audio using the sony receiver.
    Thank you for any help..

    /Re: Need a little Help with my new xfi titanium? ?
    ZDragon wrote:
    I'm unsure about the first question. Do you even have a 7. system and receiver? If you just have 5., you should be able to remap the audio in the THX console.
    I do have a sony 7. reciever str de-995 its an older one but its only for my cpu. At first i didnt even have THX installed because it didnt come with the driver package for some reason until i downloaded the daniel_k support drivers and installed it. But it doesnt help in anyway.
    I have checked every where regarding the first question and alot of people are having problems getting sound out of there rear channels and the sound being re-mapped to the surround right and the surround left as if there rear left and rear right.
    I read somewhere that the daniel_k support drivers would fix this but it didnt for me and many others.
    For the second question i assumed it would be becasue of the spidf pass through and that my onboard sound card was inferior to the xfi titaniums. But i wasnt sure and i was hopeing that someone would have a solution for that problem because i miss controlling the volume with my keyboard.

  • Need a little help with syncing my iPod.

    I got a new macbook pro for cristmas and a few cds. After i tried to sync my ipod to itunes i put a symbol next to each song that i got from other cds saying that they were downloading but they werent. Also the cds i downloaded to my ipod for the first time didnt appear at all. Need help.

    /Re: Need a little Help with my new xfi titanium? ?
    ZDragon wrote:
    I'm unsure about the first question. Do you even have a 7. system and receiver? If you just have 5., you should be able to remap the audio in the THX console.
    I do have a sony 7. reciever str de-995 its an older one but its only for my cpu. At first i didnt even have THX installed because it didnt come with the driver package for some reason until i downloaded the daniel_k support drivers and installed it. But it doesnt help in anyway.
    I have checked every where regarding the first question and alot of people are having problems getting sound out of there rear channels and the sound being re-mapped to the surround right and the surround left as if there rear left and rear right.
    I read somewhere that the daniel_k support drivers would fix this but it didnt for me and many others.
    For the second question i assumed it would be becasue of the spidf pass through and that my onboard sound card was inferior to the xfi titaniums. But i wasnt sure and i was hopeing that someone would have a solution for that problem because i miss controlling the volume with my keyboard.

  • I need advise and help with this problem . First , I have been with Mac for many years ( 14 to be exact ) I do have some knowledge and understanding of Apple product . At the present time I'm having lots of problems with the router so I was looking in to

    I need advise and help with this problem .
    First , I have been with Mac for many years ( 14 to be exact ) I do have some knowledge and understanding of Apple product .
    At the present time I'm having lots of problems with the router so I was looking in to some info , and come across one web site regarding : port forwarding , IP addresses .
    In my frustration , amongst lots of open web pages tutorials and other useless information , I come across innocent looking link and software to installed called Genieo , which suppose to help with any router .
    Software ask for permission to install , and about 30 % in , my instinct was telling me , there is something not right . I stop installation . Delete everything , look for any
    trace in Spotlight , Library . Nothing could be find .
    Now , every time I open Safari , Firefox or Chrome , it will open in my home page , but when I start looking for something in steed of Google page , there is
    ''search.genieo.com'' page acting like a Google . I try again to get raid of this but I can not find solution .
    With more research , again using genieo.com search eng. there is lots of articles and warnings . From that I learn do not use uninstall software , because doing this will install more things where it come from.
    I do have AppleCare support but its to late to phone them , so maybe there some people with knowledge , how to get this of my computer
    Any help is welcome , English is my learned language , you may notice this , so I'm not that quick with the respond

    Genieo definitely doesn't help with your router. It's just adware, and has no benefit to you at all. They scammed you so that they could display their ads on your computer.
    To remove it, see:
    http://www.thesafemac.com/arg-genieo/
    Do not use the Genieo uninstaller!

  • Need a little help with dial setup on CME

    I've got a CME I'm using for testing and I think I need a little help figuring out the proper config to get the system to accept numbers I dial and have those numbers be passed on to an Avaya system (including the leading 9 for ARS in Avaya) via H.323 IP trunks.   I have it working well for internal 5 digit extension calls across the H.323 trunks and I also have it working well for some types of outside calls that gets passed on to the Avaya and then the Avaya dials the call out to the PSTN.   My only real problem is, I can't figure out how to correctly configure CME to examine the digits I'm dialing and only send the digits once I'm finished dialing....not as soon as it sees an initial match.
    What's happening is this.  I can dial local numbers in my area as 7 digits or 10 digits.  The phone company doesn't yet force us to dial area code and number for local calls (10 digits).  I can still dial 7 digits.   But...if I put an entry in CME that looks like this....
    (by the way, the 192.168.1.1 IP is not the real IP address, that's just an example, but the rest of this entry is what I really have entered in CME)
    dial-peer voice 9 voip
    description Outside 7 Dig Local Calls Via Avaya
    destination-pattern 9.......
    session target ipv4:192.168.1.1
    dtmf-relay h245-alphanumeric
    no vad
    ...Then it will always try to dial out immediately after seeing the first 8 digits I dial (9 plus the 7 digit number I called)...even though I have a speicifc entry in the system that accounts for calls to 9 plus area code 513.  I would have assumed that if I put the specific entry in for 9513....... it would see that and wait to see if I was actually dialing something to match 9513....... instead of 9.......   Understand what I mean?   Because 9513....... is more specific than 9....... but it still tries to send the call out immediately after seeing the first 8 digits I dialed.
    dial-peer voice 9513 voip
    description Outside 10 Dig Local Calls Via Avaya
    destination-pattern 9513.......
    session target ipv4:192.168.1.1
    dtmf-relay h245-alphanumeric
    no vad
    ...BUT...here's the interesting thing.  If I trace the 10 digit call in Avaya, I see that the number being presented to the Avaya PBX is only the first 7 digits of the number....not the full 10 digits...BUT I see a few more of the digits I dialed (like the 8th and 9th digits) after the call is already setup and sent to the PSTN.  It's like the CME is trying to send the rest of the 10 digits I dialed, but at that point it's already too late.   It setup the call as a 7 digit call (9 plus 7 digits), not 10 digit like I wanted.
    I'm more familiar with how to setup dialing in the Avaya via ARS.  My background is Avaya, not Cisco, so this dial-peer config is a little difficult for me until I understand the reasoning of how it examines the numbers and what I should do to make it wait for me to finish dialing....or to tell the system that what I'm dialing will be a minimum or a certain amount of digits and maximum of a certain amount of digits, like the Avaya does.  I just need some pointers and examples to look at :-)   I think I've almost got it....but I'm just missing something at the moment.
    Just so you understand, the call flow should be like this:  Cisco phone registered to CME > CME to Avaya via H.323 trunks > Avaya to PSTN via ISDN PRI trunks connected to Avaya.  I have to be sure I send the 9 to the Avaya also, because 9 triggers ARS in the Avaya. 
    Thanks for your help

    Here is a good document that explains how dial-peers are matched in the Cisco world:
    http://www.cisco.com/en/US/tech/tk652/tk90/technologies_tech_note09186a008010fed1.shtml#topic7
    In your case, it is variable length dial plan you are trying to implenent. To fix it, you need to add a T to force the system to wait for more digits to be entered if there is any.
    dial-peer voice 9 voip
    description Outside 7 Dig Local Calls Via Avaya
    destination-pattern 9.......T
    session target ipv4:192.168.1.1
    dtmf-relay h245-alphanumeric
    no vad
    dial-peer voice 9513 voip
    description Outside 10 Dig Local Calls Via Avaya
    destination-pattern 9513.......
    session target ipv4:192.168.1.1
    dtmf-relay h245-alphanumeric
    no vad
    You can also configure the inter-digits timeout using the command timeouts interdigit under telephony-service.
    Please rate helpful answers!

  • Need a little help with Slimbox (Lightbox clone) and Spry data sets

    Hello guys!
    First of all let me say that I'm not a programmer in any way,
    shape or form, and somehow I managed to build me a dynamic
    thumbnail gallery that reads data from an XML file and displays it
    on my webpage using a Spry data set and a slider widget (yay!)
    This is of course only thanks to the many great examples
    provided by the Adobe Spry team, and me being stubborn enough to
    keep at it, even though I don't really understand what I'm doing :D
    But I got to this point where I have basically everything
    working, except that I can't get the Slimbox (Lightbox clone)
    script to work with the Spry-generated thumbnail gallery.
    From what I could understand from other threads on this
    forum, is that I need to add an observer somewhere, only that I'm
    not sure where and how (those threads are pretty old and the
    examples aren't available anymore).
    I'm sure you guys know what I'm talking about, anyway, here's
    what I got so far:
    http://www.riotdesign.com.ar/misc/gallery/test1.html
    I have the thumbnail gallery populated from the external XML
    file, a basic page navigation using the Sliding Panels widget, and
    the Slimbox script which works only on the static test image.
    Okay I guess that's it for now, sorry for the long post and
    of course any help with this will be GREATLY appreciated :)
    Thanks & bye!

    Kev,
    Where exactly does the .evalScripts = true; text need to go?
    Does it go in the href call?
    <a href="ManageNotes.asp" title="Manage Notes" onClick="this.blur();
    Modalbox.show(this.href, {title: 'Manage Notes', width: 575}); return false;">View your notes.</a>
    Thanks for any assistance.
    J Bishop

  • Can anyone help with this code

    i am trying to create a html5 video gallery for my website  I was wondering if anyone can help me with this code :  Am i missing something got this from the adobe widget browser i can get the button fuctions but i can not seem to get the video to play or work.. 

    This is the full page i am still working on it but the video code which i posted earlier is not working...    
    123456789101112131415
    Home
    Biography
    To Be Lead
    Gallery
    Videos
    Memorial Page
    Wallpaper
    Blog
    Forum
    Contact
    Randy Savage Bio
    Randy's Facts 101
    His Early Career
    Randy's Career in the WWF
    Randy's Career in WCW
    The Mega Powers  
    Mega powers Bio Mega Powers Facts 101 
    PM to fans and Elizabeth
    Randy's Radio interview
    His Death
    Elizabeth Hulette 
    Elizabeth Bio Elizabeth Facts 101 Her Career in the WWF Her Career in WCW Later Life Farewell to a Princess Elizabeth's Radio Interview Elizabeth Death 
    Sherri Martel
    Gorgeous George
    Team Madness
    Early Years
    ICW Gallery
    WWF Gallery
    WCW Gallery
    NWO Gallery
    Memorial Page for Randy
    Memorial Page for Elizabeth
                          Video of the Month    
    Site Disclaimer
    Macho-madness is in no way in contact with World Wrestling Entertainment. All photos are copyright to World Wrestling Entertainment or their respective owners and is being used under the fair copyright of Law 107.
    ©macho-madness.net All right's Reserved.  
            Affiliates
    Want to be an affiliate, elite, or partner site? Email: [email protected] with the list of things below.
    Place in the subject of email: “Randy Savage Online Affiliation”.
    Name: 
    Email: 
    Site Name: 
    Site URL: 
    When Will The Site Be Added?:
                        To see A List Click Here...
    ©macho-madness.net All right's Reserved.  
    Offical Links

  • Please I need a Little Help with xmlloader

    Hello pretty people,
    Could someone help me with this code?
    I have an xmlloader Class, which load an xml file.
    This is the code...when I trace the xml, it load with any problem but when
    I want that load it, nothing happen, and there is no throw an error too.
    Would you please tell me why nothin happen? I am using the main time.
    Thanks in advance for some help.
    Regards
    Joselyn
    import flash.events.Event;
    import com.greensock.TweenLite;
    import com.greensock.easing.Back;
    // XML LISTS //
    // ========= //
    var projectTitle:XMLList;
    var projectImage:XMLList;
    var projectInfo:XMLList;
    var projectContent:XMLList;
    var projectClient:XMLList;
    var projectMedia:XMLList;
    var projectTechnology:XMLList;
    var projectLink:XMLList;
    var newsTitle:XMLList;
    var newsInfo:XMLList;
    var newsContent:XMLList;
    var newsTitleArray:Array;
    var newsInfoArray:Array;
    var newsContentArray:Array;
    // number of items
    var projectsNum:Number;
    var newsNum:Number;
    // LOAD XML //
    // ======== //
    var xml:XMLLoader = new XMLLoader(this,"data.xml");
    // function called when XML is loaded
    function getXML(xmlData:XML):void {
    // STORING RELEVANT DATA INTO LISTS FOR LATER ACCESS //
    projectTitle = xmlData.projects.project.title;
    projectImage = xmlData.projects.project.image_path;
    projectInfo = xmlData.projects.project.info;
    projectContent = xmlData.projects.project.content;
    projectClient = xmlData.projects.project.client;
    projectMedia = xmlData.projects.project.media;
    projectTechnology = xmlData.projects.project.technology;
    projectLink = xmlData.projects.project.link;
    newsTitle = xmlData.news.article.title;
    newsInfo = xmlData.news.article.info;
    newsContent = xmlData.news.article.content;
    projectsNum = projectTitle.length();
    newsNum = newsTitle.length();
    trace(projectInfo);
    newsTitleArray = xmlData.news.article.title.text().toXMLString().split("\n") ;
    newsTitleArray.reverse();
    newsInfoArray = xmlData.news.article.info.text().toXMLString().split("\n") ;
    newsInfoArray.reverse();
    newsContentArray = xmlData.news.article.content.text().toXMLString().split("\n") ;
    newsContentArray.reverse();
    //this is one part of the complete cody
    //CONTAINER FOR SCROLLING
    var panelContainer:Sprite = new Sprite();
    addChild(panelContainer);
    //ARRAY FOR REMOVING AND ADDING LISTENERS
    var panelArray:Array = new Array();
    var MT:MovieClip = new MovieClip(); //before I declare this variable to load the xml, was the problem//
    //ADDING PROJECTPANEL IN A LOOP
    for (var i:Number=0; i<MT.projectsNum; i++){
        var projectPanel:ProjectPanel = new ProjectPanel();
        //INSERT XML CONTENT
        projectPanel.title.text = MT.projectTitle[i];
        projectPanel.info.text = MT.projectInfo[i];
        projectPanel.content.text = MT.projectContent[i].substr(0,150)+"...Ver mas";
        projectPanel.loadImage(MT.projectImage[i]);
        projectPanel.x = i*(projectPanel.width+5);
        panelContainer.addChild(projectPanel);
        panelArray.push(projectPanel);
        //listener for click on ProjectPanel
        projectPanel.addEventListener(MouseEvent.CLICK, onClick); 
    function onClick(evt:MouseEvent):void{
    for(var i:Number = 0; i<MT.projectsNum; i++){
      panelContainer[i].removeEventListener(MouseEvent.CLICK, onClick);
    removeChild(panelContainer);
    TweenLite.to(panelContainer, 0.5, {y:stage.stageHeight, ease:Back.easeIn});
    this.addFullPanel();
    removeListeners();
    function removeListeners():void{
    for(var i:Number = 0; i<MT.projectsNum; i++) {
      panelContainer[i].removeEventListener(MouseEvent.CLICK, onClick);
    function addListeners():void{
    for(var i:Number = 0; i<MT.projectsNum; i++) {
      panelContainer[i].addEventListener(MouseEvent.CLICK, onClick);
    function slideUp():void{
    TweenLite.to(panelContainer, 0.5, {y:0, ease:Back.easeOut});
    stage.addEventListener(MouseEvent.MOUSE_MOVE, onMove);
    function onMove(evt:MouseEvent):void {
    //trace(mouseX);
    if(fullProjectPanelUp==false){
      TweenLite.to(panelContainer, 0.3, { x:-(stage.mouseX/800)*panelContainer.width+stage.stageWidth/2});
      //tweenPanelContainer = new Tween(panelContainer, "alpha", Strong.easeOut, 0, 1, 3, true);

    Hello Kglad:
    Thank you I copy and paste the complete code
    I wanted to add that I am using URLLoader class is to send you to the previous comment.
    Regards
    Joselyn
    // XML LISTS //
    // ========= //
    var projectTitle:XMLList;
    var projectImage:XMLList;
    var projectInfo:XMLList;
    var projectContent:XMLList;
    var projectClient:XMLList;
    var projectMedia:XMLList;
    var projectTechnology:XMLList;
    var projectLink:XMLList;
    var newsTitle:XMLList;
    var newsInfo:XMLList;
    var newsContent:XMLList;
    var newsTitleArray:Array;
    var newsInfoArray:Array;
    var newsContentArray:Array;
    // NUMS ITEMS
    var projectsNum:Number;
    var newsNum:Number;
    // LOAD XML //
    // ======== //
    var xml:XMLLoader = new XMLLoader(this,"data.xml");
    // function called when XML is loaded
    function getXML(xmlData:XML):void {
    // STORING RELEVANT DATA INTO LISTS FOR LATER ACCESS //
    projectTitle = xmlData.projects.project.title;
    projectImage = xmlData.projects.project.image_path;
    projectInfo = xmlData.projects.project.info;
    projectContent = xmlData.projects.project.content;
    projectClient = xmlData.projects.project.client;
    projectMedia = xmlData.projects.project.media;
    projectTechnology = xmlData.projects.project.technology;
    projectLink = xmlData.projects.project.link;
    newsTitle = xmlData.news.article.title;
    newsInfo = xmlData.news.article.info;
    newsContent = xmlData.news.article.content;
    projectsNum = projectTitle.length();
    newsNum = newsTitle.length();
    trace(xmlData);
            newsTitleArray = xmlData.news.article.title.text().toXMLString().split("\n") ;
    newsTitleArray.reverse();
    newsInfoArray = xmlData.news.article.info.text().toXMLString().split("\n") ;
    newsInfoArray.reverse();
    newsContentArray = xmlData.news.article.content.text().toXMLString().split("\n") ;
    newsContentArray.reverse();
    useXML();
    //////////////PROJECT PANEL //////////
    import flash.events.Event;
    import com.greensock.TweenLite;
    import com.greensock.easing.Back;
    //CONTAINER FOR SCROLLING
    var panelContainer:Sprite = new Sprite();
    addChild(panelContainer);
    //ARRAY FOR REMOVING AND ADDING LISTENERS
    var panelArray:Array = new Array();
    var MT:MovieClip = new MovieClip();
    function useXML():void {
    //trace(MT.projectsNum);
    for (var i:Number=0; i<MT.projectsNum; i++){
      var projectPanel:ProjectPanel = new ProjectPanel();
      //INSERT XML CONTENT
      //trace(i);
      trace(MT.projectTitle[i]);
            projectPanel.title.text = MT.projectTitle[i];
            projectPanel.info.text = MT.projectInfo[i];
            projectPanel.content.text = MT.projectContent[i].substr(0,150)+"...Ver mas";
            projectPanel.loadImage(MT.projectImage[i]);
            projectPanel.x = i*(projectPanel.width+5);
      panelContainer.addChild(projectPanel);
      panelArray.push(projectPanel);
      //listener for click on ProjectPanel
      projectPanel.addEventListener(MouseEvent.CLICK, onClick);
    function onClick(evt:MouseEvent):void{
    for(var i:Number = 0; i<MT.projectsNum; i++){
      panelArray[i].removeEventListener(MouseEvent.CLICK, onClick);
    TweenLite.to(panelContainer, 0.5, {y:stage.stageHeight, ease:Back.easeIn});
    this.addFullPanel(Number(evt.currentTarget.name));
    removeListeners();
    function removeListeners():void{
    for(var i:Number = 0; i<MT.projectsNum; i++) {
      panelArray[i].removeEventListener(MouseEvent.CLICK, onClick);
    function addListeners():void{
    for(var i:Number = 0; i<MT.projectsNum; i++) {
      panelContainer[i].addEventListener(MouseEvent.CLICK, onClick);
    function slideUp():void{
    TweenLite.to(panelContainer, 0.5, {y:0, ease:Back.easeOut});
    stage.addEventListener(MouseEvent.MOUSE_MOVE, onMove);
    function onMove(evt:MouseEvent):void {
    //trace(mouseX);
    if(fullProjectPanelUp==false){
      TweenLite.to(panelContainer, 0.3, { x:-(stage.mouseX/800)*panelContainer.width+stage.stageWidth/2});
    //////////FULLPROJECTPANEL ////////////////////////
    import com.greensock.TweenLite;
    var fullProjectPanelUp:Boolean = false;
    var fullProjectPanel:FullProjectPanel;
    function addFullPanel(k:Number): void {
            fullProjectPanel = new FullProjectPanel;
            fullProjectPanel.title.text = projectTitle[k];
            fullProjectPanel.Info.text = projectInfo[k];
            fullProjectPanel.Content.text = projectContent[k];
            fullProjectPanel.Client.text = projectClient[k];
            fullProjectPanel.Media.text = projectMedia[k];
            fullProjectPanel.technology.text = projectTechnology[k];
            fullProjectPanel.link.text = projectLink[k];
            fullProjectPanel.loadImage(projectImage[k]);
            TweenLite.from(fullProjectPanel, 0.6, {alpha:0, delay:0.5});
    addChild(fullProjectPanel);
            fullProjectPanelUp=true;
            fullProjectPanel.closePanel.addEventListener(MouseEvent.CLICK, onCloseClick);
    fullProjectPanel.closePanel.buttonMode = true;
    function onCloseClick(evt:MouseEvent):void {
        slideUp();
        removeChild(fullProjectPanel);
        TweenLite.delayedCall(0.4, upFalse);
    function upFalse():void {
    fullProjectPanelUp = false;
    THIS CODE INSIDE ProjectPanel MOVIE CLIP
    title.mouseEnabled = false;
    info.mouseEnabled = false;
    content.mouseEnabled = false;
    this.buttonMode = true;
    var _progress:ProgressBar = new ProgressBar;
    _progress.x = 80;
    _progress.y = 80;
    _probress.alpha = 0.7;
    addChild(_progress);
    function loadImage(imagePath:String):void {
       var loader:Loader = new Loader();
       configureListener(loader.contentLoaderInfo);
       var url:String = imagePath;
       var urlRequest:URLRequest = new URLRequest(url);
       loader.x = 9;
       loader.y = 9;
       loader.load((urlRequest);
       addChild(loader);
    function configureListeners(dispatcher:IEventDispatcher):void {
       dispatcher.addEventListener(Event.COMPLETE, completeHandler);
       dispatcher.addEventListener(ProgressEvent.PROGRESS, progresHandler);
    function completeHandler(evt:Event):void {
       _progress.visible = false;
    function progressHandler(evt:ProgressEvent):void {
       _progress._progress.x = -_progress._progress.width+((evt.bytesLoaded/evt.bytesTotal)*_progress._progress.width);

  • Noob needs help with this code...

    Hi,
    I found this code in a nice tutorial and I wanna make slight
    adjustments to the code.
    Unfortunately my Action Script skills are very limited... ;)
    This is the code for a 'sliding menue', depending on which
    button u pressed it will 'slide' to the appropriate picture.
    Here's the code:
    var currentPosition:Number = large_pics.pic1._x;
    var startFlag:Boolean = false;
    menuSlide = function (input:MovieClip) {
    if (startFlag == false) {
    startFlag = true;
    var finalDestination:Number = input._x;
    var distanceMoved:Number = 0;
    var distanceToMove:Number =
    Math.abs(finalDestination-currentPosition);
    var finalSpeed:Number = .2;
    var currentSpeed:Number = 0;
    var dir:Number = 1;
    if (currentPosition<=finalDestination) {
    dir = -1;
    } else if (currentPosition>finalDestination) {
    dir = 1;
    this.onEnterFrame = function() {
    currentSpeed =
    Math.round((distanceToMove-distanceMoved+1)*finalSpeed);
    distanceMoved += currentSpeed;
    large_pics._x += dir*currentSpeed;
    if (Math.abs(distanceMoved-distanceToMove)<=1) {
    large_pics._x =
    mask_pics._x-currentPosition+dir*distanceToMove;
    currentPosition = input._x;
    startFlag = false;
    delete this.onEnterFrame;
    b1.onRelease = function() {
    menuSlide(large_pics.pic1);
    b2.onRelease = function() {
    menuSlide(large_pics.pic2);
    b3.onRelease = function() {
    menuSlide(large_pics.pic3);
    b4.onRelease = function() {
    menuSlide(large_pics.pic4);
    I need to adjust five things in this code...
    (1) I want this menue to slide vertically not horizontally.
    I changed the 'x' values in the code to 'y' which I thought
    would make it move vertically, but it doesn't work...
    (2) Is it possible that, whatever the distance is, the
    "sliding" time is always 2.2 sec ?
    (3) I need to implement code that after the final position is
    reached, the timeline jumps to a certain movieclip to a certain
    label - depending on what button was pressed of course...
    I tried to implement this code for button number two...
    b2.onRelease = function() {
    menuSlide(large_pics.pic2);
    if (currentPosition = finalDestination) {
    this.large_pics.pic2.gotoAndPlay("s1");
    --> sliding still works but it doesn't jump to the
    appropriate label...
    (4) I wanna add 'Next' & 'Previous' buttons to the slide
    show - what would be the code in this case scenario ?
    My first thought was something like that Flash checks which
    'pic' movieclip it is showing right now (pic1, pic2, pic3 etc.) and
    depending on what button u pressed u go to the y value of movieclip
    'picX + 1' (Next button) or 'picX - 1' (Previous button)...
    Is that possible ?
    (5) After implementing the Next & Previous buttons I need
    to make sure that when it reached the last pic movieclip it will
    not go further on the y value - because there is no more pic
    movieclip.
    Options are to either slide back to movieclip 'pic1' or
    simply do nothing any more on the next button...
    I know this is probably Kindergarten for you, but I have only
    slight ideas how to do this and no code knowledge to back it up...
    haha
    Thanx a lot for your help in advance !
    Always a pleasure to learn from u guys... ;)
    Mike

    Hi,
    I made some progress with the code thanx to the help of
    Simon, but there are still 2 things that need to be addressed...
    (1) I want the sliding time always to be 2.2 sec...
    here's my approach to it - just a theory but it might work:
    we need a speed that changes dynamically depending on the
    distance we have to travel...
    I don't know if that applies for Action Scrip but I recall
    from 6th grade, that...
    speed = distance / time
    --> we got the time (which is always 2.2 sec)
    --> we got the disctance
    (currentposition-finaldestination)
    --> this should automatically change the speed to the
    appropriate value
    Unfortunately I have no clue how the action script would look
    like (like I said my action script skills are very limited)...
    (2) Also, one other thing I need that is not implemented yet,
    is that when the final destination is reached it jumps to a certain
    label inside a certain movieclip - every time different for each
    button pressed - something like:
    if (currentPosition = finalDestination) {
    this.large_pics.pic2.gotoAndPlay("s1");
    that statement just doesn't work when I put it right under
    the function for each button...
    Thanx again for taking the time !!!
    Mike

Maybe you are looking for

  • Java and pogo problems

    Java update does not installcorrectly on my mac and chat is intermittent in all games Cannot play crosswords because no letters type in squares. Can anyone help with this issue?

  • Can not add buddy

    ok let me explain this again.. I am not able to add buddy, I get into Ichat, click on the buddy tab that drops down several options (add buddy, change my picture, invite buddy to chat etc..) everything on this pull down menu is in light grey except .

  • Dock keeps disappearing

    My dock disappears and I have to go to the Apple icon and turn dock hiding on and then turn if off again for it to reappear. When it disappears, it is not "hiding" as I cannot access it unless I turn hiding on and then off or access applications/dock

  • Écriture dans une base de données Access

    Bonjour, J'utilise labview 8.5 avec le Toolkit NI LabVIEW Database Connectivity, et comme base de données Access 2007. Ma base de données est déjà créer, et je doit lui envoyer différentes données. J'ai créer un simple vi pour écrire une chaîne dans

  • Gap in "gapless" track when "repeat one" in use

    I have some short tracks meant to be played on an infinite loop -- babbling brook sound and such. As you can imagine, though these sound fine when played in a truly seamless loop, if there's even a small gap when the track repeats, they sound horribl