Some Java applets do not work after silent installation, solved by toggling "Enable Java content in the browser" - Why?

We have about 1,800 workstations running Windows 7 (both 32-bit and 64-bit) running various versions of the Java JRE from 6 update 32 through 7 update 51.  Most are on 6 update 45.  We would like to standardize on Java 7 update 51 (32-bit) and get everyone updated to that version for security reasons.
For the past two weeks, we have been having trouble with our installation pre-pilot.  What we are seeing is that our procedure successfully closes any open Internet Explorer windows and Java-related processes, uninstalls all old versions of the Java JRE, and then claims to have successfully installed Java 7 update 51.  The Java Control panel works.  We can even take Internet Explorer to Verify Java Version or Java Tester - What Version of Java Are You Running? and confirm that the Java applets on those sites are loading (though the latter only works after adding the site to the exceptions site list); however, when testers try to access our Kronos Workforce Central 6.3.10 system, the Java applets used by that system do not load.
We have tried the following things, none of which worked:
Clear Internet Explorer browser cache and cookies.
Clear the local Java cache.
Reboot the computer.
Reset Internet Explorer settings, including personal settings.
The one thing which does work is going into the Java Control Panel, going to the Security tab, unchecking "Enable Java content in the browser", pressing Apply, pressing OK on the pop-up window, checking the "Enable Java content in the browser" box again, pressing OK, pressing OK on the pop-up window, and then restarting Internet Explorer.  It is only after this point that all Java applets, including the ones used by Kronos Workforce Central 6.3.10, work.
What I need to know is how I can automate the procedure of reinitializing the "Enable Java content in the browser" checkbox after installation or am I doing something wrong or missing a step in the automated installation that is causing this to happen?
We are using Microsoft SCCM 2007 R3 to accomplish this upgrade, and everything is being run on the client machine using the SYSTEM account.  First, the PowerShell script "javaclean.ps1" is run, with part of the command-line process changing the PowerShell script execution policy to Bypass.  This script handles the closing of Java-dependent applications and Java processes and uninstalls old Java versions.
javaclean.ps1:
#Find all Java products excluding the auto updater which actually gets uninstalled when the main install is removed.
write-host "Searching for all installed Java versions" -ForegroundColor Yellow
[array]$javas=Get-WmiObject -query "select * from win32_Product where (Name like 'Java %' or Name like 'Java(TM)%' or Name like 'J2SE%') and Name <> 'Java Auto Updater'"
if ($javas.count -gt 0)
    write-host "Java is already Installed" -ForegroundColor Yellow
    #Get all the Java processes and kill them. If java is running and the processes aren't killed then this script will invoke a sudden reboot.
    [array]$processes=Get-Process -Name "Java*" #-erroraction silentlycontinue
    $processes += Get-Process -Name "iexplore" #-erroraction silentlycontinue
    $processes += Get-Process -Name "firefox" #-erroraction silentlycontinue
    $processes += Get-Process -Name "chrome" #-erroraction silentlycontinue
    $processes += Get-Process -Name "jqs" #-erroraction silentlycontinue
    $processes += Get-Process -Name "jusched" #-erroraction silentlycontinue
    $processes += Get-Process -Name "jp2launcher" #-erroraction silentlycontinue
    if ($processes.Count -gt 0)
        foreach ($myprocess in $processes)
            $myprocess.kill()
    #Loop through the installed Java products.
    foreach($java in $javas){
        write-host "Uninstalling "$java.name -ForegroundColor Yellow
        $java.Uninstall()
After this script is complete, SCCM calls a the VBS script "install.vbs" to perform the actual installation of Java JRE 7 update 51.
install.vbs
'* Script: Install JRE 7 routine
'* Date:   3/14/14
'* Author: [REDACTED]
'* Rev:    1.0
'* Notes: 
'/// Common
Set objFSO = CreateObject("Scripting.FileSystemObject")
Set objWshShell = CreateObject("WScript.Shell")
' Get system architecture
Dim colSys : Set colSys = GetObject("WinMGMTS://").ExecQuery("SELECT AddressWidth FROM Win32_Processor",, 48)
Dim objSys
For Each objSys In colSys
    If objSys.AddressWidth = 64 Then bolIs64Bit = True
Next
' Get operating system
Dim colOS : Set colOS = GetObject("WinMGMTS://").ExecQuery ("Select * from Win32_OperatingSystem",,48)
Dim objOS
For Each objOS In colOS
    If Left(objOS.caption, 20) = "Microsoft Windows 8 " Then
        bolIsWin8 = True
        WScript.Echo "win8"
    End If
    If Left(objOS.caption, 22) = "Microsoft Windows 8.1 " Then
        bolIsWin81 = True
        WScript.Echo "win81"
    End    If
Next
' Set 32 bit program files directory
If bolIs64Bit = True Then
    strPFILES = "Program Files (x86)"
    strSYSDIR = "SysWOW64"
    Else strPFILES = "Program Files"
    strSYSDIR = "System32"
End If       
' Set windows directory
strWIN = objWshShell.ExpandEnvironmentStrings("%windir%")
' Set the current directory
strCurrentDir = objFSO.GetParentFolderName(Wscript.ScriptFullName)
' Set computer name
strCompName = objWshShell.ExpandEnvironmentStrings("%computername%")
'/// Main script
    '/// Install via .msi & capture exit code
    'intExitCode = objWshShell.Run("msiexec.exe /i """ & strCurrentDir & "\package.msi""" & " TRANSFORMS=""" & strCurrentDir & _
    '    "\transform.mst"" ALLUSERS=1 Reboot=ReallySuppress /qn", 8, True)
    'wscript.quit(intExitCode)
    '****RUN COMMANDS HERE****
    ' Create folder structure if it doesn't exist already   
    strFullPath = "c:\Windows\Sun\Java\Deployment" '
    ' How many levels are there in the path?
    nLevel = 0
    strParentPath = strFullPath
    Do Until strParentPath = ""
        strParentPath = objFSO.GetParentFolderName(strParentPath)
        nLevel = nLevel + 1
    Loop
    For iLevel = 1 To nLevel
        ' Figure out path for directory at level iLevel
        strParentPath = strFullPath
        For j = 1 To nLevel - iLevel
            strParentPath = objFSO.GetParentFolderName(strParentPath)
          Next
    ' Does this directory exist? If not, create it.
        If objFSO.FolderExists(strParentPath) = False Then
            Set newFolder = objFSO.CreateFolder(strParentPath)
        End If
    Next
    ' Kill running processes
    objWshShell.Run "taskkill /F /IM iexplore.exe", 8, True
    objWshShell.Run "taskkill /F /IM firefox.exe", 8, True
    objWshShell.Run "taskkill /F /IM chrome.exe", 8, True
    objWshShell.Run "taskkill /F /IM javaw.exe", 8, True
    objWshShell.Run "taskkill /F /IM java.exe", 8, True
    objWshShell.Run "taskkill /F /IM jqs.exe", 8, True
    objWshShell.Run "taskkill /F /IM jusched.exe", 8, True
    ' Copy deployment files
    objFSO.CopyFile strCurrentDir & "\deployment.config", "c:\Windows\Sun\Java\Deployment\", True
    objFSO.CopyFile strCurrentDir & "\deployment.properties", "c:\Windows\Sun\Java\Deployment\", True
    ' Disable UAC
'    If bolIsWin8 Or bolIsWin81 = True Then
'        objWshShell.Run "reg.exe ADD HKLM\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\System /v PromptOnSecureDesktop /t REG_DWORD /d 0 /f", 8, True
'        objWshShell.Run "reg.exe ADD HKLM\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\System /v EnableLUA /t REG_DWORD /d 0 /f", 8, True
'        objWshShell.Run "reg.exe ADD HKLM\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\System /v ConsentPromptBehaviorAdmin /t REG_DWORD /d 0 /f", 8, True
'    End If
    ' Install application
    intExitCode = objWshShell.Run("msiexec.exe /i """ & strCurrentDir & "\jre1.7.0_51.msi"" IEXPLORER=1 AUTOUPDATECHECK=0 JAVAUPDATE=0 JU=0 WEB_JAVA=1 ALLUSERS=1 Reboot=ReallySuppress /qn", 8, True)
    ' Enable UAC
'    If bolIsWin8 Or bolIsWin81 = True Then
'        objWshShell.Run "reg.exe ADD HKLM\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\System /v PromptOnSecureDesktop /t REG_DWORD /d 1 /f", 8, True
'        objWshShell.Run "reg.exe ADD HKLM\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\System /v EnableLUA /t REG_DWORD /d 1 /f", 8, True
'        objWshShell.Run "reg.exe ADD HKLM\SOFTWARE\Microsoft\Windows\CurrentVersion\Policies\System /v ConsentPromptBehaviorAdmin /t REG_DWORD /d 5 /f", 8, True
'    End If   
    wscript.quit(intExitCode)
    '/// Install via .exe on network
    'objWshShell.Run """" & strCurrentDir & "\Setup.exe"" -s -sms -f1""" & strCurrentDir & _
    '    "\setup.iss"" -f2""" & strWIN & "\Temp\Install-app.txt""", 8, True
    ' Need to turn off the open file security warning first
    Set objEnv = objWshShell.Environment("PROCESS")
    objEnv("SEE_MASK_NOZONECHECKS") = 1
'    intExitCode = objWshShell.Run("""" & strCurrentDir & "\jre-7u45-windows-i586.exe"" /s /v""/norestart " & _
'        "TRANSFORMS=""" & strCurrentDir & "\Tribe-jre7.mst""""", 8, True)
'    WScript.Quit(intExitCode)
    '****RUN COMMANDS HERE****
    ' Then turn it back on
    objEnv.Remove("SEE_MASK_NOZONECHECKS")
'/// Additional functions
Help on this issue would be much appreciated!

It turns out that this is actually a problem with Kronos Workforce Central.  We had the "site.java.plugin.CLSID.familyVersion" setting in that application set to "clsid:CAFEEFAC-0016-0000-FFFF-ABCDEFFEDCBA", which is the Java CLSID for Java 6.  After updating this value to "clsid:8AD9C840-044E-11D1-B3E9-00805F499D93" (the Java universal CLSID), this problem did not occur upon the automatic upgrade of Java.
We have both Java 6 and Java 7 in our environment, and did during our Kronos implementation, so I don't know why we were using the Java 6 CLSID in the first place.
Case closed!

Similar Messages

  • Startxfce4 does not work after xfce4 installation [solved]

    When I
    # startxfce4
    I get no such file
    When I
    # /opt/xfce4/bin/startxfce4
    I get a lot of "not found" xfce4 modules (i.e. xfce4-session)
    When I put "exec startxfce4" in /.xinitrc, same thing ahppens
    ideas?

    Try logging out and logging back in.  Xfce is going to set some profile stuff for you that it needs.

  • Ciscowork 3.2.1 daemon manager is not working after patch installation

    Hi Team
    Ciscowork 3.2.1 daemon manager is not working after patch installation.
    C:\Documents and Settings\Administrator>net start crmdmgtd
    The CiscoWorks Daemon Manager service is starting.
    The CiscoWorks Daemon Manager service could not be started.
    The service did not report an error.
    More help is available by typing NET HELPMSG 3534.
    Also I checked syslog.log and it is showing below error
    an 17 14:39:34 127.0.0.1 100: <28>   dmgt[1316]: 2507(W):Daemon manager anonymous user has not been set up: 00000569
    Please suggest.
    With Regards,
    neena

    During installation, an user casuser is created with certian security settings and if those are modified\removed, DM will not start.
    Following message will be seen in /log/syslog.log
    Daemon manager anonymous user has not been set up: 00000775
    To solve the issue, run resetcasuser.exe located under /setup.support  to  recreate the settings.
    Make sure casuser account is not locked out. Make sure casuser is a member of casusers group and is set to "password never expires".
    Additionally you can try to make casuser a member of adiministrators group.
    -Thanks

  • Ciscowork3.2.1 daemon manager is not working after patch installation

    Ciscowork 3.2.1 daemon manager is not working after patch installation
    Hi Team
    Ciscowork 3.2.1 daemon manager is not working after patch installation.
    C:\Documents and Settings\Administrator>net start crmdmgtd
    The CiscoWorks Daemon Manager service is starting.
    The CiscoWorks Daemon Manager service could not be started.
    The service did not report an error.
    More help is available by typing NET HELPMSG 3534.
    Also I checked syslog.log and it is showing below error
    an 17 14:39:34 127.0.0.1 100: <28>   dmgt[1316]: 2507(W):Daemon manager anonymous user has not been set up: 00000569
    I reset the casuser password and restarted the service but still no luck....
    Please suggest.
    With Regards,
    neena

    Neena,
    Check the properties of casuser under Start > Settings > Control Panel > Administrative Tools > Computer Management > Local Users and Groups > Users and make sure it is not disabled or locked out.  The only thing checked should be "Password never expires".  Change anything required and reset casuser.

  • TS3367 Hi, the FaceTime just did not work between my mom and I. It used to work weeks ago, but now it does not work after showing"connecting". I feel frustrated and try all the method I can think of. Still do not work. Hope u can help me. Thanks!

    Hi, the FaceTime just did not work between my mom and I. It used to work weeks ago, but now it does not work after showing"connecting". I feel frustrated and try all the method I can think of. Still do not work. Hope u can help me. Thanks!

    Was it just this one time?  Could be that you, or your mom, were experiencing network problems.  Try again at a later time.

  • Applet does not work after conversion

    Hi,
    A have an html page on with a use an applet. The applet is downloaded in two cab files for the internet explorer.
    The applet and the download works fine without the java plugin.
    When I convert this page to using the html converter the applet does not work
    The error is
    java.lang.ClassNotFoundException: java.io.IOException: open HTTP connection failed.
         at sun.applet.AppletClassLoader.getBytes(Unknown Source)
         at sun.applet.AppletClassLoader.access$100(Unknown Source)
         at sun.applet.AppletClassLoader$1.run(Unknown Source)
         at java.security.AccessController.doPrivileged(Native Method)
         at sun.applet.AppletClassLoader.findClass(Unknown Source)
         at sun.plugin.security.PluginClassLoader.findClass(Unknown Source)
         at java.lang.ClassLoader.loadClass(Unknown Source)
         at sun.applet.AppletClassLoader.loadClass(Unknown Source)
         at java.lang.ClassLoader.loadClass(Unknown Source)
         at java.lang.ClassLoader.loadClassInternal(Unknown Source)
         at java.lang.Class.forName0(Native Method)
         at java.lang.Class.forName(Unknown Source)
         at oracle.forms.handler.UICommon.instantiate(Unknown Source)
         at oracle.forms.handler.UICommon.onCreate(Unknown Source)
         at oracle.forms.handler.JavaContainer.onCreate(Unknown Source)
         at oracle.forms.engine.Runform.onCreateHandler(Unknown Source)
         at oracle.forms.engine.Runform.processMessage(Unknown Source)
         at oracle.forms.engine.Runform.processSet(Unknown Source)
         at oracle.forms.engine.Runform.onMessageReal(Unknown Source)
         at oracle.forms.engine.Runform.onMessage(Unknown Source)
         at oracle.forms.engine.Runform.sendInitialMessage(Unknown Source)
         at oracle.forms.engine.Runform.startRunform(Unknown Source)
         at oracle.forms.engine.Main.createRunform(Unknown Source)
         at oracle.forms.engine.Main.start(Unknown Source)
         at sun.applet.AppletPanel.run(Unknown Source)
         at java.lang.Thread.run(Unknown Source)
    I think he fails on the downlad of the second cab file....
    Sombody any ideas,
    Thank
    Tom Van de Velde

    I recently moved to programming applets and this problem gave me many
    headaches. I know that the java compiler is supposed to compile with an
    appropriate version, but I suspect that there may be a few flaws in the
    system.
    Try compiling with a command like this to force a 1.1 compilation:
    "javac -target 1.1 yourfile.java"
    This enabled my applets to load in Netscape 4.6, something they wouldn't do before.
    Installing the java plugin seems to fix the problem on other browsers. This might
    be a new bug introduced by Java 1.4, since I had very few problems with
    Java 1.3...I dunno...that's speculation...

  • Phone not working after infinity installation

    I have just moved my phone and broadband from Sky to Bt and the engineer called this morning to complete the installation. I have 2 phone sockets. When I had broadband originally installed it was before the days of filters so it required a BT engineer visit. As my computer was upstairs the engineer 'back wired' the sockets (apologies if I have the terminology wrong) so the adsl faceplate was fitted to the upstairs wired extension. Today, the Openreach engineer was initially puzzled but said he would be able to install the Infinity faceplate on the upstairs extension as originally fitted. He checked the line was ok, checked the broadband connection and put the faceplate back on the 2 sockets. After he left I tried to make a call via the downstairs socket without success and I assumed that the phone line had not yet been changed back to BT. This afternoon I received an email from BT advising that my phone was now active but the downstairs socket will not work. I am able to make and receive calls on the upstairs extension. I have just spent 40 minutes on the phone to BT, explaining the problem to 4 different people. Each BT employee advised that it would cost £130 for an engineer to revisit my house to correct the fault that they had somehow caused! To say I'm frustrated is an understatement. Has anyone any suggestions how I can resolve the problem. All 4 BT employees did not really understand the problem. I would appreciate any help.
    Solved!
    Go to Solution.

    You cannot use a phone connection for broadband when on Infinity. The only connection that can be used is that which comes from the home hub 3, which is near the Openreach modem.
    You have to use wireless, run an Ethernet cable, or use Powerline adapters.
    You phone should work if it is plugged into the botton socket of the new Infinity master socket.
    There are some useful help pages here, for BT Broadband customers only, on my personal website.
    BT Broadband customers - help with broadband, WiFi, networking, e-mail and phones.

  • Java Applet is not working in IE11 in win8/win 2008 server

    Hi,
    we have developed web application using PHP. in the start of the page we have link which will kick start the Java Applet application on click.  
    It is not working in IE 11 browser with all windows machine until we add that page in the compatibility view settings.
    we have tried with many options like setting the meta tag in the start of the HTML page.
    but this is also not helped. we expect some more idea/solution to solve this issue.
    Thanks in Advance.
    Thanks.
    Udhayakumar Gururaj.

    IE 11 is not a supported browser of JavaFx. See http://www.oracle.com/technetwork/java/javafx/downloads/supportedconfigurations-1506746.html.
    If you want Oracle to change their support policy, ask Oracle customer support.
    Visual C++ MVP

  • Some built-in dictionaries not working after upgrading to iOS 8

    I've have just upgraded to iOS 8 on my iPad. After upgrading, I discovered that some of the built-in dictionaries that I have been using previously are not working. These are:
    German
    Japanese-English
    Simplified Chinese
    Simplified Chinese-English
    In the dialog window that appeared when I tapped on the "Manage" button, the icons besides these dictionaries show a "circle" instead of the "cloud (with download arrow". There was no response when I tapped on each of the circle icon.
    Would greatly any kind advice.
    Thank you.

    I Too have an iPad mini, dictionary works for me, using wifi.  However, it uses an American dictionary, which is frustrating...I'm in Australia and many words have different meanings in differnt countries gggrrrrrr

  • Update 10.6.8 and the combo pack v1.1 but java applets still not working

    Checked all the java settings in the browsers and in java preferences and they are correct.
    Tried both Firefox 5.0.1 and Safari 5.0.5 (6533.21.1) neither worked. Runing Java SE 6 (both 64 and 32 bit) version 1.6.0_26-b03-384
    Even tried to uncheck and disable then re-enable java and restart, cleared cache, etc. Tried it all.
    Thought the combo update version 1.1 would help. Nope didn't do anything.
    Wanted to upgrade the OS today, so installed all current updates. Never upgraded the OS because I want to have this fixed first.
    I don't use time machine since I don't store my folder system locally, so I can't revert back before the OS updates. Don't want to reinstall the OS, actually can't even remember where I put it. Any suggestions? When is the issue going to be fixed?
    Checked around on a dozen or so message boards, seems like this is happen quite a bit. Even heard upgrading to the new OS has the same issue.
    So, fustrated. Need the java applet working asap.

    None of those things you mentioned were what I suggested.
    I'm guessing the "ctrl click in printer preferences" means you Reset the Printing System?
    If so, that is what I would have suggested if deleting it by selecting the ( - ) button and then adding it with the ( + ) button.
    But, if HP has a fix, it likely needs to update its drivers.

  • Why command run "Java classname" do not work after successful compiling?

    Hi Gurus,
    I am working a Java pacakage (ncsa.hdf.jhv) in Windows 2000. After I have successfully compiled the package, then I try to run teh code by using command "Java JHV". It turns out saying that:
    Exception in thread "main" java.lang.NoClassDefFoundError: JHV (Wrong name: ncsa/hdf/jhv/JHV)
    Please help with this by reply or emial me direct to [email protected]
    Thansk,
    Chris

    When a class is part of a package, its full qualified class name is package.classname. When you enter "java JHV" java is finding a file named JHV.class but inside that file it finds the fully qualified name to be ncsa.hdf.jhv.JHV so you get the wrong name error. If your code is like:
    package ncsa.hdf.jhv;
    public class JHV {Then the command to execute JHV is:
    java ncsa.hdf.jhv.JHV
    You must have a directory path ncsa/hdf/jhv/ and the file JHV.class must be in the jhv directory. Finally, the ncsa directory must be in a directory in the system Classpath.

  • Java script will not work after creating new page

    I am using dreamweaver cs3 and have a java script to rotate a banner in a template.  This script has worked fine in the past when I created pages in Dreamwever.  Now the  script works fine only when I test it in a template but when I try to upload to my ISP the script will no longer work.  At first I thought it was the ISP made changes but the person who sits next to me running the same version of Dreamweaver can create a page and the java works.  The java is placed in a template, tested by viewing in a brower and it works, however once I try to create a new page using the template the scriipt will not work.  To get around this I have the person sitting next to me save my template and then I can create pages.  Also if I save the template with my pc and it updates the pages created by the template the java will no longer work.
    This is very frustrating as I cannot create or modify my template on this pc.  What would prevent this from working?

    OK - now we are on to something ..... the script on the template only contains:
    function randomImages(){
      if(counter == (imgs.length)){
        counter = 0;
    MM_swapImage('rotator', '', imgs[counter++]);
      setTimeout('randomImages()', delay);
    However when I create a new page from the template with this javascript in it the code changes to:
    function randomImages(){
      if(counter == (imgs.length)){
        counter = 0;
    MM_swapImage('rotator', '', imgs[counter++]imgs[i]);
    function randomImages(){
      if(counter == (imgs.length)){
        counter = 0;
    MM_swapImage('rotator', '', imgs[counter++]);
      setTimeout('randomImages()', delay);

  • Java applets videos not working on my MacBook Pro late 2011

    Hello,
    I have Mac book pro wit os lion x 10.7.3 and the problem is that i am unable to play java videos from certain sites..
    here is the screenshot please help me on this isue.

    Hi ...
    Installing this update may help >  Java for OS X Lion Update 1
    Then restart your Mac, launch Chrome.
    From the Chrome menu bar top of your screen click Chrome > Preferences and make sure Java is enabled.

  • Satellite L450D Webcam not working after new installation without recovery

    Hi there,
    as posted in the thread title I have a problem with the integrated webcam of a customer notebook. Two days ago the operating system of this laptop was damaged by a virus and needed to be re-installed. I tried to install it with the recovery partition, which did not work. After it I tried to re-built it with the dvd I burned from the recovery partition with the same result.
    The only thing that worked was a clean install with a windows 7 64 Bit retail dvd and the key printed on the sticker of the laptop. I managed to get everything working again except one part - the webcam.
    No driver installation, bios update and re-installation worked to get this part to work.
    Did anyone of you know this problem and have a fix for me?
    Thanks in advance.
    Greetings Saphire
    P.S.: One thing shall be also important. When I look into the installed devices manager the driver for the webcam is listed as usb webcam and the manufaturer of it is Microsoft.

    Hi
    I dont think that this needs to be fixed because I dont think its hardware related issue.
    I think there is something wrong with the software on your notebook.
    I mean everything worked perfectly until virus has damage the OS. Right?
    You said this:
    >I tried to install it with the recovery partition, which did not work. After it I tried to re-built it with the dvd I burned from the recovery partition with the same result.
    I really wonder why you could not get this working using Recovery disk.
    So possibly this is the key to this issue
    On the Toshiba European driver page I could find Registry Patch v1.1 For Win 7 64bit
    Also webcam driver v 1.1.1.4 is available there
    I think the OS is responsible for your issue possibly some patches are applied or similar

  • Microsoft Word 2008 does not work after lion installation

    After I installed Lion in my MacBook Pro, Microsoft word 2008 failed to work properly. Each time I try to quit word an error message appears and word closes and reloads automatically. The only way I can now really quite word is by the 'Force quit' option (in the apple menu). Word was working properly with Snow Leopard, so no idea what happened there... Any hint? Thanks

    Ok, did exactly what you said... To 'make word crash' I only had to open it and then try to 'quit' it, in crashes 100% of the time...
    1/3/12 11:43:29.066 AM com.apple.launchd.peruser.501: ([0x0-0x99099].com.microsoft.Word[970]) Exited: Killed: 9
    1/3/12 11:43:31.983 AM Microsoft Error Reporting: CFURLCreateWithString was passed this invalid URL string: '/StageOne/Generic/MacCrash/com_microsoft_word/12_3_2_111121/microsoftcomponent plugin/12_3_2_111121/0x000ed279.htm?lcid=1033&os=10.7.2&testDrive=NO' (a file system path instead of an URL string). The URL created will not work with most file URL functions. CFURLCreateWithFileSystemPath or CFURLCreateWithFileSystemPathRelativeToBase should be used instead.
    1/3/12 11:43:31.984 AM Microsoft Error Reporting: CFURLCreateWithBytes was passed these invalid URLBytes: '/StageOne/Generic/MacCrash/com_microsoft_word/12_3_2_111121/microsoftcomponent plugin/12_3_2_111121/0x000ed279.htm?lcid=1033&os=10.7.2&testDrive=NO' (a file system path instead of an URL string). The URL created will not work with most file URL functions. CFURLCreateFromFileSystemRepresentation should be used instead.
    1/3/12 11:43:31.984 AM [0x0-0x99099].com.microsoft.Word: 2012-01-03 11:43:31.983 Microsoft Error Reporting[977:7703] CFURLCreateWithString was passed this invalid URL string: '/StageOne/Generic/MacCrash/com_microsoft_word/12_3_2_111121/microsoftcomponent plugin/12_3_2_111121/0x000ed279.htm?lcid=1033&os=10.7.2&testDrive=NO' (a file system path instead of an URL string). The URL created will not work with most file URL functions. CFURLCreateWithFileSystemPath or CFURLCreateWithFileSystemPathRelativeToBase should be used instead.
    1/3/12 11:43:31.984 AM [0x0-0x99099].com.microsoft.Word: 2012-01-03 11:43:31.983 Microsoft Error Reporting[977:7703] CFURLCreateWithBytes was passed these invalid URLBytes: '/StageOne/Generic/MacCrash/com_microsoft_word/12_3_2_111121/microsoftcomponent plugin/12_3_2_111121/0x000ed279.htm?lcid=1033&os=10.7.2&testDrive=NO' (a file system path instead of an URL string). The URL created will not work with most file URL functions. CFURLCreateFromFileSystemRepresentation should be used instead.
    I hope you can make some sense of all that!
    Thanks!

Maybe you are looking for

  • How to find a regular expression in a statement

    I have to find regex in a statement and return boolean true if it matches . regexpression : AR%SUPERUSER How to write in code? I have tried this String EXAMPLE_TEST = "This is my AR SUPERUSER string which I'm going to use for pattern matching."; Syst

  • ApEx BIP report using webservice: could not convert null to bean field

    Seems like a pretty straightforward problem but I don't manage to find a solution. I have a BI Suite implementation on one server. And a database with ApEx on another server. I want to call a BIP report from within my ApEx application using the webse

  • USB 1.1 vs. 2.0`

    Can I use a device with USB 2.0 with my Graphite SE iBook? I understand that it is a software issue. I need to get a new scanner but the newer ones have USB 2.0. Will it just run slower or is it not compatable? iBook SE Graphite Firewire   Mac OS X (

  • Reports 6 - Print Formatting Issues

    If our default printer is 'HP Laser1' and we send a bitmap Reports 6 report to the previewer (where page 1 gets formatted so you can see it) and then change the printer from the previewer to 'Genicom Printer', page 1 will be formatted properly, but t

  • Error 1606 on download of adobe reader 9.0

    Could someone please help in answering this question for me.  Trying to download adobe reader 9.0 getting error 1606 and it will not download.  Do not know what to try??? Please help!!!!