GoToMeeting crashes while running Maverick

Is anyone else having issues with GoToMeeting (6.1.1) while running Maverick?

Known problem in some cases.  I'm researching an issue that is similar.  Here's an article.  I'm not sure which Macbook pro you have:
http://support.citrixonline.com/en_US/meeting/knowledge_articles/000138065?title =Mac+10.9+Crashes+When+Using+GoToMeeting%2C+GoToWebinar+and+GoToTraining%7D
Eric

Similar Messages

  • Crashed while running V3.  Catalog now appears to have a "problem"...

    Standard configuration I've been running for MONTHS.  Asus P6T, i7 920, 6GB DDR3 memory, 4, 1TB disks.  Windows 7 Professional, 64-bit. Nothing special.
    In all the time I've been running this it HAS NEVER CRASHED.  I have NEVER gotten a BSOD.  It worked perfectly with CS4. It worked perfectly with LR 2.5, 2.6, and 2.7.  It worked perfectly when I upgraded to CS5.
    Today, while in LR V3, editing an image in Develop, I got a BSOD.  Crash.  System rebooted immediately and appears to be fine. Everything else I've tried works perfectly......
    EXCEPT when I run Lightroom.  Everything LOOKS fine - folders show images, keywords are still there, Collections are still there.  But I no longer have previews...  Just EMPTY yellow, green, and blue boxes.  42,000 EMPTY BOXES.......
    Optimizing the catalog, shutting down LR, restarting made NO difference.
    Purging cache made NO difference.
    Synchronizing folders made NO difference.
    The files are still on the disk.  The images are FINE in Bridge.
    They just don't show up in Lightroom any more.
    Rather than blaming some SIGNIFICANT problem with Lightroom, lets just say some amazing, magical set of circumstances occurred that caused all this... But the NET is Lightroom catalog or previews or SOMETHING appears to be totally screwed up......
    Anybody got any ideas of what else I can try, now would be a good time.  BEFORE I have to blow the catalog away and let the system spend the next UMPTEEN hours rebuilding?

    For me this problem just came out of the blue when going to develop mode. Every time I now restart LR I get the error message "error when reading from its preview cache & needs to quit". The faulting preview shows, but the others in the strip are blank. Yesterday I was editing the same set om import images without problems. Following the advice on deleting previews, would it not just be enough to delete all previews with yesterdays date (when I did the import)? The previews are organized in nonsense catalog names, but I can see the first 5 or so in each catalog bearing yesterday's date. Has anyone tried deleting just  these and then restaring LR 3.3 (W7)?
    Thanks,
    ragha51

  • What is causing my Mac Mini to crash while running Mountain Lion?

    Hello!
    I have an Early 2009 Mac Mini that I had 10.7 installed on for quite some time. Everything worked really well, and I was very pleased with it. I upgraded my Macbook Air to 10.8, and have been very pleased with it as well. Not the case though, with the Mac Mini, since upgrading it to 10.8.
    Currently it's running on 10.8.1 (12B19), and it is crashing all the time. Programs of all kinds (iTunes, Skype, Safari, Pages, Numbers, Keynote, etc...) will just randomly vanish off the screen, and are followed by a "________ quit unexpectedly" window, to report the problem. In each and every case (usually +5 times a day) I report all of the crashes.
    Several times as well, I have also had the entire computer crash and reboot itself. That is perhaps the most frustrating of all. Most times the screen will turn black, it will make it's "ding" sound, and then begin restarting itself. Sometimes the screen will freeze and the spinning loading icon will appear on the screen for 10-15 seconds, and then it will black-out and reboot itself.
    I've tried to deal with it for a while now, but I'm getting a little impatient at it and I'm curious if anyone else is experiencing the same thing. I have TONS of error report logs, so if you'd like to see one, I'll be glad to post it.
    Thanks in advance!

    Try this  - Reset 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. (This is equivalent to rebooting your computer.) No data/files will be erased. http://support.apple.com/kb/ht1430http://support.apple.com/kb/ht1430
     Cheers, Tom

  • Tomcat crashes while running servlet chat in IE

    Hi all!
    I've seen similar problems posted about three years ago, but I didn't see an answer for it.
    I'd be very grateful if you could help me.
    I'm writing a chat, the code was taken from the J.Hunter "Servlet programming book" O'reilly, "absurdly simple chat", and adjusted (I only need the Http version). It's an applet-servlet chat.
    When executed in IE, Tomcat crashes after a few (usually 5) sent messages. When executed in a debugger (I use Forte, the last available version, 4 update 1) the program works just fine...
    Another question is about debugging an applet, executed in a browser - how do I do this?
    Here is the code for the servlet:
    =================================
    import java.io.*;
    import java.net.*;
    import java.util.*;
    import javax.servlet.*;
    import javax.servlet.http.*;
    public class TryChatServlet extends HttpServlet
    // source acts as the distributor of new messages
    MessageSource source = new MessageSource();
    // doGet() returns the next message. It blocks until there is one.
    public void doGet(HttpServletRequest req, HttpServletResponse res)
    throws ServletException, IOException {
    res.setContentType("text/plain");
    PrintWriter out = res.getWriter();
    // Return the next message (blocking)
    out.println(getNextMessage());
    // doPost() accepts a new message and broadcasts it to all
    // the currently listening HTTP and socket clients.
    public void doPost(HttpServletRequest req, HttpServletResponse res)
    throws ServletException, IOException {
    // Accept the new message as the "message" parameter
    String message = req.getParameter("message");
    // Broadcast it to all listening clients
    if (message != null) broadcastMessage(message);
    // Set the status code to indicate there will be no response
    res.setStatus(res.SC_NO_CONTENT);
    // getNextMessage() returns the next new message.
    // It blocks until there is one.
    public String getNextMessage() {
    // Create a message sink to wait for a new message from the
    // message source.
    return new MessageSink().getNextMessage(source);
    // broadcastMessage() informs all currently listening clients that there
    // is a new message. Causes all calls to getNextMessage() to unblock.
    public void broadcastMessage(String message) {
    // Send the message to all the HTTP-connected clients by giving the
    // message to the message source
    source.sendMessage(message);
    // MessageSource acts as the source for new messages.
    // Clients interested in receiving new messages can
    // observe this object.
    class MessageSource extends Observable {
    public void sendMessage(String message) {
    setChanged();
    notifyObservers(message);
    // MessageSink acts as the receiver of new messages.
    // It listens to the source.
    class MessageSink implements Observer {
    String message = null; // set by update() and read by getNextMessage()
    // Called by the message source when it gets a new message
    synchronized public void update(Observable o, Object arg) {
    // Get the new message
    message = (String)arg;
    // Wake up our waiting thread
    notify();
    // Gets the next message sent out from the message source
    synchronized public String getNextMessage(MessageSource source) {
    // Tell source we want to be told about new messages
    source.addObserver(this);
    // Wait until our update() method receives a message
    while (message == null) {
    try { wait(); } catch (Exception ignored) { }
    // Tell source to stop telling us about new messages
    source.deleteObserver(this);
    // Now return the message we received
    // But first set the message instance variable to null
    // so update() and getNextMessage() can be called again.
    String messageCopy = message;
    message = null;
    return messageCopy;
    =============================
    The code for the applet is
    =============================
    import java.applet.*;
    import java.awt.*;
    import java.io.*;
    import java.net.*;
    import java.util.*;
    public class TryChatApplet extends Applet implements Runnable {
    TextArea text;
    Label label;
    TextField input;
    Thread thread;
    String user;
    public void init() {
    // Check if this applet was loaded directly from the filesystem.
    // If so, explain to the user that this applet needs to be loaded
    // from a server in order to communicate with that server's servlets.
    URL codebase = getCodeBase();
    if (!"http".equals(codebase.getProtocol())) {
    System.out.println();
    System.out.println("*** Whoops! ***");
    System.out.println("This applet must be loaded from a web server.");
    System.out.println("Please try again, this time fetching the HTML");
    System.out.println("file containing this servlet as");
    System.out.println("\"http://server:port/file.html\".");
    System.out.println();
    System.exit(1); // Works only from appletviewer
    // Browsers throw an exception and muddle on
    // Get this user's name from an applet parameter set by the servlet
    // We could just ask the user, but this demonstrates a
    // form of servlet->applet communication.
    user = getParameter("user");
    if (user == null) user = "anonymous";
    // Set up the user interface...
    // On top, a large TextArea showing what everyone's saying.
    // Underneath, a labeled TextField to accept this user's input.
    text = new TextArea();
    text.setEditable(false);
    label = new Label("Say something: ");
    input = new TextField();
    input.setEditable(true);
    setLayout(new BorderLayout());
    Panel panel = new Panel();
    panel.setLayout(new BorderLayout());
    add("Center", text);
    add("South", panel);
    panel.add("West", label);
    panel.add("Center", input);
    public void start() {
    thread = new Thread(this);
    thread.start();
    String getNextMessage() {
    String nextMessage = null;
    while (nextMessage == null) {
    try {
    URL url = new URL(getCodeBase(), "/servlet/TryChatServlet");
    HttpMessage msg = new HttpMessage(url);
    InputStream in = msg.sendGetMessage();
    DataInputStream data = new DataInputStream(
    new BufferedInputStream(in));
    nextMessage = data.readLine();
    catch (SocketException e) {
    // Can't connect to host, report it and wait before trying again
    System.out.println("Can't connect to host: " + e.getMessage());
    try { Thread.sleep(5000); } catch (InterruptedException ignored) { }
    catch (FileNotFoundException e) {
    // Servlet doesn't exist, report it and wait before trying again
    System.out.println("Resource not found: " + e.getMessage());
    try { Thread.sleep(5000); } catch (InterruptedException ignored) { }
    catch (Exception e) {
    // Some other problem, report it and wait before trying again
    System.out.println("General exception: " +
    e.getClass().getName() + ": " + e.getMessage());
    try { Thread.sleep(1000); } catch (InterruptedException ignored) { }
    return nextMessage + "\n";
    public void run() {
    while (true) {
    text.appendText(getNextMessage());
    public void stop() {
    thread.stop();
    thread = null;
    void broadcastMessage(String message) {
    message = user + ": " + message; // Pre-pend the speaker's name
    try {
    URL url = new URL(getCodeBase(), "/servlet/TryChatServlet");
    HttpMessage msg = new HttpMessage(url);
    Properties props = new Properties();
    props.put("message", message);
    msg.sendPostMessage(props);
    catch (SocketException e) {
    // Can't connect to host, report it and abandon the broadcast
    System.out.println("Can't connect to host: " + e.getMessage());
    catch (FileNotFoundException e) {
    // Servlet doesn't exist, report it and abandon the broadcast
    System.out.println("Resource not found: " + e.getMessage());
    catch (Exception e) {
    // Some other problem, report it and abandon the broadcast
    System.out.println("General exception: " +
    e.getClass().getName() + ": " + e.getMessage());
    public boolean handleEvent(Event event) {
    switch (event.id) {
    case Event.ACTION_EVENT:
    if (event.target == input) {
    broadcastMessage(input.getText());
    input.setText("");
    return true;
    return false;
    =====================================
    HttpMessage
    ======================================
    import java.io.*;
    import java.net.*;
    import java.util.*;
    public class HttpMessage {
    URL servlet = null;
    String args = null;
    public HttpMessage(URL servlet) {
    this.servlet = servlet;
    // Performs a GET request to the previously given servlet
    // with no query string.
    public InputStream sendGetMessage() throws IOException {
    return sendGetMessage(null);
    // Performs a GET request to the previously given servlet.
    // Builds a query string from the supplied Properties list.
    public InputStream sendGetMessage(Properties args) throws IOException {
    String argString = ""; // default
    if (args != null) {
    argString = "?" + toEncodedString(args);
    URL url = new URL(servlet.toExternalForm() + argString);
    // Turn off caching
    URLConnection con = url.openConnection();
    con.setUseCaches(false);
    return con.getInputStream();
    // Performs a POST request to the previously given servlet
    // with no query string.
    public InputStream sendPostMessage() throws IOException {
    return sendPostMessage(null);
    // Performs a POST request to the previously given servlet.
    // Builds post data from the supplied Properties list.
    public InputStream sendPostMessage(Properties args) throws IOException {
    String argString = ""; // default
    if (args != null) {
    argString = toEncodedString(args); // notice no "?"
    URLConnection con = servlet.openConnection();
    // Prepare for both input and output
    con.setDoInput(true);
    con.setDoOutput(true);
    // Turn off caching
    con.setUseCaches(false);
    // Work around a Netscape bug
    con.setRequestProperty("Content-Type",
    "application/x-www-form-urlencoded");
    // Write the arguments as post data
    DataOutputStream out = new DataOutputStream(con.getOutputStream());
    out.writeBytes(argString);
    out.flush();
    out.close();
    return con.getInputStream();
    // Converts a Properties list to a URL-encoded query string
    private String toEncodedString(Properties args) {
    StringBuffer buf = new StringBuffer();
    Enumeration names = args.propertyNames();
    while (names.hasMoreElements()) {
    String name = (String) names.nextElement();
    String value = args.getProperty(name);
    buf.append(URLEncoder.encode(name) + "=" + URLEncoder.encode(value));
    if (names.hasMoreElements()) buf.append("&");
    return buf.toString();
    Those files are the only files needed to execute the program.

    The whole Tomcat crashes, and no exception
    displayed.
    Do I have to write the log file, or it's kept by
    Tomcat itself?yes, tomcat writes a log file, you find it in the tomcat dir. but it's just very highlevel. Having a look in it could help.
    Is there a way to write a log file by myself?sure. you could get the log file from tomcat by getting it from the ServletContext:
    ServletContext = getServletContext();
    ServletContext.log("text to log");
    When I view the output window in Forte, it doesn't
    even write that Tomcat crashed.
    I use Tomcat that is installed with the last version
    of Forte(Sun 1 Studio, update 1), I guess it's the
    last version of Tomcat also.No. The lastest is 4.1.12 and i guess it's 4.0.4 with forte.
    Get Tomcat standalone from jakarta.apache.org and try to run your servlet with the standalone tomcat. this could help since i also expirenced problems sometimes with the forte-integrated tomcat.

  • Unexplained System Crashes While Running InDesign

    I am running InDesign CS6 8.0.2 on a MacBook Pro with OS X 10.9. InDesign launches just fine, and I'm not getting any error messages. But once in a while my system just stops responding. I can't even force quit applications. I have to just manually power down by holding the power button. I thought it might be a hard drive issue, but I recently replaced my stock HD with a SSD, and the problem persists. And by the way, there is no application crash or error report available. The system just freezes completely and I have no option but to power down.
    The only common thread I can point to is that InDesign is running.
    Does anyone have suggestions about how to understand what is happening? If InDesign is causing the system to freeze, could it be a plugin or extension issue?
    I'm grateful for any support or ideas you might offer.

    Hi Eugene, Thanks for offering to help. Here is some of the information you requested:
    Hardware Overview:
      Model Name:          MacBook Pro
      Model Identifier:          MacBookPro9,1
      Processor Name:          Intel Core i7
      Processor Speed:          2.6 GHz
      Number of Processors:          1
      Total Number of Cores:          4
      L2 Cache (per Core):          256 KB
      L3 Cache:          6 MB
      Memory:          16 GB
      Boot ROM Version:          MBP91.00D3.B08
      SMC Version (system):          2.1f175
      Serial Number (system):          C02J604LF1G4
      Hardware UUID:          76824BFD-88A3-5D43-B6E0-15EA0F708A85
      Sudden Motion Sensor:
      State:          Enabled
    System Software Overview:
      System Version:          OS X 10.9 (13A603)
      Kernel Version:          Darwin 13.0.0
      Boot Volume:          Macintosh HD
      Boot Mode:          Normal
      Computer Name:          Andy’s MacBook Pro
      User Name:          Andy Johnston (AJ)
      Secure Virtual Memory:          Enabled
      Time since boot:          1:18
    I don't know that I can do anything to reproduce the freeze. What happens usually is that I open InDesign and work on a file. When finished, I save my work, and move to another task in a different application (managing email in the Chrome browser, for example). At some point in the future and with no apparent action to initiate the crash, my system stops responding.
    The crash has probably happened while I was using InDesign in the past, but most of the time I notice the system begin to lock up when I'm in the browser. I know, I know...maybe the browser is the culprit.
    I did look at the Extension Manager and noticed there were quite a few warning icons. When I hover over them, I see the message "Extension may not function properly because it does not meet the dependency condition."
    Does this information help track down the issue?

  • Audition CS6 crashes while running Adaptive Noise Reduction

    Hi everyone!
    So that is the problem, I edit an audio file, run Adaptive Noise Reduction filter, and somewhere during the processing the computer just crashes. Sometimes it happens and sometimes not. I saw that computer showes up an alert message just before the crash but I wasn't fast enough to read what was written there. Recently I did a clean system install and have just some programs installed. Before system reinstall the problem was not there, although the program (audition) is exactly the same. What to do?

    Srivas 108 wrote:
    The system is Win 7 64 Home Edition. It was working ok before. Maybe I should install all the updated? I hate to do that, my experience is that it slows down the system in the long run, but looks like I should do that.
    I run the pro version, but it's basically the same. I've got all the updates installed, but I haven't noticed it slow down at all. Mind you, this is a fast system anyway. But if it's crashing, then installing updates won't fix that; you need a fresh reinstall on an absolutely clean disc first. Okay, that's a pain - but look on the bright side; you aren't running Windows 8. Recently I wasted nearly a day of my life on that, and I'll never get it back. The basic rule about M$ OS's hasn't changed - it's only the odd-numbered ones that are worth bothering with, as a rule. And none of them are worth installing until the first service pack is issued.

  • Solaris 10 crashes while running find command

    I have set up solaris 10 on an intel machine. When I run "find" command the system crashes.
    Please Help
    Thanks in advance

    Hi please help me I almost despair,
    I have experienced the same problem. When I try to find a file without specifying location (using the shortcut on default desktop in JDS with mouse) the application crashes.
    Thereafter I'm not even able to shut down the system as the mouse doesn't seem to react anymore (can point but not click).
    I was logged on as root. However maybe it matters that I only just installed Solaris 10 and as I'm a complete beginner with Solaris I don't know if any post-installation configuration is required. Furthermore the same happens with the "Desktop Overview" shortcut (the book icon with the questionmark that appears by default after new installation).
    I have chosen the default installation.
    System info:
    nforce4 motherboard, 2GB RAM
    Athlon 64 3800+ x2
    Asus geforce 6600gt, driver not yet installed
    D-link DWL-G520 wireless pci card, Atheros driver not yet installed (from opensolaris.org)
    IDE hard drive for SOLARIS 10
    SATA Raid 0 of 2 drives on sil3114 for WIN XP
    It would be very kind if someone could help me. I installed Solaris as Ithought it was more stable than Win but probably I am just doing something wrong.

  • IE 6 crashes while running test form on Windows 2003

    Hello Everyone,
    I have installed oracle application server 10.1.2.0.2 (forms and reports component) successfully on windows server 2003 SP2 EE.
    But whenever i tried to access test form on Server via IE 6 or Mozilla, my IE window gets disappear (crashed).
    I have tried all possible solution for the same.
    But itz not work form me, i can access EM console i can see reports jobs but not Test form.
    Kindly let me know the possible solution for the same,
    Note : i think some java processes are blocking while accessing form, m not able access JInitiator console 2...
    kindly help..

    Hi,
    Try disabling all ur add ons from ur IE browser,
    and even try these steps
    Tools – Internet Options – Advanced – Browsing — uncheck ‘Enable third-party browser extensions’
    The below link will also help you a bit,
    http://sathyabh.at/2009/06/27/fixing-internet-explorer-crash-on-launching-oracle-forms-application-with-jinitiator/
    http://www.oratransplant.nl/2007/01/04/oracle-forms-and-sun-jvm-16/
    Regards,
    fabian
    Edited by: Fabian on Nov 29, 2010 1:35 AM

  • Machine crashed while downloading Mavericks - how to restart?

    In the middle of downloading Mavericks, my machine crashed (iMac 10.7.5).  After restarting, Launchpad has an update bar underneith in in the toolbar, but there is no Maverick loader when I open Lauchpad.  When I go into Appstore, there is no Maverick under purchases.  When I type Maverick in to Spotlight, it isn't found.  When I try to rerun in the AppStore, I have the "Free Upgrade" button. When I hit Free Upgrade, it changes to Install App, sometimes asking for my Apple Password  (after reboot every time).  But, it never starts a download, even after waiting for a hour or two.
    How do I get unstuck?  Is there a way to delete the crashed Maverick upgrade?  Can I go back in time with my Timemachine backup?  I know that restarting in the AppStore doesn't work.
    Thank you for any help.

    OS X Mavericks 10.9.3 Update (Combo)

  • IPad crashing while running an application

    I have been using iPad since few months, still learning. my iPad is a MB292B running latest version of OS 4.3.3 (8J3) and I have been downloading few applications on it, mainly games. at least two applications, Fifa 11 and Pes 2011, are crashing the iPad every time I play. The crash is appearing as a power off - power on sequence, without any error message, and, apparently, there is no correlation between the crash and what I am doing just before it. I already tried to reset to factory configuration, using iTunes, and I also installed again the applications, however, without any better result. I really don't know what to do next. Any suggestion, please? thanks for your time. Best regards. ciao.

    I don't fully understand what the System Reset does but I've found that it cures many ills.  It's easy, quick and harmless:
    Hold down the on/off switch and the Home  button simultaneously until you see the Apple logo.  Ignore the "Slide to power off" text if it appears.
    A System Reset does not remove any apps, music, movies, etc. nor does it cause any settings to revert back to default.
    Also, you might wish to download the iPad-2 User Guide.  Pay special attention to page 162.  Note that this Guide also applies to the iPad-1 with IOS 4.3 except for those functions that are not supported by the hardware.
    http://support.apple.com/manuals/#ipad
    Finally,  the User Guide can be downloaded at no charge via iBooks and a less   comprehensive version of the Guide is included as a Safari bookmark.

  • Qemu crash while running Minix 3 os

    I recently reinstalled my entire operating system and now whenever I try to run Minix over qemu, qemu completely crashes reporting an error after a few steps of the Minix installation proccess. I have been using Minix 3 over qemu earlier (prior to my Arch reinstall without any issues). 
    I'm to trying emulate i386 using qemu to install Minix 3 OS using the command,
    qemu-system-i386 -localtime -net user -net nic -m 256 -cdrom Minix/minix_R3.2.1-972156d.iso -hda minix.img -boot d
    And I'm always getting this error.
    *** Error in `/usr/bin/qemu-system-i386': double free or corruption (!prev): 0x00007f5b5c078000 ***
    ======= Backtrace: =========
    /usr/lib/libc.so.6(+0x72ecf)[0x7f5b8474aecf]
    /usr/lib/libc.so.6(+0x7869e)[0x7f5b8475069e]
    /usr/lib/libc.so.6(+0x79377)[0x7f5b84751377]
    Please have a look at the complete error report
    I tried google but couldnt find anything, please help.

    I guess just wait for a bug fix or update if available. It's a memory corruption problem.

  • MacBookPro crashed while running VM Fusion and Vista now, won't boot in OX

    Hello All...
    I am not sure what to do about my MacBookPro 15.4 2.66GHz Intel Core 2 Duo that I bout in August 09. I was running Vista via VM Fusion in a separate window on my Mac desktop when the computer froze. I booted up and now I only have the option of trying to boot in Windows or try to repair via the Windows installation disc. I want to reboot back into my OSX which it normally does until now.
    I tried holding the X key and only the windows partition icon came up...I am using BootCamp and the windows section partitioned per Boot Camp Assistant.
    Should I just try to repair what is corrupt in the windows part of it? Why is it only booting in Windows?
    I didn't boot up into Windows Vista, I used VMware Fusion to boot up separately so I wonder why is my computer trying to boot up in Windows only?
    How do I force the OSX system to boot?
    This is what the Windows Boot Manager is telling me:
    File: \windows\system32\config\system
    Status: 0xc000000f
    Info: Windows failed to load because the system registry file is missing, or corrupt.
    Please help...I want to Boot in OSX, not Windows...
    thanks in advance...
    Jank

    Insert the Mac OS X install disk and boot up from it by pressing and holding down the C key. Choose your language and wait for the main menu to load. In the menu bar, go to Utilities --> Disk Utility. Click it and wait for it to open. In the side bar, you should see your hard disks and partitions labelled there. Do you see your "Macintosh HD" partition?

  • Getting seemingly random crashes while running Chrome

    This has been happening for a few months.  It starts with the tab I'm using in Chrome becoming unresponsive, then the whole browser.  When I try to right-click on the taskbar to force quit the application, the taskbar does its 'genie' zooming motion, I click, and everything freezes in place.  I then have to hold the power button down to do a manual restart.  I normally have at least one other program open at the same time.
    I tend to leave my computer (early-2013 MacBook Pro) plugged into the power cable a lot - I don't know if this could affect things.  All my software is up to date, and I have anti-virus (Sophos) installed.  Sorry I can't give any more specific info - if there's anything that could help, just say.

    danajmu,
    try disabling Sophos to see if that stops the random crashes. If it does, then uninstall Sophos.

  • ITunes crashing saying "iTunes has stopped working while running iTunes Match

    My iTunes is crashing while running iTunes Match saying iTunes has stopped working - I think it may be because at the 25000 song limit but I get no message or warning - just crashes. Would like to keep songs in library while deleted from cloud - can you do that?

    Hi,
    Yes but you need to create a new blank library.
    Hold down option key whilst opening iTunes. Chose new library from pop up. This library will be blank. Turn on match and select add this computer. Once process has been completed you will see all the tracks that you have in the cloud.
    Make sure that you add iCloud status to song view as this tells you what has been matched, uploaded or purchased. You can then delete matched and uploaded tracks. You will get message that you are deleting tracks from the cloud. Don't worry about purchased tracks as they don't count towards limit.
    Close iTunes and reopen the original library - again hold option key and  select choose library. With iCloud status column added to song view, you will now see that tracks that you deleted from the cloud will have an iCloud status of "Removed".  They are still on your hard drive and will be ignored during the match scan.
    Jim

  • Crash issues with elements organizer while running Apple OS 10.9 Mavericks

    Crash issues with elements organizer while running Apple OS 10.9 Mavericks.  Crashes then ask if you want to reopen or not.  Also when you are trying to manuver the page with your mouse things go crazy from a full page edit back to viewing all photos on the site and skipping around from picture to picture.  Unsusable as it is today!

    It is very critical to delete all preferences when you do a major OS X upgrade. You need to go to your username>library>preferences and delete everything pertaining to PSE. To see that library in 10.9, open a finder window, click your user account in the list on the left (the little house with your name), and then click the gear wheel at the top of the window and choose View Options. At the bottom of the list of checkboxes you'll see Library. Turn it on and then you can easily find the preferences folder.

Maybe you are looking for