DDE problem (close file)

I use Oracle Forms 6 and DDE package.
My dde peace of code work normal and fine, but problem is: How I can work with DDE without show word document on the screen or close that document which is show on screen?
and later unlock that file so I can cut it or delete it?
Another question is: is there any way to formating my word template without make some macro (for ms word) in VB?
thanks and best regards.
mret

Are you sure the error occurs at Close File VI?  You should put your code in highlight execution mode (the light bulb on the block diagram) and watch your error cluster wire, it will show the error in red text when it occurs, this info may help to pinpoint the issue.
CLA, CLED, CTD,CPI, LabVIEW Champion
Platinum Alliance Partner
Senior Engineer
Using LV 2013, 2012
Don't forget Kudos for Good Answers, and Mark a solution if your problem is solved.

Similar Messages

  • I suddenly have this error message on FireFoxthis message pops up: "Could not initialize the application's security component. The most likely cause is problems with files in your application's profile directory. Please check that this directory has no re

    I suddenly encounter this error message from Fire Fox.
    Could not initialize the application's security component. The most likely cause is problems with files in your application's profile directory. Please check that this directory has no read/write restrictions and your hard disk is not full or close to full. It is recommended that you exit the application and fix the problem. If you continue to use this session, you might see incorrect application behaviour when accessing security features.
    I uninstalled the browser and download a new version but it does not resolve the issue.
    I know my hard disc has ample space. I do NOT know where to find the Profile directory to fix the read restriction box.
    == This happened ==
    Every time Firefox opened
    == After something about security add-on of Norton pop up by itself. ==
    == User Agent ==
    Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1; MSN Optimized;US)

    This link shows things to check - https://support.mozilla.com/kb/Could+not+initialize+the+browser+security+component

  • I have problems transferring files from PC to Mac and from Mac to Mac

    I have problems transferring files from PC to Mac, and from Mac to Mac.  PC to PC is fine.  Nothing but problems with the Mac.  One example:
    While working on my PC, I open shared folders on an external HDD connected to the Mac.  I click on paste to move the files.  I get an error after a few seconds to a minute of trying to move several files from my PC Win 7 to Mac OS Maverick, that there is a file already at the destination on Mac. This statement is true, but it was just put there because I am copying them over in that same action.  It reads 0Kb and wasn't there before I started.  Then I get an error: The Action Cannot be completed because the folder is open in another program.  Close the folder or file and try again..
    Whether I click on it a bunch right of way or wait, it still takes about 45 seconds. I have to do it with every file and it only happens when copying from a PC to Mac.  I have even restarted both computers so nothing is using any files.  If I copy one file at a time, I don't get any error.
    So I have one file to move, no problem.  If move 5 files, The first will go fine, but it shows all 5 files in folder at once.  All other files than the first show 0kb. I get the file already existing error once it starts the second file transfer, and I select move and replace.  Then I get The Action Cannot be completed because the folder is open in another program.  I wait or click repeatedly until it starts to move file.  That file will then show something other than 0kb.  When it is done, the error process starts all over.  I tried checking the PC with unlocker, but the files do not show themselves locked on the PC.

    Its not only French. Even certain characters in English will come across as gobblydegook from 1 platform to another. I see this in emails that likely were composed in Word & the characters don't come across.
    Not sure if this is still true, but years ago someone explained that there is a standard character set & then I think its extended characters & those vary from platform to platform or language to language, etc.

  • Problem with file permissions

    Hello all,
    I am making a simple HttpServlet, which takes input
    from html page and saves in to a file, but I'm having a
    bit of a problem with file permissions.
    I'm getting the following exception
    java.security.AccessControlException: access denied (java.io.FilePermission ./data/result read)
         java.security.AccessControlContext.checkPermission(AccessControlContext.java:264)
         java.security.AccessController.checkPermission(AccessController.java:427)
         java.lang.SecurityManager.checkPermission(SecurityManager.java:532)
         java.lang.SecurityManager.checkRead(SecurityManager.java:871)
         java.io.File.exists(File.java:700)
         SyksyHTTPServlet.doPost(SyksyHTTPServlet.java:31)
         javax.servlet.http.HttpServlet.service(HttpServlet.java:709)
         javax.servlet.http.HttpServlet.service(HttpServlet.java:802)
         sun.reflect.GeneratedMethodAccessor52.invoke(Unknown Source)
         sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         java.lang.reflect.Method.invoke(Method.java:585)
         org.apache.catalina.security.SecurityUtil$1.run(SecurityUtil.java:243)
         java.security.AccessController.doPrivileged(Native Method)
         javax.security.auth.Subject.doAsPrivileged(Subject.java:517)
         org.apache.catalina.security.SecurityUtil.execute(SecurityUtil.java:275)
         org.apache.catalina.security.SecurityUtil.doAsPrivilege(SecurityUtil.java:161)The exception seems to occur when I'm trying to check whether the file already
    exists or not.
    The data directory has all permissions (read, write and execute) set for all users,
    and I have made an empty file called result inside the data directory for testing.
    This file has read and write permissions enabled for all users.
    Here's my code
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.io.*;
    import java.util.Enumeration;
    import java.util.List;
    import java.util.ArrayList;
    public class SyksyHTTPServlet extends HttpServlet
         public void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException
              int totalCount = 0;
              List list;
              String song = request.getParameter("song");
              PrintWriter out = response.getWriter();
              File file = new File("./data/result");
              if(file.exists())  // this is line 31, which seems to cause the exception
                   list = readFile(file);
              else
                   file.createNewFile();
                   list = new ArrayList();
              list.add(song);
              writeFile(file, list);
              for(int i = 0 ; i < list.size() ; i++)
                   out.println(list.get(i));
         public void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException
              doPost(request, response);
         private List readFile(File file)
              List list = null;
              try
                   FileInputStream fis = new FileInputStream(file);
                   ObjectInputStream ois = new ObjectInputStream(fis);
                   list = (ArrayList)ois.readObject();
                   ois.close();
              catch(Exception e)
                   e.printStackTrace();
              return list;
         private void writeFile(File file, List list)
              try
                   FileOutputStream fos = new FileOutputStream(file);
                   ObjectOutputStream oos = new ObjectOutputStream(fos);
                   oos.writeObject(list);
                   oos.flush();
                   oos.close();
              catch(Exception e)
                   e.printStackTrace();
    }I'm using Tomcat 5.5 on Ubuntu Linux, if that has anything to do with this.
    I'll appreciate all help.
    kari-matti

    Hello again.
    I'm still having problems with this. I made
    a simple servlet that reads from and writes
    to text file. The reading part work fine on my
    computer, but the writing doesn't, not even
    an exception is thrown if the file exists that
    I'm trying to write to. If I try to create a new
    file I'll get an exception about file permissions.
    I also asked a friend of mine to try this same
    servlet on his windows computer and it works
    as it should.
    Here's the code
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.io.*;
    public class ReadServlet extends HttpServlet
         public void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException
              String s = "";
              PrintWriter out = response.getWriter();
              String docroot = getServletContext().getRealPath( "/" );
              out.println("docroot: "+docroot);
              File file = new File(docroot+"test.txt");
              if(file.exists())
                   s = readFile(file);
                   out.println(s);
              else
                   out.println("file not found");
                   //file.createNewFile();                    // causes exception
                   //out.println("new file created.");
              writeFile(file, "written by servlet");
              out.println("Now look in the file "+file.getPath());
              out.println("and see if it contains text 'written by servlet'");
         public void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException
              doPost(request, response);
         private String readFile(File file)
              FileInputStream fis = null;
              BufferedInputStream bis = null;
              DataInputStream dis = null;
              String s = "";
              try
                   fis = new FileInputStream(file);
                   bis = new BufferedInputStream(fis);
                   dis = new DataInputStream(bis);
                   s = dis.readLine();
                   fis.close();
                   bis.close();
                   dis.close();
              catch(Exception e)
                   e.printStackTrace();
              return s;
         private void writeFile(File file, String s)
              FileOutputStream fos = null;
              BufferedOutputStream bos = null;
              DataOutputStream dos = null;
              try
                   fos = new FileOutputStream(file);
                   bos = new BufferedOutputStream(fos);
                   dos = new DataOutputStream(bos);
                   dos.writeChars(s);
                   fos.flush();
                   bos.flush();
                   dos.flush();
                   fos.close();
                   bos.close();
                   dos.close();
              catch(Exception e)
                   e.printStackTrace();
    }And if someone wants to test this servlet I can
    give a war package.
    Any advices?
    kari-matti

  • Problem with file descriptors not released by JMF

    Hi,
    I have a problem with file descriptors not released by JMF. My application opens a video file, creates a DataSource and a DataProcessor and the video frames generated are transmitted using the RTP protocol. Once video transmission ends up, if we stop and close the DataProcessor associated to the DataSource, the file descriptor identifying the video file is not released (checkable through /proc/pid/fd). If we repeat this processing once and again, the process reaches the maximum number of file descriptors allowed by the operating system.
    The same problem has been reproduced with JMF-2.1.1e-Linux in several environments:
    - Red Hat 7.3, Fedora Core 4
    - jdk1.5.0_04, j2re1.4.2, j2sdk1.4.2, Blackdown Java
    This is part of the source code:
    // video.avi with tracks audio(PCMU) and video(H263)
    String url="video.avi";
    if ((ml = new MediaLocator(url)) == null) {
    Logger.log(ambito,refTrazas+"Cannot build media locator from: " + url);
    try {
    // Create a DataSource given the media locator.
    Logger.log(ambito,refTrazas+"Creating JMF data source");
    try
    ds = Manager.createDataSource(ml);
    catch (Exception e) {
    Logger.log(ambito,refTrazas+"Cannot create DataSource from: " + ml);
    return 1;
    p = Manager.createProcessor(ds);
    } catch (Exception e) {
    Logger.log(ambito,refTrazas+"Failed to create a processor from the given url: " + e);
    return 1;
    } // end try-catch
    p.addControllerListener(this);
    Logger.log(ambito,refTrazas+"Configure Processor.");
    // Put the Processor into configured state.
    p.configure();
    if (!waitForState(p.Configured))
    Logger.log(ambito,refTrazas+"Failed to configure the processor.");
    p.close();
    p=null;
    return 1;
    Logger.log(ambito,refTrazas+"Configured Processor OK.");
    // So I can use it as a player.
    p.setContentDescriptor(new FileTypeDescriptor(FileTypeDescriptor.RAW_RTP));
    // videoTrack: track control for the video track
    DrawFrame draw= new DrawFrame(this);
    // Instantiate and set the frame access codec to the data flow path.
    try {
    Codec codec[] = {
    draw,
    new com.sun.media.codec.video.colorspace.JavaRGBToYUV(),
    new com.ibm.media.codec.video.h263.NativeEncoder()};
    videoTrack.setCodecChain(codec);
    } catch (UnsupportedPlugInException e) {
    Logger.log(ambito,refTrazas+"The processor does not support effects.");
    } // end try-catch CodecChain creation
    p.realize();
    if (!waitForState(p.Realized))
    Logger.log(ambito,refTrazas+"Failed to realize the processor.");
    return 1;
    Logger.log(ambito,refTrazas+"realized processor OK.");
    /* After realize processor: THESE LINES OF SOURCE CODE DOES NOT RELEASE ITS FILE DESCRIPTOR !!!!!
    p.stop();
    p.deallocate();
    p.close();
    return 0;
    // It continues up to the end of the transmission, properly drawing each video frame and transmit them
    Logger.log(ambito,refTrazas+" Create Transmit.");
    try {
    int result = createTransmitter();
    } catch (Exception e) {
    Logger.log(ambito,refTrazas+"Error Create Transmitter.");
    return 1;
    } // end try-catch transmitter
    Logger.log(ambito,refTrazas+"Start Procesor.");
    // Start the processor.
    p.start();
    return 0;
    } // end of main code
    * stop when event "EndOfMediaEvent"
    public int stop () {
    try {   
    /* THIS PIECE OF CODE AND VARIATIONS HAVE BEEN TESTED
    AND THE FILE DESCRIPTOR IS NEVER RELEASED */
    p.stop();
    p.deallocate();
    p.close();
    p= null;
    for (int i = 0; i < rtpMgrs.length; i++)
    if (rtpMgrs==null) continue;
    Logger.log(ambito, refTrazas + "removeTargets;");
    rtpMgrs[i].removeTargets( "Session ended.");
    rtpMgrs[i].dispose();
    rtpMgrs[i]=null;
    } catch (Exception e) {
    Logger.log(ambito,refTrazas+"Error Stoping:"+e);
    return 1;
    return 0;
    } // end of stop()
    * Controller Listener.
    public void controllerUpdate(ControllerEvent evt) {
    Logger.log(ambito,refTrazas+"\nControllerEvent."+evt.toString());
    if (evt instanceof ConfigureCompleteEvent ||
    evt instanceof RealizeCompleteEvent ||
    evt instanceof PrefetchCompleteEvent) {
    synchronized (waitSync) {
    stateTransitionOK = true;
    waitSync.notifyAll();
    } else if (evt instanceof ResourceUnavailableEvent) {
    synchronized (waitSync) {
    stateTransitionOK = false;
    waitSync.notifyAll();
    } else if (evt instanceof EndOfMediaEvent) {
    Logger.log(ambito,refTrazas+"\nEvento EndOfMediaEvent.");
    this.stop();
    else if (evt instanceof ControllerClosedEvent)
    Logger.log(ambito,refTrazas+"\nEvent ControllerClosedEvent");
    close = true;
    waitSync.notifyAll();
    else if (evt instanceof StopByRequestEvent)
    Logger.log(ambito,refTrazas+"\nEvent StopByRequestEvent");
    stop =true;
    waitSync.notifyAll();
    Many thanks.

    Its a bug on H263, if you test it without h263 track or with other video codec, the release will be ok.
    You can try to use a not-Sun h263 codec like the one from fobs or jffmpeg projects.

  • Problem in File Download

    In some thread, i had this problem with file download that instead of opening File Save..popup, the contents of file on the server were being rendered statically as HTML. I have figured out the solution to that but now the thing is in every file, there are some \n\r being added in the beginning of the file. Can anybody help. Here's is my code.
    <%@ page import="java.io.*"%>
    <%
         try
              response.setContentType("APPLICATION/OCTET-STREAM");
              String strProjectInfoPageHeader = "Attachment;Filename=\"" + request.getParameter("txtProjectInfoPageFileName") + "\"";
              response.setHeader("Content-Disposition", strProjectInfoPageHeader);
              File fileToDownloadProjectInfoPage = new File(request.getParameter("txtProjectInfoPageFilePath"));
              FileInputStream fileInputStreamProjectInfoPage = new FileInputStream(fileToDownloadProjectInfoPage);
              int varProjectInfoPage;
              while ( (varProjectInfoPage=fileInputStreamProjectInfoPage.read()) != -1 )
                   out.write(varProjectInfoPage);
              out.flush();
              out.close();
              fileInputStreamProjectInfoPage.close();
         catch(Exception e)
              out.println(e);
    %>Thanks and regards
    Vikram

    JSPs will invariably have newlines and whitespace in them, even if you don't explicitly put them. Instead of wasting time trying to fix it, just move your code to a servlet and map it to the same path. That's the fastest and most sensible solution. It also follows the convention that JSPs are to be used for display only and servlets for processing.
    People on the forum help others voluntarily, it's not their job.
    Help them help you.
    Learn how to ask questions first: http://www.catb.org/~esr/faqs/smart-questions.html
    ----------------------------------------------------------------

  • NT security problems with file I/O

    I have 2 problems with file I/O. When I read from a file I use the getAbsolutePath() method that is part of the File class to find what directory the files are currenlty. The problem is that the returned path says that the file is on the desktop no matter what directory the file really is in. The second problem is that I am unable to save files anywhere but the desktop. I must run the class files from the desktop too to get it to work.
    I am using NT 4.0 for development. I'm guessing that these problems might be NT security related. Could someone help me?
    Code below:
    import java.awt.*;
    import java.applet.*;
    import java.net.*;
    import java.io.File;
    import java.awt.event.*;
    //import java.security.*;
    //import sun.security.*;
    //import java.awt.Window;
    //import com.ms.security.*;
    public class Edit extends Applet implements ActionListener, ItemListener
    String Gselect;
    reader readit;
    int mhz, khz;
    TextField textField1;
    String freq = "000.000";
    String data;
    Choice freqC;
    Button ActivateB, SaveB, /*CancelB, HelpB,*/ DeleteB;
    Checkbox SetC;
    int NotUsedReply[] = new int[200];
    int HwListReply[] = new int[200];
    public void init()
    readit = new reader();
    String myFile="satellite.st1";
    // myFile = myFile.concat(Gselect);
    File satellite = new File(myFile);
    textField1 = new TextField();
    textField1.setText( "(void) " );
    add( textField1 );
    SetC = new Checkbox("TRAP-RX");
    add(SetC);
    SetC.addItemListener(this);
    freqC = new Choice();
    freqC.setSize(20,50);
    freqC.add("000.000");
    add(freqC);
    freqC.addItemListener(this);
    ActivateB = new Button("Activate");
    add(ActivateB);
    ActivateB.addActionListener(this);
    SaveB = new Button("Save");
    add(SaveB);
    SaveB.addActionListener(this);
    DeleteB = new Button("Delete");
    add(DeleteB);
    DeleteB.addActionListener(this);
         /*CancelB = new Button("Cancel");
    add(CancelB);
    CancelB.addActionListener(this);
         HelpB = new Button("Help");
    add(HelpB);
    HelpB.addActionListener(this);*/
    //textField1.setText( data );
    for(int a = 1; a < 9; a++)
    data = readit.getData(satellite.getAbsolutePath(), a);//("E:\\forte4j\\system\\Projects\\Zebra\\satellite.st1", a);
    freqC.addItem(data);
    textField1.setText(satellite.getAbsolutePath() );
    public void paint(Graphics g)
    //g.drawString("Radio Setup Files",20, 20);
    //g.drawString(getParameter("wse"),20, 20);
    public void actionPerformed(ActionEvent event)
    if(event.getSource() == ActivateB)
    activator();
    if(event.getSource() == SaveB)
    /*if(event.getSource() == CancelB)
    stop();
    if(event.getSource() == HelpB)
    if(event.getSource() == DeleteB)
    public void itemStateChanged(ItemEvent e)
    if(e.getItemSelectable() == SetC)
    textField1.setText("Check box 1 clicked!");
    if(e.getItemSelectable() == freqC)
    freq = ((Choice)e.getItemSelectable()).getSelectedItem();
    public void activator()
    makeMHZ();
    makeKHZ();
    if(mhz > 254)
    int StartLink[]={0x0c,0x01,0x07,0x00,0x00,0x00,0x00,0x00,0x00};          //New Link Proc Start
    int TrapConfig[]={0x25,0x80,0x00,0x00,0x00,0xb7,0x00,0x0c,0x0b,          //TRAP Configuration
    0x00,0x00,0x00,0xff,0xa0,0xff,0x0d,0xff,0xe8,
    0xff,0x0d,0xff,0x00,0xff,0x15,0xff,0xb0,0xff,
    0xff,0xff,0x94,0x0a,0x01,0x06,0x1a,0x00,0x0d,
    0x2d,0x21};
    TrapConfig[11]=(mhz-255);
    TrapConfig[12]=(khz/5);
    int SetUserOutput[]={0x41,0x42,0x49,0x54,0x52,0x41,0x50,0x20,0x34, //Sets User Output Format
    0x35,0x34,0x35,0x30,0x30,0x2e,0x30,0x4e,0x30,
    0x38,0x32,0x34,0x35,0x30,0x30,0x2e,0x30,0x57,
    0x30,0x31,0x30,0x30,0x2e,0x30,0x30,0x4b,0x4d,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00};
    sendget CmdFunc;
    CmdFunc=new sendget();
    try
    //PolicyEngine.assertPermission(PermissionID.SYSTEM);
    Socket h = new Socket("192.9.200.155",9000);
    Socket s = new Socket("192.9.200.155",9001);
    Socket t = new Socket("192.9.200.155",9002);
    int j;
    CmdFunc.SendCmd(h,0,0x01,null);
    CmdFunc.GetCmd(h,HwListReply);
    CmdFunc.SendCmd(s,9,0x1e,StartLink); //New Link Proc Start
    CmdFunc.GetCmd(s,NotUsedReply);
    CmdFunc.SendCmd(s,37,0x00,TrapConfig); //TRAP Configuration
    CmdFunc.GetCmd(s,NotUsedReply);
    CmdFunc.SendCmd(s,155,0x03,SetUserOutput);//Sets User Output Format
    CmdFunc.GetCmd(s,NotUsedReply);
    catch(Exception e){}
    else
    textField1.setText( "000.000 is the null choice. Try another." );
    public void receiveText1( String select )
    Gselect=select;
    public void makeMHZ()
    String y = freqC.getSelectedItem();
    y = y.substring(0,3);
    mhz = Integer.parseInt(y);
    //textField1.setText( y );
    public void makeKHZ()
    String y = freqC.getSelectedItem();
    y = y.substring(4,7);
    khz = Integer.parseInt(y);
    //textField1.setText( y );
    import java.awt.*;
    import java.applet.*;
    import java.io.RandomAccessFile;
    import java.io.FileNotFoundException;
    import java.io.IOException;
    import java.io.LineNumberReader;
    import java.awt.event.*;
    import com.ms.security.*;
    import netscape.security.*;
    import netscape.util.*;
    public class saver extends Applet implements ActionListener
    String nameS = "Data.txt";
    String dataS = "Default Data";
    Button saveB;
    public void init()
    saveB = new Button("SaveFile");
    add(saveB);
    saveB.addActionListener(this);
    public void actionPerformed(ActionEvent event)
    if(event.getSource() == saveB)
    RandomAccessFile RAF;
    byte array0[] = dataS.getBytes();
    try
    if (Class.forName("com.ms.security.PolicyEngine") != null)
    PolicyEngine.assertPermission(PermissionID.SYSTEM);
    if(Class.forName("netscape.security.PrivilegeManager") != null)
    netscape.security.PrivilegeManager.enablePrivilege("UniversalFileWrite");
    catch (Throwable cnfe)
    try
    RAF = new RandomAccessFile(nameS, "rw");
    // RAF.writeUTF(dataS);
    RAF.write(dataS.getBytes());
    RAF.close();
    catch(Exception e)
    public void receiveND(String name, String data)
    if(name != null)
    nameS = name;
    dataS=data;
    import java.io.RandomAccessFile;
    import java.io.FileNotFoundException;
    import java.io.IOException;
    import java.io.LineNumberReader;
    //import java.security.*;
    import com.ms.security.*;
    import netscape.security.*;
    import netscape.util.*;
    public class reader
    //Signature sig;
    public String getData(String filename, int pass)
    //String nameS = "Data.txt";
    String dataS = "Default Data Sucks";
    String comma = ",";
    int get = pass, count=0, top=0, bottom=0;
    char[] work;
    try
    if (Class.forName("com.ms.security.PolicyEngine") != null)
    PolicyEngine.assertPermission(PermissionID.SYSTEM);
    if(Class.forName("netscape.security.PrivilegeManager") != null)
    netscape.security.PrivilegeManager.enablePrivilege("UniversalFileRead");
    catch (Throwable cnfe)
    try
    //sig.sign();
    //nameS = filename;
    RandomAccessFile RAF = new RandomAccessFile(filename, "r");
    // dataS = RAF.readUTF();
    dataS = RAF.readLine();
    RAF.close();
    catch(Exception e)
    return e.toString();
    work = dataS.toCharArray();
    for(int i = 0; i < dataS.length(); i++)
    if( work[i] == ',' )
    count++;
    if(get == count)
    bottom = i + 1;
    if( (work[i] == ',') && (count > get) && (top == 0) )
    top = i;
    dataS = dataS.substring(bottom,top);
    return dataS;
    }

    import java.awt.*;
    import java.applet.*;
    import java.net.*;
    import java.io.File;
    import java.awt.event.*;
    //import java.security.*;
    //import sun.security.*;
    //import java.awt.Window;
    //import com.ms.security.*;
    public class Edit extends Applet implements ActionListener, ItemListener
    String Gselect;
    reader readit;
    int mhz, khz;
    TextField textField1;
    String freq = "000.000";
    String data;
    Choice freqC;
    Button ActivateB, SaveB, /*CancelB, HelpB,*/ DeleteB;
    Checkbox SetC;
    int NotUsedReply[] = new int[200];
    int HwListReply[] = new int[200];
    public void init()
    readit = new reader();
    String myFile="satellite.st1";
    // myFile = myFile.concat(Gselect);
    File satellite = new File(myFile);
    textField1 = new TextField();
    textField1.setText( "(void) " );
    add( textField1 );
    SetC = new Checkbox("TRAP-RX");
    add(SetC);
    SetC.addItemListener(this);
    freqC = new Choice();
    freqC.setSize(20,50);
    freqC.add("000.000");
    add(freqC);
    freqC.addItemListener(this);
    ActivateB = new Button("Activate");
    add(ActivateB);
    ActivateB.addActionListener(this);
    SaveB = new Button("Save");
    add(SaveB);
    SaveB.addActionListener(this);
    DeleteB = new Button("Delete");
    add(DeleteB);
    DeleteB.addActionListener(this);
    /*CancelB = new Button("Cancel");
    add(CancelB);
    CancelB.addActionListener(this);
    HelpB = new Button("Help");
    add(HelpB);
    HelpB.addActionListener(this);*/
    //textField1.setText( data );
    for(int a = 1; a < 9; a++)
    data = readit.getData(satellite.getAbsolutePath(), a);//("E:\\forte4j\\system\\Projects\\Zebra\\satellite.st1", a);
    freqC.addItem(data);
    textField1.setText(satellite.getAbsolutePath() );
    public void paint(Graphics g)
    //g.drawString("Radio Setup Files",20, 20);
    //g.drawString(getParameter("wse"),20, 20);
    public void actionPerformed(ActionEvent event)
    if(event.getSource() == ActivateB)
    activator();
    if(event.getSource() == SaveB)
    /*if(event.getSource() == CancelB)
    stop();
    if(event.getSource() == HelpB)
    if(event.getSource() == DeleteB)
    public void itemStateChanged(ItemEvent e)
    if(e.getItemSelectable() == SetC)
    textField1.setText("Check box 1 clicked!");
    if(e.getItemSelectable() == freqC)
    freq = ((Choice)e.getItemSelectable()).getSelectedItem();
    public void activator()
    makeMHZ();
    makeKHZ();
    if(mhz > 254)
    int StartLink[]={0x0c,0x01,0x07,0x00,0x00,0x00,0x00,0x00,0x00}; //New Link Proc Start
    int TrapConfig[]={0x25,0x80,0x00,0x00,0x00,0xb7,0x00,0x0c,0x0b, //TRAP Configuration
    0x00,0x00,0x00,0xff,0xa0,0xff,0x0d,0xff,0xe8,
    0xff,0x0d,0xff,0x00,0xff,0x15,0xff,0xb0,0xff,
    0xff,0xff,0x94,0x0a,0x01,0x06,0x1a,0x00,0x0d,
    0x2d,0x21};
    TrapConfig[11]=(mhz-255);
    TrapConfig[12]=(khz/5);
    int SetUserOutput[]={0x41,0x42,0x49,0x54,0x52,0x41,0x50,0x20,0x34, //Sets User Output Format
    0x35,0x34,0x35,0x30,0x30,0x2e,0x30,0x4e,0x30,
    0x38,0x32,0x34,0x35,0x30,0x30,0x2e,0x30,0x57,
    0x30,0x31,0x30,0x30,0x2e,0x30,0x30,0x4b,0x4d,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
    0x00,0x00};
    sendget CmdFunc;
    CmdFunc=new sendget();
    try
    //PolicyEngine.assertPermission(PermissionID.SYSTEM);
    Socket h = new Socket("192.9.200.155",9000);
    Socket s = new Socket("192.9.200.155",9001);
    Socket t = new Socket("192.9.200.155",9002);
    int j;
    CmdFunc.SendCmd(h,0,0x01,null);
    CmdFunc.GetCmd(h,HwListReply);
    CmdFunc.SendCmd(s,9,0x1e,StartLink); //New Link Proc Start
    CmdFunc.GetCmd(s,NotUsedReply);
    CmdFunc.SendCmd(s,37,0x00,TrapConfig); //TRAP Configuration
    CmdFunc.GetCmd(s,NotUsedReply);
    CmdFunc.SendCmd(s,155,0x03,SetUserOutput);//Sets User Output Format
    CmdFunc.GetCmd(s,NotUsedReply);
    catch(Exception e){}
    else
    textField1.setText( "000.000 is the null choice. Try another." );
    public void receiveText1( String select )
    Gselect=select;
    public void makeMHZ()
    String y = freqC.getSelectedItem();
    y = y.substring(0,3);
    mhz = Integer.parseInt(y);
    //textField1.setText( y );
    public void makeKHZ()
    String y = freqC.getSelectedItem();
    y = y.substring(4,7);
    khz = Integer.parseInt(y);
    //textField1.setText( y );
    import java.awt.*;
    import java.applet.*;
    import java.io.RandomAccessFile;
    import java.io.FileNotFoundException;
    import java.io.IOException;
    import java.io.LineNumberReader;
    import java.awt.event.*;
    import com.ms.security.*;
    import netscape.security.*;
    import netscape.util.*;
    public class saver extends Applet implements ActionListener
    String nameS = "Data.txt";
    String dataS = "Default Data";
    Button saveB;
    public void init()
    saveB = new Button("SaveFile");
    add(saveB);
    saveB.addActionListener(this);
    public void actionPerformed(ActionEvent event)
    if(event.getSource() == saveB)
    RandomAccessFile RAF;
    byte array0[] = dataS.getBytes();
    try
    if (Class.forName("com.ms.security.PolicyEngine") != null)
    PolicyEngine.assertPermission(PermissionID.SYSTEM);
    if(Class.forName("netscape.security.PrivilegeManager") != null)
    netscape.security.PrivilegeManager.enablePrivilege("UniversalFileWrite");
    catch (Throwable cnfe)
    try
    RAF = new RandomAccessFile(nameS, "rw");
    // RAF.writeUTF(dataS);
    RAF.write(dataS.getBytes());
    RAF.close();
    catch(Exception e)
    public void receiveND(String name, String data)
    if(name != null)
    nameS = name;
    dataS=data;
    import java.io.RandomAccessFile;
    import java.io.FileNotFoundException;
    import java.io.IOException;
    import java.io.LineNumberReader;
    //import java.security.*;
    import com.ms.security.*;
    import netscape.security.*;
    import netscape.util.*;
    public class reader
    //Signature sig;
    public String getData(String filename, int pass)
    //String nameS = "Data.txt";
    String dataS = "Default Data Sucks";
    String comma = ",";
    int get = pass, count=0, top=0, bottom=0;
    char[] work;
    try
    if (Class.forName("com.ms.security.PolicyEngine") != null)
    PolicyEngine.assertPermission(PermissionID.SYSTEM);
    if(Class.forName("netscape.security.PrivilegeManager") != null)
    netscape.security.PrivilegeManager.enablePrivilege("UniversalFileRead");
    catch (Throwable cnfe)
    try
    //sig.sign();
    //nameS = filename;
    RandomAccessFile RAF = new RandomAccessFile(filename, "r");
    // dataS = RAF.readUTF();
    dataS = RAF.readLine();
    RAF.close();
    catch(Exception e)
    return e.toString();
    work = dataS.toCharArray();
    for(int i = 0; i < dataS.length(); i++)
    if( work == ',' )
    count++;
    if(get == count)
    bottom = i + 1;
    if( (work == ',') && (count > get) && (top == 0) )
    top = i;
    dataS = dataS.substring(bottom,top);
    return dataS;

  • New WIN7 System, FFox gives error "Could not initialize the application's security component. The most likely cause is problems with files in your application's profile directory" - will not go to any site.

    New Windows 7 computer. After installing Firefox, every time I bring it up I get the following message:
    "Could not initialize the application's security component. The most likely cause is problems with files in your application's profile directory. Please check that this directory has no read/write restrictions and your hard disk is not full or close to full. It is recommended that you exit the application and fix the problem. If you continue to use this session, you might see incorrect application behaviour when accessing security features."
    Then Firefox comes up, but will not function at all - can enter url address, but will not respond to ANY clicks, so can not go to any site.

    This link shows how to fix this - https://support.mozilla.com/kb/Could+not+initialize+the+browser+security+component

  • This message [Ubuntu repositories or Mozilla download: " There is no Profile folder Could not initialize the application's security component. The most likely cause is problems with files in your application's profile directory....

    Ubuntu 11.04: I have been getting this message whenever I install Firefox from the repositories and downloading the tar file. I cannot use Firefox! " There is no Profile folder Could not initialize the application's security component. The most likely cause is problems with files in your application's profile directory. Please check that this directory has no read/write restrictions and your hard disk is not full or close to full. It is recommended that you exit the application and fix the problem. If you continue to use this session, you might see incorrect application behaviour when accessing security features."Firefox does not respond to any addresses or a google search. Indeed it responds to nothing. There is no Profile folder!

    Uninstalling Firefox on Linux
    * http://kb.mozillazine.org/Uninstalling_Firefox#On_Linux
    * http://kb.mozillazine.org/Installation_directory#Linux
    * Removing user profile data - http://kb.mozillazine.org/Uninstalling_Firefox#Removing_user_profile_data
    After all is done, Restart your system.
    Installing Firefox on Linux
    * https://support.mozilla.com/en-US/kb/Installing%20Firefox%20on%20Linux
    Check and tell if its working.

  • Why do I get an alert saying "Could not initialise the application's security component. The most probable cause is problems with files in your browser's profile directory. How can I solve it??

    The full alert is " Could not initialise the application's security component. The most probable cause is problems with files in your browser's profile directory. Please check that this directory has no read/write restrictions and your hard drive is not full or close to full. It is recommended that you exit the browser and fix the problem. If you continue to use this browser session, you might see incorrect browser behaviour when accessing security features."
    This is just started three/four days ago. I need assistance quickly as I can't access any secure sites e.g bank accounts/homepage etc.

    See [[Could not initialize the browser security component]]

  • Problem Saving Files CS5

    After years of no problems I am suddenly having a problem saving files.  This started with CS4 a few months ago, and has continued with CS5.
    When I attempt to Save As... I get an error message:
         Could not save as "{location & filename}" because the file is already in use or was left open by another application.
    The only place the file could be considered "in use" or "left open" would be due to Bridge.
    I get this error message whether saving as jpg, psd or any other file type.  If I retry saving the file then it will usually save properly after several attempts.  But if I close Bridge then it will save the first time every time.  I get the same error whether saving as the original file name or with a new name.
    I have been using Bridge to preview and select the images I want to edit for a very long time.  But this problem didn't start showing up until a short time ago, so I wonder about a problem introduced with an update??    Those who use Bridge know that it remains running in the background while the image is processed through Camera RAW and PS.  There has never been a reason to close Bridge when working in PS and it is not very convenient to do so just to save a file.
    If anyone has a solution to this I would like to hear about it.
    Thanks,

    Hi Jimcarke,
    My problem is very similar. Just Upgraded to CS5 from CS4.
    Graphic files, no problem.  I can save 80Mb and 30 layered mixed graphic files, even after editing.
    No JPEG's in the stack though. Perhaps I'll have a look at that!
    With simple JPEG's at 1.9mb, after editing, then as soon as I enter 'Save As,' Bingo the great blank screen'
    Problem seems worse if I get as far as rotating the image, then everything disappears instantly.
    Customer services have suggested all the usual remedies and now I can't open a file or edit anything
    I'm back to the insufficient RAM issue.
    I've just 'given up' and back to CS4 again and will try to get some work done for the morning.
    All good fun and an interesting way to spend a very sunny Sunday afternoon. (GB)
    Regards
    John

  • DDE: Problem Key 'ORA 600 [qcsprfro_tree:jrs present]' was flood controlled

    Hi All,
    I have oracle 11gR2 installed on OVM. From last few days I am getting below error ORA-600 in my alert.log file
    Errors in file /u02/app/oracle/diag/rdbms/......./SID_ora_30314.trc (incident=169998):
    ORA-00600: internal error code, arguments: [qcsprfro_tree:jrs present], [0x2B7CA0837030], [], [], [], [], [], [], [], [], [], []
    from the above referenced trc file : I got below message:
    DDE: Problem Key 'ORA 600 [qcsprfro_tree:jrs present]' was flood controlled (0x6) (incident: 169998)
    ORA-00600: internal error code, arguments: [qcsprfro_tree:jrs present], [0x2B7CA0837030], [], [], [], [], [], [], [], [], [], []
    "/u02/app/oracle/diag/rdbms/....../SID_eng11g02_ora_30314.trc" 60L, 3421C
    Is anybody having any idea about this error's first argument [qcsprfro_tree:jrs present] ? I am not getting any reference document from oracle support also.
    Thanks...

    Hello,
    I have oracle 11gR2 installed on OVMAs previously posted, you must open a SR to My Oracle Support.
    In *11.2* you have the possibility with ADR (Automatic Diagnostic Repository) to create a Incident Package that you could send to the Support. It can help in the resolution process.
    Please, find enclosed a link to this new features in 11g:
    http://download.oracle.com/docs/cd/E11882_01/server.112/e17120/diag002.htm#CHDJDBCH
    Hope this help.
    Best regards,
    Jean-Valentin

  • Tab through the Close File dialogue window buttons?

    In the past when closing a document or file (any app) I could Tab through the different 'Don't Save', 'Cancel' & 'Save' buttons on the close file dialogue window. And also hit the spacebar to select the highlighted button.
    But not any more. It could have stopped working when I deleted items (cleaned up?) from my home Library folder, or maybe it happened after the 10.4.10 update?
    Does anyone else have the same problem? (Can you Tab through them & hit the spacebar to select the highlighted button?) Does anyone know how to fix it?

    Select "All controls" at the bottom of the "Keyboard Shortcuts" pane of "Keyboard & Mouse" System Preference. Control-F7 will also turn it on or off.

  • DDE: Problem Key 'ORA 445' was completely flood controlled

    OK, I got this after a bunch of background process did not starts, I see there is a bug and patch for products that can be patched. Anybody else see it? Anything to do besides 3 fingered salute? Anyone know anything?

    Virtual machine (some MS product), XP Professional SP3.
    A few bits of alert log:
    Fri May 25 18:47:09 2012
    Starting ORACLE instance (normal)
    LICENSE_MAX_SESSION = 0
    LICENSE_SESSIONS_WARNING = 0
    Picked latch-free SCN scheme 2
    Using LOG_ARCHIVE_DEST_1 parameter default value as USE_DB_RECOVERY_FILE_DEST
    Autotune of undo retention is turned on.
    IMODE=BR
    ILAT =18
    LICENSE_MAX_USERS = 0
    SYS auditing is disabled
    Starting up:
    Oracle Database 11g Express Edition Release 11.2.0.2.0 - Production.
    Using parameter settings in server-side spfile D:\ORACLEXE\APP\ORACLE\PRODUCT\11.2.0\SERVER\DATABASE\SPFILEXE.ORA
    System parameters with non-default values:
      sessions                 = 172
      event                    = "10795 trace name context forever, level 2"
      sga_max_size             = 512M
      memory_target            = 760M
      memory_max_target        = 760M
      control_files            = "D:\ORACLEXE\APP\ORACLE\ORADATA\XE\CONTROL.DBF"
      compatible               = "11.2.0.0.0"
      db_recovery_file_dest    = "D:\oraclexe\app\oracle\fast_recovery_area"
      db_recovery_file_dest_size= 10G
      undo_management          = "AUTO"
      undo_tablespace          = "UNDOTBS1"
      remote_login_passwordfile= "EXCLUSIVE"
      dispatchers              = "(PROTOCOL=TCP) (SERVICE=XEXDB)"
      shared_servers           = 4
      job_queue_processes      = 4
      audit_file_dest          = "D:\ORACLEXE\APP\ORACLE\ADMIN\XE\ADUMP"
      db_name                  = "XE"
      open_cursors             = 300
      parallel_servers_target  = 0
      diagnostic_dest          = "D:\ORACLEXE\APP\ORACLE"
    Fri May 25 18:47:24 2012
    PMON started with pid=2, OS id=488
    Fri May 25 18:47:24 2012
    PSP0 started with pid=3, OS id=324
    Fri May 25 18:47:25 2012
    VKTM started with pid=4, OS id=1940 at elevated priority
    VKTM running at (10)millisec precision with DBRM quantum (100)ms
    Fri May 25 18:47:25 2012
    GEN0 started with pid=5, OS id=1092
    Fri May 25 18:47:25 2012
    DIAG started with pid=6, OS id=1180
    Fri May 25 18:47:25 2012
    DBRM started with pid=7, OS id=1872
    Fri May 25 18:47:25 2012
    DIA0 started with pid=8, OS id=1196
    Fri May 25 18:47:25 2012
    MMAN started with pid=9, OS id=1212
    Fri May 25 18:47:25 2012
    DBW0 started with pid=10, OS id=1208
    Fri May 25 18:47:25 2012
    LGWR started with pid=11, OS id=1392
    Fri May 25 18:47:25 2012
    CKPT started with pid=12, OS id=1396
    Fri May 25 18:47:25 2012
    SMON started with pid=13, OS id=1456
    Fri May 25 18:47:25 2012
    RECO started with pid=14, OS id=1048
    Fri May 25 18:47:25 2012
    MMON started with pid=15, OS id=1476
    Fri May 25 18:47:25 2012
    MMNL started with pid=16, OS id=1480
    Fri May 25 18:47:25 2012
    starting up 1 dispatcher(s) for network address '(ADDRESS=(PARTIAL=YES)(PROTOCOL=TCP))'...
    starting up 4 shared server(s) ...
    ORACLE_BASE from environment = D:\oraclexe\app\oracle
    Fri May 25 18:47:28 2012
    alter database mount exclusive
    Successful mount of redo thread 1, with mount id 2665341696
    Database mounted in Exclusive Mode
    Lost write protection disabled
    Completed: alter database mount exclusive
    alter database open
    Beginning crash recovery of 1 threads
    Started redo scan
    Completed redo scan
    read 1670 KB redo, 196 data blocks need recovery
    Started redo application at
    Thread 1: logseq 865, block 47980
    Recovery of Online Redo Log: Thread 1 Group 1 Seq 865 Reading mem 0
      Mem# 0: D:\ORACLEXE\APP\ORACLE\FAST_RECOVERY_AREA\XE\ONLINELOG\O1_MF_1_76Z8WGYF_.LOG
    Completed redo application of 1.20MB
    Completed crash recovery at
    Thread 1: logseq 865, block 51320, scn 1627729638
    196 data blocks read, 196 data blocks written, 1670 redo k-bytes read
    Fri May 25 18:47:35 2012
    Thread 1 advanced to log sequence 866 (thread open)
    Thread 1 opened at log sequence 866
      Current log# 2 seq# 866 mem# 0: D:\ORACLEXE\APP\ORACLE\FAST_RECOVERY_AREA\XE\ONLINELOG\O1_MF_2_76Z8WJ0N_.LOG
    Successful open of redo thread 1
    Fri May 25 18:47:36 2012
    SMON: enabling cache recovery
    Fri May 25 18:47:39 2012
    [776] Successfully onlined Undo Tablespace 2.
    Undo initialization finished serial:0 start:135218 end:136015 diff:797 (7 seconds)
    Verifying file header compatibility for 11g tablespace encryption..
    Verifying 11g file header compatibility for tablespace encryption completed
    SMON: enabling tx recovery
    Database Characterset is AL32UTF8
    Opening with Resource Manager plan: INTERNAL_PLAN_XE
    Fri May 25 18:47:40 2012
    Starting background process VKRM
    Fri May 25 18:47:40 2012
    VKRM started with pid=23, OS id=2056
    replication_dependency_tracking turned off (no async multimaster replication found)
    Starting background process QMNC
    Fri May 25 18:47:42 2012
    QMNC started with pid=24, OS id=2064
    Completed: alter database open
    Fri May 25 18:47:53 2012
    Starting background process CJQ0
    Fri May 25 18:47:53 2012
    CJQ0 started with pid=26, OS id=3048
    Fri May 25 18:47:54 2012
    db_recovery_file_dest_size of 10240 MB is 8.43% used. This is a
    user-specified limit on the amount of space that will be used by this
    database for recovery-related files, and does not reflect the amount of
    space available in the underlying filesystem or ASM diskgroup.
    Fri May 25 18:52:43 2012
    Starting background process SMCO
    Fri May 25 18:52:43 2012
    SMCO started with pid=22, OS id=3840
    Fri May 25 19:03:01 2012
    Time drift detected. Please check VKTM trace file for more details.
    Fri May 25 20:03:49 2012
    XDB installed.
    XDB initialized.
    Fri May 25 22:00:00 2012
    Setting Resource Manager plan SCHEDULER[0x30FB]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    Setting Resource Manager plan SCHEDULER[0x30FC]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    Sat May 26 23:00:00 2012
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_j000_2824.trc:
    ORA-12012: error on auto execute of job "SYS"."BSLN_MAINTAIN_STATS_JOB"
    ORA-06550: line 1, column 807:
    PLS-00201: identifier 'DBSNMP.BSLN_INTERNAL' must be declared
    ORA-06550: line 1, column 807:
    PL/SQL: Statement ignoreds...
    Mon Jun 11 22:59:52 2012
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc  (incident=34579):
    ORA-00445: background process "J000" did not start after 120 seconds
    kkjcre1p: unable to spawn jobq slave process
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc:
    Mon Jun 11 23:01:58 2012
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_mmon_1476.trc  (incident=34578):
    ORA-00445: background process "m000" did not start after 120 seconds
    Mon Jun 11 23:04:04 2012
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc  (incident=34580):
    ORA-00445: background process "J000" did not start after 120 seconds
    kkjcre1p: unable to spawn jobq slave process
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc:
    Mon Jun 11 23:06:10 2012
    DDE: Problem Key 'ORA 445' was completely flood controlled (0x6)
    Further messages for this problem key will be suppressed for up to 10 minutes
    Mon Jun 11 23:08:16 2012
    kkjcre1p: unable to spawn jobq slave process
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc:
    Mon Jun 11 23:12:45 2012
    kkjcre1p: unable to spawn jobq slave process
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc:
    Mon Jun 11 23:15:41 2012
    DDE: Problem Key 'ORA 445' was completely flood controlled (0x6)
    Further messages for this problem key will be suppressed for up to 10 minutes
    Mon Jun 11 23:17:47 2012
    kkjcre1p: unable to spawn jobq slave process
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc:
    Mon Jun 11 23:21:58 2012
    kkjcre1p: unable to spawn jobq slave process
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc:
    Mon Jun 11 23:26:36 2012
    Process J000 died, see its trace file
    kkjcre1p: unable to spawn jobq slave process
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc:
    Mon Jun 11 23:28:42 2012
    DDE: Problem Key 'ORA 445' was completely flood controlled (0x6)
    Further messages for this problem key will be suppressed for up to 10 minutes
    Mon Jun 11 23:30:47 2012
    kkjcre1p: unable to spawn jobq slave process
    Errors in file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc:
    Mon Jun 11 23:35:40 2012
    DDE: Problem Key 'ORA 445' was completely flood controlled (0x6)
    Further messages for this problem key will be suppressed for up to 10 minutes
    kkjcre1p: unable to spawn jobq slave processThe beginning of a trace file:
    Trace file D:\ORACLEXE\APP\ORACLE\diag\rdbms\xe\xe\trace\xe_cjq0_3048.trc
    Oracle Database 11g Express Edition Release 11.2.0.2.0 - Production
    Windows XP Version V5.1 Service Pack 3
    CPU                 : 2 - type 586, 2 Physical Cores
    Process Affinity    : 0x0x00000000
    Memory (Avail/Total): Ph:1182M/2047M, Ph+PgF:1825M/2661M, VA:1230M/2047M
    Instance name: xe
    Redo thread mounted by this instance: 1
    Oracle process number: 26
    Windows thread id: 3048, image: ORACLE.EXE (CJQ0)
    *** 2012-05-25 22:00:00.096
    *** SESSION ID:(14.3) 2012-05-25 22:00:00.096
    *** CLIENT ID:() 2012-05-25 22:00:00.096
    *** SERVICE NAME:(SYS$BACKGROUND) 2012-05-25 22:00:00.096
    *** MODULE NAME:() 2012-05-25 22:00:00.096
    *** ACTION NAME:() 2012-05-25 22:00:00.096
    Setting Resource Manager plan SCHEDULER[0x30FB]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FC]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FD]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30F7]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30F8]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30F9]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FA]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FB]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FC]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FD]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30F7]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30F8]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    *** 2012-06-05 22:00:00.047
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30F9]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FA]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FB]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FC]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Setting Resource Manager plan SCHEDULER[0x30FD]:DEFAULT_MAINTENANCE_PLAN via scheduler window
    ksktopplmod:error[439] is caught
    Waited for process J000 to initialize for 60 seconds
    *** 2012-06-11 21:16:46.903
    Process diagnostic dump for J000, OS id=2532
    os thread scheduling delay history: (sampling every 1.000000 secs)
      0.001579 secs at [ 21:16:46 ]
        NOTE: scheduling delay has not been sampled for 0.296929 secs  0.001483 secs from [ 21:16:41 - 21:16:47 ], 5 sec avg
      0.002854 secs from [ 21:15:47 - 21:16:47 ], 1 min avg
      0.003136 secs from [ 21:13:38 - 21:16:47 ], 5 min avg
    Memory (Avail/Total): Ph:708M/2047M, Ph+PgF:1723M/2661M, VA:1211M/2047M
    CPU Load: 0%                                                                 
    Stack:
    ------------------- Call Stack Trace ---------------------
    calling location                                                 entry point                                                      arg #1   arg #2   arg #3   arg #4 
    7C90E514                                                         00000000                                                         00000000 00000000 00000000 00000000
    7C8115F4                                                         7C80B7EC                                                         7ff98c00 3188e444 07b6cc3b 310af8f9
    _sdbgrfude_dir_exists()+49                                       00000000                                                         310af8f9 310afb44 00000100 3188e734
    __VInfreq__dbgrgad_get_adrbase_directory()+342                   _sdbgrfude_dir_exists()                                          3188e458 310af8f9 00000002 00000000
    0803823D                                                         08065AD2                                                         00000004 00000000 310af8f9 000001ff
    10085B2A                                                         1028D8B6                                                         0b4b1028 3188f570 3188f391 00000100
    100842D4                                                         10085A1C                                                         0b4b1028 3188f678 3188ee64 3188ead0
    100838AC                                                         10084104                                                         0b4b1028 3188f678 3188ee64 0b4b1028
    10083626                                                         10083634                                                         0f9b9440 3188f678 3188fd50 00000100
    100835EF                                                         10083610                                                         0f9b9440 3188f678 3188fd50 00000100
    _npinli()+77                                                     _nlstdgo()                                                       0f9b9440 00000000 00000000 00000000
    _opiinit()+150                                                   _npinli()                                                        00000001 00000000 00000000 00000000
    _opimai_real()+212                                               _opiinit()                                                       30dc00b0 ffffffff 00000000 00000001
    _opimai()+125                                                    _opimai_real()                                                   00000003 3188feb0 00000000 00000000
    _BackgroundThreadStart@4()+520                                   _opimai()                                                        00000003 3188ff4c 89801ba8 000009e4
    7C80B726                                                         00000000                                                         0b49b128 00000027 0b78d4cf 0b49b128
    00000000                                                         00000000                                                         00000000 00000000 00000000 00000000
    ---------------- End of Call Stack Trace -----------------Since this is XE and a known bug, my expectations aren't too high. Should I just reboot every week?
    There is a dblink that comes in every half hour and deletes and adds around 4K rows in a table. Everything else is just a bored database playing with itself.
    I see from MOS ORA-00445 Is Reported While Waiting Too Long To Spawn A Process [ID 1382349.1] an event to set. Should I? Or should I make some dummy process to give the db something to do? (The thinking on the latter is that with so little for the db to do, Windows is making startup of normal things take longer).
    Bug 9871302 by the way, buried in there is a mention of background processes failing to start.
    Edited by: jgarry on Jun 13, 2012 9:28 AM (corrected xp sp)

  • Lightroom crashes after photoshop closes file

    I'm having an intermittent problem.  Here's what happens:
    1) Right click on .DNG photo and do edit in photoshop.
    2) Do my photoshop work, which will include usually 10 layers and be around 300 MB in size
    3) save and close file
    4) go back to lightroom to do more work, and it crashes as soon as I switch to it.
    Then, if I run lightroom again, it will crash.  In fact, it will not come back up unless I shut down photoshop.  Then it will come back up.  Sometimes the file I was working on is in the catalog, other times it isn't and I have to add it.
    This happens to 5-10% of the files that I edit in photoshop.
    My system is CS4, Lightroom, Windows 7.  All 64 bit.
    I had this same setup with Windows XP, but 32 bit and never had this happen.

    I am having the same problem in CS2 running XP PRO - Just started a couple of weeks ago. I have updated all drivers, cleaned the registry, reinstalled
    LR 2.6 . Everytime I edit an image in Photoshop, Lightroom will close and give me the " I'm sorry, but Lightroom must close"... It had worked for over a year and all of a sudden this starts. Everyone tells me it's a driver or Windows update, so I went through and updated everything I could and it still crashes.
    I have spent many hours and dollars to this point and I reall need to get this fixed. If anyone can figure this one out, I would REALLY appreciate it!

Maybe you are looking for