Sprite won't respond to custom event

I've got an app where numerous Sprite objects are being placed on the stage, and then when an event occurs (mouse click most likely) I want all the Sprites to move, independently, based upon an algorithm that each Sprite has.  I can't get the Sprite objects to respond to the event; I get no errors, it's just that the right thing isn't happening, see my comments below in red.
Thanks!
Here's my Event class:
package {
        import flash.events.Event;
            public class MyCustomEvent extends flash.events.Event {
                public static const CONTROL_TYPE:String = "moveThem";
                public function MyCustomEvent( type:String, bubbles:Boolean = false, cancelable:Boolean = false ) {
                    super(type, bubbles, cancelable);
Here's  my main:
import MyCustomEvent;
import flash.events.EventDispatcher;
import flash.events.Event;
import flash.display.Sprite;
var arr:Array = new Array();
for (var i:int = 0; i < 10; i++) {
    var c:Sprite = new Sprite();
    c.addEventListener(MyCustomEvent.CONTROL_TYPE, doSomething);
    c.graphics.beginFill(Math.random() * 0xffffff);
    var myX:int = Math.random() * 500;
    var myY:int = Math.random() * 500;
    c.graphics.drawCircle(myX, myY, 5);
    addChild(c);
    arr.push(c);
function doSomething(e:Event):void {
    trace("Sprite heard event");  // this does NOT occur
addEventListener(MouseEvent.CLICK, mouseClick);
function mouseClick(e:Event):void {
    trace("click"); // this occurs
    dispatchEvent(new MyCustomEvent(MyCustomEvent.CONTROL_TYPE));

Is it that you are writing your main codse on timeline?
I don't see a main class there...
Also,
If you are just calling code on maintimeline then the event won't be dispatched relative to the sprite
see below:
import MyCustomEvent;
import flash.events.EventDispatcher;
import flash.events.Event;
import flash.display.Sprite;
var arr:Array = new Array();
for (var i:int = 0; i < 10; i++) {
    var c:Sprite = new Sprite();
    c.addEventListener(MyCustomEvent.CONTROL_TYPE, doSomething);
    //Added listener to Sprite object c
    c.graphics.beginFill(Math.random() * 0xffffff);
    var myX:int = Math.random() * 500;
    var myY:int = Math.random() * 500;
    c.graphics.drawCircle(myX, myY, 5);
    addChild(c);
    arr.push(c);
function doSomething(e:Event):void {
    trace("Sprite heard event");  // this does NOT occur
addEventListener(MouseEvent.CLICK, mouseClick);
function mouseClick(e:Event):void {
    trace("click"); // this occurs
    dispatchEvent(new MyCustomEvent(MyCustomEvent.CONTROL_TYPE));
/*the line above is called as this.dispatchEvent(new MyCustomEvent(MyCustomEvent.CONTROL_TYPE));
    and here this refers to main time line rather than c. It should be called like
c.dispatchEvent(new MyCustomEvent(MyCustomEvent.CONTROL_TYPE));
You should somehow dispatch the event with relation to the same Sprite which was created earlier. What you are looking for can be done as below in your case:
for(var i = 0; i<arr.length; i++)
     arr[i].dispatchEvent(new MyCustomEvent(MyCustomEvent.CONTROL_TYPE));

Similar Messages

  • Implementing Custom Event - non-static referencing in static context error

    Hi,
    I'm implementing a custom event, and I have problems adding my custom listeners to objects. I can't compile because I'm referencing a non-static method (my custom addListener method ) from a static context (a JFrame which contains static main).
    However, the same error occurs even if I try to add the custom listener to another class without the main function.
    Q1. Is the way I'm adding the listener wrong? Is there a way to resolve the non-static referencing error?
    Q2. From the examples online, I don't see people adding the Class name in front of addListener.
    Refering to the code below, if I remove "Data." in front of addDataUpdatelistener, I get the error:
    cannot resolve symbol method addDataUpdateListener (<anonymous DataUpdateListener>)
    I'm wondering if this is where the error is coming from.
    Below is a simplified version of my code. Thanks in advance!
    Cindy
    //dividers indicate contents are in separate source files
    //DataUpdateEvent Class
    public class DataUpdateEvent extends java.util.EventObject
         public DataUpdateEvent(Object eventSource)
              super(eventSource);
    //DataUpdateListener Interface
    public interface DataUpdateListener extends java.util.EventListener
      public void dataUpdateOccured(DataUpdateEvent event);
    //Data Class: contains data which is updated periodically. Needs to notify Display frame.
    class Data
    //do something to data
    //fire an event to notify listeners data has changed
    fireEvent(new DataUpdateEvent(this));
      private void fireEvent(DataUpdateEvent event)
           // Make a copy of the list and use this list to fire events.
           // This way listeners can be added and removed to and from
           // the original list in response to this event.
           Vector list;
           synchronized(this)
                list = (Vector)listeners.clone();
           for (int i=0; i < list.size(); i++)
                // Get the next listener and cast the object to right listener type.
               DataUpdateListener listener = (DataUpdateListener) list.elementAt(i);
               // Make a call to the method implemented by the listeners
                  // and defined in the listener interface object.
                  listener.dataUpdateOccured(event);
               System.out.println("event fired");
    public synchronized void addDataUpdateListener(DataUpdateListener listener)
         listeners.addElement(listener);
      public synchronized void removeDataUpdateListener(DataUpdateListener listener)
         listeners.removeElement(listener);
    //Display Class: creates a JFrame to display data
    public class Display extends javax.swing.JFrame
         public static void main(String args[])
              //display frame
              new Display().show();
         public Display()
         //ERROR OCCURS HERE:
         // Non-static method addDataUpdateListener (DataUpdateListener) cannot be referenced from a static context
         Data.addDataUpdateListener(new DataUpdateListener()
             public void dataUpdateOccured(DataUpdateEvent e)
                 System.out.println("Event Received!");
    //-----------------------------------------------------------

    Calling
        Data.someMethodName()is referencing a method in the Data class whose signature includes the 'static' modifier and
    might look something like this:
    class Data
        static void someMethodName() {}What you want is to add the listener to an instance of the Data class. It's just like adding
    an ActionListener to a JButton:
        JButton.addActionListener(new ActionListener()    // won't work
        JButton button = new JButton("button");           // instance of JButton
        button.addActionListener(new ActionListener()     // okay
    import java.awt.*;
    import java.awt.event.*;
    import java.util.Vector;
    import javax.swing.*;
    public class EventTest extends JFrame
        Data data;
        JLabel label;
        public EventTest()
            label = getLabel();
            data = new Data();
            // add listener to instance ('data') of Data
            data.addDataUpdateListener(new DataUpdateListener()
                public void dataUpdateOccured(DataUpdateEvent e)
                    System.out.println("Event Received!");
                    label.setText("count = " + e.getValue());
            getContentPane().add(label, "South");
            setDefaultCloseOperation(EXIT_ON_CLOSE);
            setSize(300,200);
            setLocation(200,200);
            setVisible(true);
        private JLabel getLabel()
            label = new JLabel("  ", JLabel.CENTER);
            Dimension d = label.getPreferredSize();
            d.height = 25;
            label.setPreferredSize(d);
            return label;
        public static void main(String[] args)
            new EventTest();
    * DataUpdateEvent Class
    class DataUpdateEvent extends java.util.EventObject
        int value;
        public DataUpdateEvent(Object eventSource, int value)
            super(eventSource);
            this.value = value;
        public int getValue()
            return value;
    * DataUpdateListener Interface
    interface DataUpdateListener extends java.util.EventListener
        public void dataUpdateOccured(DataUpdateEvent event);
    * Data Class: contains data which is updated periodically.
    * Needs to notify Display frame.
    class Data
        Vector listeners;
        int count;
        public Data()
            listeners = new Vector();
            count = 0;
            new Thread(runner).start();
        private void increaseCount()
            count++;
            fireEvent(new DataUpdateEvent(this, count));
        private void fireEvent(DataUpdateEvent event)
            // Make a copy of the list and use this list to fire events.
            // This way listeners can be added and removed to and from
            // the original list in response to this event.
            Vector list;
            synchronized(this)
                list = (Vector)listeners.clone();
            for (int i=0; i < list.size(); i++)
                // Get the next listener and cast the object to right listener type.
                DataUpdateListener listener = (DataUpdateListener) list.elementAt(i);
                // Make a call to the method implemented by the listeners
                // and defined in the listener interface object.
                listener.dataUpdateOccured(event);
            System.out.println("event fired");
        public synchronized void addDataUpdateListener(DataUpdateListener listener)
            listeners.addElement(listener);
        public synchronized void removeDataUpdateListener(DataUpdateListener listener)
            listeners.removeElement(listener);
        private Runnable runner = new Runnable()
            public void run()
                boolean runit = true;
                while(runit)
                    increaseCount();
                    try
                        Thread.sleep(1000);
                    catch(InterruptedException ie)
                        System.err.println("interrupt: " + ie.getMessage());
                    if(count > 100)
                        runit = false;
    }

  • Eventhandlers of children of application can not receive custom event dispatched by application

    Hello dear Adobe community,
    hope you can help me with this issue.
    When the application dispatches a custom event, the child uicomponent can only receive the event by using Application.application.addEventListener or systemManager.addEventListener. Simply adding a listener, without application or systemmanager, does not allow the event to be received by the child component.
    I want to be able to use the addEventListener and removeEventListener without SystemManager or Application.application, or could you provide a better workaround? How can I use the addEventListener, do I need to overwrite EventDispatcher, which I wouldnt like to do?
    Just to clarifiy, if i remove the systemManager in front of addEventListener(CustomEventOne.EventOne,sysManHandleCE,false) it will not add it and will not fire. 
    The code below is an example for this problem that the event is not getting fired in the right moment. The mainapplication got only a button with the customEventOne that gets dispatched.
    public
    class MyCanvas extends Canvas{
    public function MyCanvas()
    super();
    width=300;
    height=300;
    addEventListener(FlexEvent.CREATION_COMPLETE,handleCC,false,0,true);
    private function handleCC(event:FlexEvent):void
    removeEventListener(FlexEvent.CREATION_COMPLETE,handleCC);
    addEventListener(CustomEventOne.EventOne,handleCE,false,0,true);
    addEventListener(Event.REMOVED_FROM_STAGE,handleEvt,false,0,true);
    systemManager.addeventListener(CustomEventOne.eventOne,sysManHandleCE,false,0,true);
    private function handleEvt(event:Event):void
    trace("In removed from stage handler");
    systemManager.removeEventListener(CustomEventOne.EventOne,sysManHandleCE);
    trace(hasEventListener(FlexEvent.CREATION_COMPLETE));
    trace(hasEventListener(CustomEventOne.EventOne));
    trace(hasEventListener(Event.REMOVED_FROM_STAGE));
    private function handleCE(event:CustomEventOne):void
    trace("I got it");
    private function sysManHandleCE(event:CustomEventOne):void
    trace("I got it");
    public class CustomEventOne extends Event
    public static const EventOne:String = "EventOne";
    public function CustomEventOne(type:String, bubbles:Boolean=false, cancelable:Boolean=false)
    super(type, bubbles, cancelable);
    override public functionclone():Event
    return newCustomEventOne(type,bubbles,cancelable);
    Thank you in advance,
    Michael

    I think you need to look at event propogation. The object that dispatches an event will be sitting on the display tree. The event propagates up the tree to the roots. Your canvas should be attached to the application, but even then it sits lower in the tree branches than the event dispatcher, so it won't see the event being dispatched because the event is not propagated to the children of the object that dispatches it but to the parent of the object that dispatches it.
    So, your canvas is a child of the application, but dispatching the event from the application means that the canvas doesn't see it because events are notified up the tree using the parent link, not the child links.
    You may wish to investigate how the display list and event propagation works and then the MVC pattern.
    Paul

  • Custom Event Issue

    Hope you flex geniuses can help me on this one....
    the issue: an action script custom event is being dispatched
    by one object but is not being "heard" by it's parent despite the
    fact that a) the child object uses the [event] declaration in it's
    class definition, b) the event is being correctly dispatched, and
    c) the parent object uses an addEventListener method to listen for
    the event.
    the layout:
    includes an application component (mxml) that has as it's
    only direct child an action script custom component called
    FloorPlan. On creationComplete the floor plan object instantiates
    an action script class called Booth as many times as is required
    (based on the number of booths that needs to be displayed on the
    floor plan) and then adds the instances to itself via addChild()
    method. The booth objects are based on Sprite class and so they
    have click events, etc. When one of the booth instances is clicked,
    the click event of the booth instance fires and the handler creates
    an instance of the ShowCompanyProfileEvent (action script class
    based on the Event class) and then dispatches it. The
    ShowCompanyProfileEvent event handler for now should just open an
    Alert box.
    I know the code works within the Booth class because when I
    register an event listener in the booth class itself and then click
    on a booth, the listener "hears" the dispatched event and opens the
    Alert box.
    The problem is that The floor plan instance has a registered
    event listener to listen for the dispatched custom event also but
    nothing happens when I click a booth instance (which like I said
    should dispatch the custom event). I deleted the addEventListener
    code in the booth class thinking that maybe it was catching it
    first but still it wouldn't work.
    Any ideas? I have reallysearched and searched to no avail. As
    I mentioned, I get no errors at all when I compile and run the
    code. I just don't get the expected results.

    LensterRAD, don't know if I got the hole idea but I guess you
    are listening to the ShowCompanyProfileEvent directly on the
    FloorPlan, something like:
    FloorPlan.addEventListener(ShowCompanyProfileEvent,
    someFunction);
    if this is the case, you'll probably need to add the BUBBLE
    parameter to the event, so it will follow the hole event
    propagation model.
    something like: dispatchEvent(ShowCompanyProfileEvent,
    true);

  • SlideShowpro, custom event, cursor doesn't change in hand

    I using the SSP component, and I scripted a custom event for clicking on loaded images to go to the next image.
    This is working very fine except for that the hand-cursor won't show up on roll-over on the image.
    I'd like this to happen, but dont't know how to.
    This is ths scrip I use now:
    listenerObject = new Object();
    listenerObject.onImageClick = function(eventObject):Void {
       my_ssp.nextImage();
    my_ssp.addEventListener("onImageClick", listenerObject);
    I tried to add this, but with no succes (mayby on the wrong place?)
    my_ssp.useHandCursor = true;

    You need to have the invisible button take over the role that your listener played, getting rid of the listener.
    invisibleBtn.onRelease = function(){
         my_ssp.nextImage();

  • Regarding custom events

    I got some difficulties using custom event listeners.
    What I would like to achieve is pretty simple. With a bunch
    of movable fruits, when dragging one of them(this becomes the
    'active' object) to collide with others(these are the 'inactive
    objects'), I need Flash to tell me who is colliding whom.
    So I setup the Fruit Class, with the ability to dispatch and
    listen the custom event: "EXECUTE_HITTEST". For me the code looks
    good, but there's must be something wrong...
    The full .fla & .as files can be downloaded
    here, and you can
    preview
    the
    snapshot here.
    Thanks in advance.
    It's in the .zip file as well but for your convenience I just
    put the Fruit Class here:
    ================================================================

    your event (and everything else in your class) is specific to
    class instances. no two instances can communicate with each other
    directly.
    you can create another class that contains references to them
    all, but that won't get you any further than using each instance to
    get to the root timeline which then allows access to the others.
    there are several strategies for increasing efficiency of
    hitTests. i like to use a grid.
    imagine the stage divided into a grid. if your objects are
    not changing position with time t, you have an easy task. if they
    change position with time, you'll have more work to do.
    but for each time t, each grid contains a list of objects
    within it. for each time t, each object has a property referencing
    the grid within which it's contained.
    when you want to perform a hittest for a particular object,
    check its grid. then execute a hittest against all objects in that
    grid and the eight (assuming rectangular shaped) surrounding grids.
    there are several strategies for picking a grid size. but, in
    general, you don't want grids to be so small that when you check
    for collisions, you have to check beyond the surrounding 8 plus the
    center grid.

  • The App Called Line Won't Respond Sometimes.

    Hello,
    I downloaded from the play store the app called Line. Its a chat app. But sometimes out of nowhere it freezes get black and a pop up say "the application won't respond shut the application now"?. Then i click OK, and it will close. After that i can open it normal and works again.
    Any idea why this happens? I reinstalled it, and restarted my phone several times...but still getting this one time per day...
    Solved!
    Go to Solution.

    I have sent an email to them, they replied me back but i think this is a automatic message. I could figure this out myself too...i am dissapointed though...
    If an application won't respond can this damage the inside of the phone or damage the processor? I really need this app...
    First my message and second the one replied back to me:
    I have downloaded the latest version of Line on my new Sony Xperia Z1. Many times each day i get a crash. When opening the app it will freeze and turn into black. A pop up appears saying the application won't respond. Then i need to click OK to shut the application down. I tried reinstalling it and deleting caches but this didn't help.Can this please be fixed?
    Dear Valued Customer,
    Thank you for contacting LINE Customer Support.
    We are very sorry for the inconvenience caused.
    If the problem still continues, we ask you to try the following solutions and steps.
    1. Please update your application via the URL below:
    https://play.google.com/store/apps/details?id=jp.naver.line.android
    2. Please update your Android OS to the latest version.
    3. Please reboot your device.
    4. Please update your device software.
    If you are having trouble with the above steps, please consult your mobile phone carrier or your device manufacturer.
    We hope this helps.
    Thank you for using our services, and please let us know if you need any additional assistance.

  • Terminate a customized event

    Hi, I have a workflow that stalled at a throw customized event. I tried to 'retry' the event but it still stalled. I tried to terminate the stalled event but it cannot be terminated. The status is still as 'Stalled'. How to terminate a stalled event?
    The stalled event is due to some outofmemory problem? Any ideas what could be the cause? Thanks...

    Johnny_hunter wrote:
    hello all:
    My project reads resultset from a database table, and in a while loop I put the records into a cache one by one. I registered a listener with the cache, and when an insert event occurs, the listener#entryInserted logs the record info into a log file. All works fine.
    Now at the end of the while loop, I want to post(or send, or fire) a customized event (including info such as total count) to the listener telling it, "that's it!" and the listener should respond accordingly.
    Can we do it using coherence APIs? If yes, how?
    Thanks,
    JohnnyHi Johnny,
    You can put any kind of object into the cache. You can check the type of the object and handle it appropriately. Just put a differently typed object into the cache.
    Best regards,
    Robert

  • Simple Custom Events in Java

    Hello All
    I am new to Java hailing from C++ and ActionScript. I need to create a custom event system for use with various design patterns I'm using in a project (starting with MVC for the overall structure).
    From what I understand, I need to use the EventObject and EventListener base classes to derive my own custom classes from, in order to do this. In ActionScript, the events system works quite differently, having an EventDispatcher class you inherit from, etc. It also specify types of events as constants. So I'm a little confused as to how to do this.
    The following example seems to explain pretty much what I need:
    [http://exampledepot.com/egs/java.util/CustEvent.html|http://exampledepot.com/egs/java.util/CustEvent.html]
    ...but adapting this is giving me a bit of a headache, maybe because I'm stuck in the ActionScript event paradigm. Am I right in assuming I could simply pass an integer parameter in the event, specifying what type it is?Or do I need to specify a different class for each event type (extending either EventObject, or an interface which extends from EventObject each time)?
    Lastly, can someone tell me whether or not a native List implementation using generics might not work just as well for the given example as the EventListenerList used above ? (I see no reason to use Swing classes when I won't be using Swing at all... it just seems unclean. My app is a socket server and needs no UI functionality.)
    Thank you in advance.
    -Nick

    NickZA wrote:
    ...but adapting this is giving me a bit of a headache, maybe because I'm stuck in the ActionScript event paradigm. Am I right in assuming I could simply pass an integer parameter in the event, specifying what type it is?Or do I need to specify a different class for each event type (extending either EventObject, or an interface which extends from EventObject each time)?Noone forces you to use EventObjects of any kind. If you like (and it's sufficient for you), then you can simply pass any value you want or even no value to the event method in the Listener interface.
    So an event that's represented by the worldIsCollapsing() method might not need any additional information.
    Lastly, can someone tell me whether or not a native List implementation using generics might not work just as well for the given example as the EventListenerList used above ? (I see no reason to use Swing classes when I won't be using Swing at all... it just seems unclean. My app is a socket server and needs no UI functionality.)Basically yes, it would work just as well. The difference is that the EventListenerList can handle Listeners of different types (i.e. you can manage your FooListeners and your BarListeners using a single object, if you used simple Lists instead, you'd need two of those).

  • Custom Events and Scheduling more than once

    Hi,
    in BO 4.1, I successfully triggered WebI Report instance generation by a "Custom Event" through scheduling.
    Now, we have the requirement that the report should not be triggered only once but always when the event is triggered.
    At first glance, this looks tricky bc. in order that the report "reacts" to the event, the report itself must be scheduled with the event (it gets an instance "pending" that "wait + reacts" to the event). So it looks like we need schedule the report always manually with "event" before it is ready to react to the event specified in the scheduling.
    Is there any user-friendly trick to make the report react upon every fired event without having to "schedule" the report manually with the event?
    (Similar to schedule daily, just that the event is the trigger, note a daytime...)
    Best Regards

    Hi Florian,
    What is the frequency set under Recurrence option for the report instance?
    Can you give an idea like after how much time the event can be triggered?
    For example, if you are expecting the event to change in an hour, you can schedule the recurrence as hourly or you can specify something like 0 hours and 15 minutes or something like that.
    In that case, once the event is fired, your report instance will be ready to trigger after 15 minutes for the next run.
    Would suggest you to sync with the BO administrator as concurrent triggering of large number of instances can give load on Job Servers.
    Hope it will help in some way.
    Regards,
    Yuvraj

  • Can you send custom events from one form to another?

    I have a compli
    cated application, where I about hundred inp
    uts organized in several input forms. Some of the forms
    require data which has been input in other forms. I have tried to
    dispatch custom events from one form to another, but it dispatches the
    whole form and I only need one or two items.
    Ha anybody else come across such a problem?
    Svend

    One way is to share data in a static singleton

  • ITunes won't open and when it does it won't respond

    No error message appears when it won't start - if I try to end the process in task manager, iTunes will open but it won't respond. It'll just have the loading cursor whenever I mouse over iTunes. I've tried opening in Safe Mode and that's worked before but now it still won't respond. I've uninstalled and reinstalled it too.

    sounds like you got a bad copy uninstall it and download a new one from itunes.com

  • Bottom of my ipod screen won't respond, so i reset factory settings as suggested, it didn't help and now i can't log in to itunes as my apple id password has numbers in it

    few issues here. firstly, the bottom section of my ipod touch 4th gen won't respond. it'll let me slide to unlock but not tap anything, including to change between keyboards which brings me onto my second problem. i did a factory reset because a few people on here had suggested it, but now i can't log into my apple account because my password has numbers in. is there a way to bypass this requirement? or fix my ipod? i can't afford a replacement

    jeez guys thanks for the help!

  • HT1476 I can't tell if my ipod touch 3rd gen is really charging. I have it plugged in, but it will sometimes show the charging icon and then it won't respond to anything. I ddon't know if you need itunes to be on your computer to charge it.

    Ok, so I plug in my touch 3rd gen and I can't tell if it is really charging. It doesn't seem like it is. I can only see the charging icon sometimes, and then after the icon goes away, the ipod won't respond! I'm not sure what to do. Than I thought the USB port was messed up because it doesn't always work, but I plugged it into a diferent port and it said on the ipod, charging isn't supported with this accessory.

    Place the iOS device in Recovery Mode and then connect to your computer and restore via iTunes. The iPod will be erased.
    iOS: Forgot passcode or device disabled
    If recovery mode does not work try DFU mode.                        
    How to put iPod touch / iPhone into DFU mode « Karthik's scribblings        
    For how to restore:                                                             
    iTunes: Restoring iOS software
    To restore from backup see:
    iOS: Back up and restore your iOS device with iCloud or iTunes       
    If you restore from iCloud backup the apps will be automatically downloaded. If you restore from iTunes backup the apps and music have to be in the iTunes library since synced media like apps and music are not included in the backup of the iOS device that iTunes makes.
    You can redownload most iTunes purchases by:           
    Downloading past purchases from the App Store, iBookstore, and iTunes Store        
    If problem what happens or does not happen and when in the instructions? When you successfully get the iPod in recovery mode and connect to computer iTunes should say it found an iPod in recovery mode.

  • Itunes won't respond to double clicking on a song once another song is play

    hi. i open itunes, double click on a track and then if i want to play another track i double click on it but itunes won't respond and just keeps playing the original track. if i click on the track, it will highlight but won't play when double clicked. it will however play if i highlight with a single click and hit return. why is this happening. it never used to happen and doesn't on my other computer.

    QuickTime X wouldn't have given the error message if it could have opened the file.
    There are many file formats and codecs it can't view.

Maybe you are looking for

  • When trying to register my ipad and put in my email address, a statement comes up stating the address is already verified for another apple id.  How can I add my ipad?

    When trying to register my ipad to mobile me by putting in my email address, a statement comes up stating the email address is already verified for another apple ID (which is me).  How can I still use this email for the ipad?

  • Mounting Xserve Raid Volumes

    I'm relatively new to Xserve RAID and I hope this isn't a topic that's already been covered. If I unmount (or eject) a RAID volume, how do I re-mount it. Other than rebooting the system. The RAID volumes don't appear in /etc/fstab. Where exactly does

  • Safari 7.0 does not open a new tab or a link in a new tab

    Hello, since I updated to Mavericks, I'm not able to open a new tab (cmd + t) or open a link in a new tab (cmd + click) in safari. A soon as I try to open a new tab, safari "freezes" an I have to use the "back" button a few times to make it work agai

  • Who's who upload photo error

    Hi all, I can upload photos in SAP ERP without any problem, and then these photos appear in PA20 / PA30. However, when i try to use Portal Component Who's Who i get an error telling that was not possible the upload. What am i missing? Thanks, Luis Cr

  • I Pod Update Problems

    This message appears when I try to update my I Pod. The software works for playing music from my library, but my I Pod can't sync with the new updates. There is a Problem downloading the I Pod software for the I Pod "Phil's I Pod". An unknown error o