After updating safari why does it only works intermittently now?

After updating safari why does it only work intermittently now?

Please explain in more detail what you updated and what isn't working now. You might also add anything you have already done to correct the problem.

Similar Messages

  • HT2513 after updating to Lion, ical is only working sporatically. sometimes it says that it is "updating", but mostly it doesn't respond. Any ideas?

    After updating to Lion (from snow leopard) my ical is not working - doesn't respond. Occasionally, it will post that it is updating; but mostly it doesn't work = I cannot add events to it. Also I'm not able to change anything on it.
    Any ideas?
    thanks, Melinda

    I can't confirm this, but Lion's new version of Java Runtime distroys Final Cut Server.  So I wouldn't doubt if Lion breaks Apple Scripts, too.

  • Problem: Why does this only work for powers of 2?

    I wrote this program to create a golf league schedule for, ideally, eight players. However I want it to be flexible enough to permit for other denominations, such as 10 or 12. When I run the program it works perfectly for any number that is a power of 2 (2,4,8,16,32,etc...) but it will not work for other even numbers such as 6,10, or 12. If anyone has any insights it would be most helpful.
    *(This is my first post on this forum so if anything looks not quite right or if this post isn't worded exactly how it should be then I apologize in advance)*
    Here's the three classes.
    public class ScheduleDriver
         public static void main(String[] args)
                              //instance variables
              int max;     //size of flight matches array
              ScheduleMaster master;//instance of class
              //get max number of players for flight
              System.out.print("Max number of players in this flight:");
              max = Keyboard.readInt();
              master = new ScheduleMaster(max);
              //create weekly schedules for season
              master.createSchedule();
              //display weekly schedules
              master.displayWeekly();
         }//end main
    }//end ScheduleDriver
    public class ScheduleMaster
         //instance variables
         int maxPlyrs;//maximum number of players in flight
         Week[] weeklySchedule;//array of weekly matches
         public ScheduleMaster(int plyrs)
              //set up instance data and declare array size
              maxPlyrs = plyrs;
              weeklySchedule = new Week[plyrs];
              //set up the size of each week's matches array
              for (int pos = 0; pos < plyrs; pos++)
                   weeklySchedule[pos] = new Week(plyrs);
              }//end for
         }//end constructor
         public void createSchedule()
              int count = 0;//index of weeklySchedule array
              final int QUIT = -1;     //quit value for loop
              int flag = 0;     //value to continue or exit loop
              //for each player A
              for (int a = 1; a < maxPlyrs; a++)
                   //for each opponent of player A
                   for (int b = (a + 1); b <=maxPlyrs;b++)
                        //set count/index and       reset flag to zero
                        count = (a - 1);
                        flag = 0;
                        //while still haven't found correct week for this match
                        while (flag != QUIT)
                             //if at least one of these players are already scheduled
                             //for a match this week
                             if (weeklySchedule[count].checkPlayers(a,b) == true)
                                  //if last valid index of array has been reached
                                  if (count == (maxPlyrs - 2))
                                       //reset count/index to zero
                                       count = 0;
                                  else
                                       //incriment count
                                       count++;
                             }//end if
                             else
                                  //assign this match to array of matches for week
                                  //and then exit loop
                                  weeklySchedule[count].setMatch(a,b);
                                  flag = -1;
                             }//end else
                        }//end while
                   }//end for
              }//end for
              //fill in last week/position night
              for (int pos = 0; pos < maxPlyrs;pos++)
                   //set up position match
                   weeklySchedule[maxPlyrs - 1].setMatch(pos + 1, pos + 2);
                   //incriment pos
                   pos++;
              }//end for
         }//end createSchedule
         public void displayWeekly()
              //for each week in schedule
              for (int pos = 0; pos < maxPlyrs;pos++)
                   //display header
                   System.out.print("WEEK " + (pos + 1));
                   //if pos/index is 0 or even, flight plays front 9
                   if ((pos % 2) == 0)
                        System.out.println(" [FRONT 9]");
                   //else flight plays back 9
                   else
                        System.out.println(" [BACK 9]");
                   //display lines
                   System.out.println("----------------");
                   //display week's matches
                   weeklySchedule[pos].display();
                   //skip a line
                   System.out.println("\n");
              }//end for
         }//end displayWeekly
    }//end ScheduleMaster
    public class Week
         int[] schedule;          //array of players involved in matches for week
         int max;               //max number of players
         int count = 0;          //number of players currently involved in matches
         public Week(int size)
              //set up instance data and size of array
              max = size;
              schedule = new int[size];
         }//end constructor
         public boolean checkPlayers(int playerA, int playerB)
              boolean flag = false;     //flag to determine if at least one of
                                            //the players to check are already playing
                                            //this week
              //for each element of array
              for (int pos = 0; pos < max; pos++)
                   //if player A matches player already playing this week
                   if (schedule[pos] == playerA)
                        flag = true;
              }//end for
              //for each element of array
              for (int pos = 0; pos < max; pos++)
                   //if player B matches player already playing this week
                   if (schedule[pos] == playerB)
                        flag = true;
              }//end for
              return flag;
         }//end checkPlayers
         public void setMatch(int playerA, int playerB)
              //if array can take more matches
              if (count <= (max - 2))
                   //insert players into array of active players for week
                   schedule[count] = playerA;
                   schedule[count + 1] = playerB;
                   //incriment count of players playing this week by 2
                   count = count + 2;
              }//end if
              else
                   System.out.print("No more matches can be entered!!!");
         }//end setMatch
         public void display()
              //for every even numbered index starting at zero
              for (int num = 0;num < max;num++)
                   //display the player at that position and the next consecutive
                   //player who will be his opponent for the week
                   System.out.println(schedule[num] + "VS" + schedule[num + 1] +
                   //incriment num
                   num++;
              }//end for
         }//end display
    }//end Week

    Ah, I have discovered the problem. The reason for the infinite loop was because of the resetting of the counter/index after every successful match entry back to (a - 1). This was causing matches to be put into weeks where they didn't belong, which caused the program to infinitely loop because it couldn't find an appropriate week to place it's next match. The only time the count should be reset back to zero is when a new player A is being processed or the last valid array index has been referenced before an out of bounds exception would be thrown. I'm still not entirely sure why this doesn't occur on powers of 2 but theh again I haven't put too much thought into it having solved the initial problem! :)
    Anyways thanks for the input all who posted, much appreciated.
    Happy programming!!!!

  • Why does BTAHL7 Only works with Tutorial HL7 File?

    I have been trying for days to determine the issue.
    I've only been able to get the sample file in the end to end tutorial to work.  Every other HL7 file I try to parse, no matter the schema, doesn't work.  They all say "Data at the root level is invalid. Line 1, position 1."  and
    the file just goes through to the send pipe as it came in.  If I change to BTAHL72XPipelines I get "Reason: Message had parse errors, can not be serialized " Even though the schemas all exist in the application as they are suppossed to.  All
    I want to do is pass them through but I can't.  and the ACK/NACK statements all come through without errors and provide back to me the appropriate MHS with MSA = CA.
    I found a valid HL7 file online and tried it with the appropriate schema and even that doesn't work.
    MSH|^~\&|EPIC|EPICADT|SMS|SMSADT|199912271408|CHARRIS|ADT^A04|1817457|D|2.5|
    PID||0493575^^^2^ID 1|454721||DOE^JOHN^^^^|DOE^JOHN^^^^|19480203|M||B|254 MYSTREET AVE^^MYTOWN^OH^44123^USA||(216)123-4567|||M|NON|400003403~1129086|
    NK1||ROE^MARIE^^^^|SPO||(216)123-4567||EC|||||||||||||||||||||||||||
    PV1||O|168 ~219~C~PMA^^^^^^^^^||||277^ALLEN MYLASTNAME^BONNIE^^^^|||||||||| ||2688684|||||||||||||||||||||||||199912271408||||||002376853
    Any thoughts?

    Yes, I get various events.  
    EventID 4136 on the BizTalk Accelerator for HL7, and Event ID 5720 & 5754 on BizTalk Server, all three saying the message had parse errors, can not be serialize.    Also on BizTalk Accelerator for HL7 I get 8706 saying 
    Unable to log message "Error happened in body during parsi..." to the event log due to exception: 
    "No connection could be made because the target machine actively refused it 127.0.0.1:4000".
    Can anyone get the above HL7 file to parse through?
    UPDATE:
    Okay, so the above error lead me to the link below which says to turn on the HL7 Logging service and then I received the following errors. 
    http://www.biztalkgurus.com/biztalk_server/biztalk_blogs/b/biztalksyn/archive/2009/07/02/no-connection-could-be-made-because-the-target-machine-actively-refused-it.aspx
    Error happened in body during parsing 
    Error # 1
    Alternate Error Number: 301
    Alternate Error Description: The message has an invalid first segment
    Alternate Encoding System: HL7-BTA
    Error # 2
    Segment Id: PID
    Sequence Number: 1
    Field Number: 5
    Error Number: 207
    Error Description: Application internal error
    Encoding System: HL79999
    Alternate Error Number: Z100
    Alternate Error Description: Trailing delimiter found
    Alternate Encoding System: HL7-BTA
    Error # 3
    Segment Id: PID
    Sequence Number: 1
    Field Number: 6
    Error Number: 207
    Error Description: Application internal error
    Encoding System: HL79999
    Alternate Error Number: Z100
    Alternate Error Description: Trailing delimiter found
    Alternate Encoding System: HL7-BTA
    Error # 4
    Segment Id: PID
    Sequence Number: 1
    Field Number: 18
    Error Number: 102
    Error Description: Data type error
    Encoding System: HL79999
    Error # 5
    Segment Id: PID
    Sequence Number: 1
    Field Number: 19
    Error Number: 207
    Error Description: Application internal error
    Encoding System: HL79999
    Alternate Error Number: Z100
    Alternate Error Description: Trailing delimiter found
    Alternate Encoding System: HL7-BTA
    Error # 6
    Segment Id: NK1
    Sequence Number: 1
    Field Number: 1
    Error Number: 101
    Error Description: Required field is missing
    Encoding System: HL79999
    Error # 7
    Segment Id: NK1
    Sequence Number: 1
    Field Number: 2
    Error Number: 207
    Error Description: Application internal error
    Encoding System: HL79999
    Alternate Error Number: Z100
    Alternate Error Description: Trailing delimiter found
    Alternate Encoding System: HL7-BTA
    Error # 8
    Segment Id: NK1
    Sequence Number: 1
    Field Number: 34
    Error Number: 207
    Error Description: Application internal error
    Encoding System: HL79999
    Alternate Error Number: Z100
    Alternate Error Description: Trailing delimiter found
    Alternate Encoding System: HL7-BTA
    Error # 9
    Segment Id: PV1
    Sequence Number: 1
    Field Number: 3
    Error Number: 102
    Error Description: Data type error
    Encoding System: HL79999
    Error # 10
    Segment Id: PV1
    Sequence Number: 1
    Field Number: 3
    Error Number: 207
    Error Description: Application internal error
    Encoding System: HL79999
    Alternate Error Number: Z100
    Alternate Error Description: Trailing delimiter found
    Alternate Encoding System: HL7-BTA
    Error # 11
    Segment Id: PV1
    Sequence Number: 1
    Field Number: 7
    Error Number: 207
    Error Description: Application internal error
    Encoding System: HL79999
    Alternate Error Number: Z100
    Alternate Error Description: Trailing delimiter found
    Alternate Encoding System: HL7-BTA

  • Why does adobe only works when 1st installed

    Every time I want to use Adobe on my Mac I have to reinstall.  It works when first installed.  The next time I try to open a file I get a message same I am blocked.

    1. Uninstall Flash.
        http://helpx.adobe.com/flash-player/kb/uninstall-flash-player-mac-os.html
        Reinstall Adobe Flash.
        http://get.adobe.com/flashplayer/
    2.  Allow  Plug-ins
        Safari > Preferences > Security
        Internet Plug-ins >  "Allow  plug-ins"
        Enable it.

  • Why does iMessage only work for some of my contacts?

    Having problems with iMessage. It will work for some of my contacts but not others. And those people arre having the same problem, works with other people but not me.. Anyone dealt with this?

    1. Both devices have to be running iOS 5.*
    2. Internet latency can delay iMessage connection.  If you enabled "Send as SMS", the phone will switch to SMS if iMessage doesn't connect quickly.  If you disable Send as SMS, more of your messages will go through as iMessage.

  • Why does iTunes only work in safe mode?

    I can only run iTunes in safe mode. If I don't use safe mode to open iTunes it will open but freeze and can't do anything from there.

    Try removing any iTunes plug-ins, you can use this Apple article as a guide -> iTunes: Troubleshooting issues with third-party iTunes plug-ins
    Windows Vista and Windows 7:
            C:\Users\username\App Data\Roaming\Apple Computer\iTunes\iTunes Plug-ins\
            C:\Program Files\iTunes\Plug-ins

  • Why does facetime only use a wireless network; isn't 3G the same thing?

    I thought buying an iPad2 with wifi+3g would give me constant internet time.  Why does facetime only work with a wifi network?  Shouldn't the 3G "kick in" if there is no WiFi around?
    My other problem is in the Photo's section: I've looked at the tutorials and read the sections on photo's in the ipad manual and I still cannot figure out how to label an album?
    Any help in both of these areas would be greatly appreciated...Thank You!!
    Paul J.

    Yes.
    Photos in the iPad's Camera Roll should be imported by your computer as with any other digital camera. These photos are included with the iPad's backup which is updated by iTunes as the first step during the iTunes sync process, but if these photos aren't imported by your computer and a problem develops with your iPad's backup in regards to this data and you restore your iPad with iTunes if wanted or needed, kiss these photos goodbye. The same if your iPad is lost or stolen and not replaced with another.
    As with any other photos on your computer that are organized by events or albums selected to be transferred to your iPad, import these photos with your computer and organize the imported photos in the same way you organize any other photos imported from a digital camera, etc. Select the albums under the Photos tab for your iPad sync preferences followed by a sync.
    This way you have the photos available on your computer's hard drive for access there as well along with being organized as you prefer, and which can be included with your computer's backup along with all other data.

  • Why does't Flashplayer work after I agreed to an update from an Adobe pop-up box prompt?

    I had problems last year when Flashplayer stopped working suddenly.  After months of seeking help, I received instructions that fixed the problem...until the other day.  A pop-up box from Adobe appeared indicating an update was available.  I agreed to installing the update and the Flashplayer has not worked since.  I referred to my notes from the "fix" last year and made one adjustment in the Active-X settings, but this did not help.  Flashplayer still does not work.  Help!  I just don't think I can go through this for several months again.

    Hi,
    I am going to try reorganizing my reply first and
    just forwarding to you before I try to recover a
    message.  I think the problem may be that I
    provided answers within your text instead of
    separately.  Your system may not like the format
    I tried.  So here goes....  I have pulled my
    answers out of your message and they appear in
    the order of your inquiries below.
    “Check the Windows system tray carefully to make
    certain no applications are still in memory which
    might possibly use Flash Player.” –a statement
    from the Adobe Un-install link article.  I don't
    know what “in memory” means.  The only things I
    have that may use Flashplayer that I know of is
    the Weather Bug.  Windows Mediaplayer is also
    listed in my programs, but I have never used it.
    Also, there is no mention of Norton here, but
    Norton Internet Security ’09 is what I have installed.
    1. No Firefox.  MSN Exlorer is listed among my
    Programs, but I have never used it.  It was
    likely installed by Dell when I purchased the computer.
    2. Norton Internet Security '09.  Bell Internet
    Security - Alert is listed in my programs (with
    options, including uninstall) but this is the first time I have noticed it.
    3. Norton Internet Security has a firewall with
    it that I understand is way better than Windows.
    4. There is a Google toolbar, Norton toolbar and
    a bunch of stuff listed in the Manage Add-ons
    like Skype, Adobe and Sun Java Console which I think are add-ons.
    Java Webstart is listed under Accessories in
    Programs.  In Programs is Adobe Distiller 6.0,
    Adobe Acrobat 6.0 Standard, Adobe (which is
    empty), Adobe.com and Adobe Reader 9.  I did not find DLM or GetPlus.
    I found no listing for Shockwave Flash
    Object.  You did not ask this and I don't mean to
    get ahead of you but in case there is relevance,
    I looked in Internet Options, Security, Custom
    and saw a number of reference to Active X and
    plug-ins, some of which are disabled; others enabled.
    From reading in your posts to mlmarg, I saw the
    instructions for finding the Flash folder and
    used them.  I used Explorer to access My
    Computer,, C Drive, Folder 1386, Folder System
    32.  There are 2 items in it from 2002 but not
    what I think you want.  The 2 are SMSS.EXE and
    NTDLL.DLL.  If this is not correct, I will need your instructions to locate it.
      I will ask because I don't always understand
    what you are asking of  me.  Thanks.
    >Date: Thu, 21 Jan 2010 14:23:36 -0500
    >To: [email protected]
    >Subject: Re: Flash Player Why does't
    >Flashplayer work after I agreed to an update from an Adobe pop-up box prompt?
    >
    >Hi,
    >My comments are within your text below.  Let me
    >know what I missed or misunderstood.

  • Why does fix capitalization work when there is only one space after the period in pages 09?

    why does fix capitalization work when there is only one space after the period in pages 09?  For example:  "Turn on 3rd St. After the traffic light."  There is only one space after the period in "St."  shouldn't it only auto correct after TWO spaces..??  the word After, should be after..

    You may also use a noBreak space after the period at the end of the abbreviation.
    If I remember well, in such case the capitalization will not apply.
    Yvan KOENIG (VALLAURIS, France) mercredi 27 avril 2011 23:34:46

  • My problem is after updating to Yosemite does my mail client any longer. I can not even open the mail, and when I "forced closes" mail and try to open it again to go in the entered settings running the colored wheels around and allows me only to forc

    My problem is after updating to Yosemite does my mail client any longer. I can not even open the mail, and when I "forced closes" mail and try to open it again to go in the entered settings running the colored wheels around and allows me only to forcing close again? does anyone have a solution to the above problem?

    You mean the default OS X mail app? Try reinstalling OS X Yosemite if that's the case.
    If you are referring to 3rd party mail applications, that's a compatibility issue. Some apps don't work in the new operating system. You have to wait until the developer updates the app, or you have to revert back to Mavericks to continue using it.

  • On my iPod touch why does it only allow one earphone to play? I've plugged the ear phone kno another device and they worked perfectly fine what is wrong with my iPod

    On my iPod touch why does it only allow one earphone to play? I've plugged the ear phone kno another device and they worked perfectly fine what is wrong with my iPod

    - Try inserting and removing the headphone plug a dozen or so times.
    - Next try a reset. Nothing is lost
    Reset iPod touch: Hold down the On/Off button and the Home button at the same time for at
    least ten seconds, until the Apple logo appears.
    - Restore from backup
    - Restore to factory defaults/new iPod
    If you still have the problem that indicates a hardware problem, like a bad headphone jack.

  • Why does Adobe sendnow work and the newest and greatest Adobe Send does not work?

    Why does Adobe sendnow work and the newest and greatest Adobe Send does not work? I wasted about 8 hours on trying to get Adobe Send to upload 269 files that amounted to 469MB. When it did not work I made a zip file and after a lot of wasted run time that did not work. The first situation gives little indication of when a file is loaded compared to Adobe SendNow. In both cases with Send it failed with a message like only the first 50 can be loaded. When I went and looked none of them had been loaded. With the zip file (I wanted to hide the individual files so they would not be counted) it appeared to work but very slowly and finally said it was done and I went and looked and it had done anything for oever 2 hours except a false "I'm runninng" indication.
    Thus, I took a chance with Adobe SendNow and it works great. It never gave me a limit on the amount of files nor on the size of the complete job. It shows me one file at a time when it has finished with the file uploading it. SendNow has never given me any problems.
    Why woiuld you want to change the program from SendNow to Send without the newest program being the best, fastest, user friendly program of the two? It just doesn't make sense to me. I suggest that Adobe keep SendNow working until Send is fixed. I would also suggest that SendNow and how it looks be kept, called Send, then modify Send one thing at a time until you get it to the point you need it to be for Acrobat. I have heard nothing good and now I have experienced it that Send is a piece of junk. I wasted most of my work day on giving Adobe the benefit of the doubt to find out I made a very bad decision to trust Adobe to make good decisions on the transfer of a function to another place .... both Adobe's responsibility.without making it painless for your customers that totally rely on you. Don't throw away customer confidence as it is very hard to get it back.

    Funny how you answer to "troll". (What's your handle on AT&T forums?)
    Yep! Verizon living up to it's contractual obligations by not releasing updates. Caveat emptor!
    I think there are some reasonable expectations here to keep customer's happy. When one carrier offers upgrades there is an expectation the same will happen across all the carriers. We have seen that except Big Red.
    Verizon could have said the update is in MS court months ago and stilled the voice of the disgruntled, or at least redirected it, but instead chose to be silent. Not for market share but for partial blame I think.
    We will have to agree to disagree since you only see Terms & Conditions and I, see customer satisfaction.

  • After upgrading to Mavericks App store only works for me when I switch over other users

    After upgrading to Mavericks, the only options that work for me on App Store are Updates and Purchases, anything else only works if I switch my user either to guest or root? Any idea?  Thx in advance. 

    Read this whole message before doing anything.
    Back up all data.
    Quit the App Store application if it’s running.  Wait at least 10 seconds before continuing.
    Step 1
    Hold down the option key and select
    Go ▹ Library
    from the Finder menu bar. Delete the following items from the Library folder (some may not exist):
    Caches/com.apple.appstore
    Caches/com.apple.storeagent
    Caches/storeagent
    Cookies/com.apple.appstore.cookies
    Preferences/ByHost/com.apple.appstore.plist
    Preferences/ByHost/com.apple.storeagent.plist
    Preferences/com.apple.storeagent.plist
    Leave the Library folder open. Try the App Store again. If it works now, stop here. Close the Library folder.
    Step 2
    If you still have problems, quit again and wait 10 seconds. Go back to the Finder and move the following items from the open Library folder to the Desktop:
    Cookies/com.apple.appstore.plist
    Preferences/com.apple.appstore.plist
    Test. If the App Store now works, delete the files you moved to the Desktop. Otherwise, quit again. Put back the files you moved, overwriting the newer ones that may have been created in their place, and post your results.

  • I dropped my iphone 3gs in water and grabbed it immediately out. It gave me a charger is not supported with device screen every minute or two. I powered it off for the night. I havent experienced problems since. Why does it still work?

    I dropped my iphone 3gs in water and grabbed it immediately out. It gave me a charger not supported sign every minute or two. I decided to turn it off for the night and the next morning it worked fine and only the bottom sensor was triggered. Why does it still work and how long will it last?

    Water in itself will not kill electronic components if you let it dry out.  Your first reaction to turn it off was a good one but you could have waited even longer.
    It also depends what's on your water that will stay after the water itself had dried; like salt. Anything that iseither acid or conductor left on the circuit board will reduce the life of the board.  Given said this, no one could state how long your iPhone will work since no one will know for sure where the water had time to infiltrate before you removed your device and no one what's may left there.
    Consider yourself lucky.  I don't understand however what you mean by a sensor triggered.

Maybe you are looking for

  • Automatically open files when dropped into a folder

    I have a folder which has a constant stream of images being dropped into it. Is it possible for Photoshop to automatically open recently added images of a certain folder, then save (as .psd) and close to a different location? It would be nice for Pho

  • Certificate can not be verified by JWS

    Hello, we developed a java web start application and bought an SSL certificate to secure the communication between the application and the servlet (_no_ self-signed certificate). Our intended java version is 1.5. The application jar is not signed. Wh

  • 2007 Mac Pro will not boot, even in safe mode

    Hello, I have a Mac Pro purchased in 2007 that had been working well up until a few months ago.  I had trouble with Microsoft Word 2008 repeatedly crashing; I repaired the hard disk and moved up to Word 2011, and the problem seemed to resolve.  Yeste

  • Adding attachments to objects

    I'm looking for a way of attaching a simple note to a service notification. I'm guessing that SO_ATTACHMENT_INSERT is the right function to use - is that correct? If so, what do I need to use as the object_id to reference the notification (this is a

  • Urgent Problem with 10.4.9 update

    I was running flawlessly with 10.4.8 and did the Software Update to 10.4.9 around 11.00 a.m. yesterday. All good and 'seemed' fine upon restart. Then at 4.00 I was working and the screen went blank. Thought video or monitor had died (23 cinema). Had