Copy from SEPA formt tree out of DMEE caused wrong format in file

Hello @ all experts,
we used to copy the delivered format tree to use him for payments. But the copy caused the problem
<?xml version="1.0" encoding="utf-16" ?>
The result is that no file is created.
Can you tell me why the copy failed or which setting I forgot?
Thanks for your support
BR
Black

Export as H.264...that's a delivery codec.  Export a self contained file...or a reference QT after you render...and take that into COMPRESSOR and use the QUICKTIME 7 STREAMING options. Use the LAN option, but change the dimensions to 1280x720.
In the future, convert your footage to ProRes before you edit. If you download the Canon EOS Log and Transfer plugin, you can do it in FCP via LOG AND TRANSFER. 

Similar Messages

  • Hi.  I am having issues with copying files to my shared WB 2TB HDD connected to my airport extreme.  Comes up with error 50.  I am using a Macbook Pro to copy from so not sure what I am doing wrong.  Can someone help? thanks Rory

    Hi.  I am having issues with copying files to my shared WB 2TB HDD connected to my airport extreme.  Comes up with error 50.  I am using a Macbook Pro to copy from so not sure what I am doing wrong.  Can someone help? thanks Rory

    These links might provide some information that may be of help.
    http://support.apple.com/kb/TA20831
    https://discussions.apple.com/message/2035035?messageID=2035035
    I've encountered this error myself upon occasion.  If I remember correctly, it was a permissions/ownership issue with the some of the files I was copying.

  • How do I copy from Indesign CS 3 into web backend and keep formatting?

    Hi,
    I need to copy text from indesign CS3 into the backend of our new website but as soon as I paste the copy into the backend all formatting (italics, superscripts..etc) disapears. is there a way that I can copy and paste and keep the formatting? At the moment I have to copy and paste from indesign into word and then change the font to the webfont , copy all again and then paste into the web. Please let me know there is an easier way.

    You almost certainly did something wrong there.
    You say you "exported to RTF and then copied and pasted". Copy/pasted what? The InDesign text? If copying out of a Word document works for you, export text to RTF then OPEN that in Word. You should be seeing the same formatting as in your original document. THEN copy this text.

  • Copying from USB NTFS device with Dolphin (KDE) causes 100% CPU usage

    I am copying +/- 30 GB of Music files (flac) from my external USB HDD which is formatted as NTFS.
    I have installed ntfs-3g and am experiencing near 100% CPU usage. What's wrong?
    Additional info: I am using KDE and initiated the copying through dolphin. KDE's system monitor only shows CPU usage near 100%, but no processes in the process view could be responsable.
    Thanks!

    What mount options are used for that ntfs drive?
    Edit: There are many similar threads but I couldn't find a solution other than trying out some kernel and cpufrequtils fun.
    Last edited by karol (2011-01-16 18:12:15)

  • I can't figure out what im doing wrong with my File I/O program lol

    I'm new to the java language and was wondering if anybody could help me with the program i an writing. I don't quite understand file I/O but I've given it my best and I'm stuck. I'm supposed to write a program that will read in a file of student academic credit data and create a list of students on academic warning. The list of students on warning will be written to a file. Each line of the input file will contain the
    student name (a single String with no spaces), the number of semester hours earned (an integer), the total quality points earned (a double). The program should compute the GPA (grade point or quality point average) for each student (the total quality points divided by the number of semester hours) then write the student information to the output file if that student should be put on academic warning. A student will be on warning if he/she has a GPA less than 1.5 for students with fewer than 30 semester hours credit, 1.75 for students with fewer than 60 semester hours credit, and 2.0 for all other students. The instructions are :
    1. Set up a Scanner object scan from the input file and a PrintWriter outFile to the output file inside the try
    clause (see the comments in the program). Note that you’ll have to create the PrintWriter from a FileWriter,
    but you can still do it in a single statement.
    2. Inside the while loop add code to read the input file—get the name, the number of credit hours, and the
    number of quality points. Compute the GPA, determine if the student is on academic warning, and if so
    write the name, credit hours, and GPA (separated by spaces) to the output file.
    3. After the loop close the PrintWriter and Scanner objects in a finally block.
    4. Think about the exceptions that could be thrown by this program:
    • A FileNotFoundException if the input file does not exist
    • A InputMismatchException if it can’t read an int or double when it tries to – this indicates an error in the
    input file format
    • An IOException if something else goes wrong with the input or output stream
    Add a catch for each of these situations, and in each case give as specific a message as you can. The
    program will terminate if any of these exceptions is thrown, but at least you can supply the user with useful
    information.
    5. Test the program. Test data is in the file students.txt. Be sure to test each of the exceptions as well.
    My source code is:
    // Warning.java
    // Reads student data from a text file and writes data to another text file.
    import java.util.*;
    import java.io.*;
    public class Warning
    // Reads student data (name, semester hours, quality points) from a
    // text file, computes the GPA, then writes data to another file
    // if the student is placed on academic warning.
    public static void main (String[] args)
         int creditHrs; // number of semester hours earned
         double qualityPts; // number of quality points earned
         double gpa; // grade point (quality point) average
         Scanner scan=null;
         PrintWriter outFile=null;
         String name, inputName = "students.txt";
         String outputName = "warning.txt";
         try
              // Set up Scanner to input file
              scan=new Scanner(new FileInputStream(inputName));
              // Set up the output file stream
              outFile = new PrintWriter(new FileWriter(outputName));
              // Print a header to the output file
              outFile.println ();
              outFile.println ("Students on Academic Warning");
              outFile.println ();
              // Process the input file, one token at a time
              while (scan.hasNext())
                   // Get the credit hours and quality points and
                   // determine if the student is on warning. If so,
                   // write the student data to the output file.
                   name=scan.next();
                   creditHrs=scan.nextInt();
                   qualityPts=scan.nextDouble();
                   gpa=qualityPts/creditHrs;
                   if ((gpa < 1.5 && creditHrs < 30) || (gpa < 1.75 && creditHrs < 60) || (gpa < 2.0 && creditHrs >= 60))
                        outFile.print(name + " ");
                        outFile.print(creditHrs + " ");
                        outFile.print(qualityPts + " ");
                        outFile.print(gpa);
              //Add a catch for each of the specified exceptions, and in each case
              //give as specific a message as you can
    catch (FileNotFoundException e)
    System.out.println("The file " + inputName + " was not found.");
    catch (IOException e)
    System.out.println("The I/O operation failed and " + outputName + " could not be created.");
    catch (InputMismatchException e)
    System.out.println("The input information was not of the right type.");
              //Close both files in a finally block
    finally
         scan.close();
         outFile.close();
    The txt file is:
    Smith 27 83.7
    Jones 21 28.35
    Walker 96 182.4
    Doe 60 150
    Wood 100 400
    Street 33 57.4
    Taylor 83 190
    Davis 110 198
    Smart 75 292.5
    Bird 84 168
    Summers 52 83.2
    The program will run and then terminate without creating warning.txt. How can I get it to create the warning .txt file? Any help that you could give would be greatly appreciated.

    Alright, here is my code reposted:
    // Warning.java
    // Reads student data from a text file and writes data to another text file.
    import java.util.;
    import java.io.;
    public class Warning
    // // Reads student data (name, semester hours, quality points) from a
    // text file, computes the GPA, then writes data to another file
    // if the student is placed on academic warning.
    public static void main (String[] args)
    int creditHrs; // number of semester hours earned
    double qualityPts; // number of quality points earned
    double gpa; // grade point (quality point) average
    Scanner scan=null;
    PrintWriter outFile=null;
    String name, inputName = "students.txt";
    String outputName = "warning.txt";
    try
    // Set up Scanner to input file
    scan=new Scanner(new FileInputStream(inputName));
    // Set up the output file stream
    outFile = new PrintWriter(new FileWriter(outputName));
    // Print a header to the output file
    outFile.println ();
    outFile.println ("Students on Academic Warning");
    outFile.println ();
    // Process the input file, one token at a time
    while (scan.hasNext())
    // Get the credit hours and quality points and
    // determine if the student is on warning. If so,
    // write the student data to the output file.
    name=scan.next();
    creditHrs=scan.nextInt();
    qualityPts=scan.nextDouble();
    gpa=qualityPts/creditHrs;
    if ((gpa < 1.5 && creditHrs < 30) || (gpa < 1.75 && creditHrs < 60) || (gpa < 2.0 && creditHrs >= 60))
    outFile.print(name " ");
    outFile.print(creditHrs " ");
    outFile.print(qualityPts " ");
    outFile.print(gpa);
    //Add a catch for each of the specified exceptions, and in each case
    //give as specific a message as you can
    catch (FileNotFoundException e)
    System.out.println("The file " inputName " was not found.");
    catch (IOException e)
    System.out.println("The I/O operation failed and " outputName + " could not be created.");
    catch (InputMismatchException e)
    System.out.println("The input information was not of the right type.");

  • Free download from Epson downloads but wont open. Get wrong type of file or damaged file

    all I'm trying to do is find out how to open my free lightroom download

    Since you have what seems to be a valid serial number, I suggest that you download the trial version of Lightroom from this website:
    Adobe - Lightroom : For Windows : Adobe Photoshop Lightroom 5.7
    the trial version is the full version after you enter the serial number. After installation a screen will appear indicating that you are using the trial. On that screen there is an option to indicate that you have a serial number. Choose that option and provisions will be provided for you to enter the serial number that you have.

  • How 2 Copy Header & Line Item Text from Purchase Order 2 Out Bound Delivery

    Hi SD Gurus,
    I want to copy header and line item text from Purchase Order to Out Bound Delivery (This is required in Stock Transfer Process).
    I have been able to do successful config. for copying header and line item text from Sales Order to Outbound Delivery but config. doesn't seems to be same for copying text from PO to OBD.
    Is there any way to achieve the same? Can some expert show the way to achieve this.
    Thanks in advance.
    Warm regards,
    Rahul Mishra

    Hi Ravikumar thanks for u quick reply.
    This is wht is currently coded.
    concatenate values to get item text for read text function
       invar3+0(10) = invar1. "PO number
       invar3+10(5) = invar2. "PO line number
       SELECT SINGLE * FROM stxh WHERE tdobject = 'EKPO'
                                   AND tdname   = invar3
                                   AND tdid     = 'F01'
                                   AND tdspras  = sy-langu.
       IF sy-subrc = 0.
         invar4 = invar3.
    reading the text for the document items.
         CALL FUNCTION 'READ_TEXT'
           EXPORTING
             id       = 'F01'
             language = sy-langu
             name     = invar4
             object   = 'EKPO'
           TABLES
             lines    = it_itab.
    I have seen some PO's which have info rec texts in that, which gets pulled by the above code...first thing is its id is F02 which exist in STXH table also there is other text with F01 id, and hence the table it_itab gets both these text hence no pbm.
    but i came across a PO which has only one text which is info rec text with id F05 and is not store in stxh and hence doesnot get pulled by read_text fm. How do i change my cod to get this text which should not hamper other PO's as well.
    As mentioned in above msgs, this F05 could be retrieved by providing object name as EINE.
    anyhelp will be appreciated and rewarded.
    thanks

  • SPED inbound delivery creation, serial num not getting copied from out delv

    We enabled SPED to create inbound delivery against outbound delivery
    We observed Serial numbers are not getting copied from outbound delivery to inbound deliver
    can some one help
    Moderator message:
    Locked. Reason: duplicate.
    The new post: STO GR against outbound delivery/inbound delivery
    Edited by: Csaba Szommer on Jan 9, 2012 4:16 PM

    Hello Mohammed,
    Go through these SAP Help Pages for Delivery Creation from SAP TM. It will help you to check where have you gone wrong is the setup.
    Creation of ERP Deliveries from SAP TM:
    ERP Logistics Integration - SAP Library
    Creation of Delivery Proposals:
    Creation of Delivery Proposals - ERP Logistics Integration - SAP Library
    Monitoring of Delivery Creation:
    Monitoring of Delivery Creation - ERP Logistics Integration - SAP Library
    Kindly let me know if it works, or else give me some more detail regarding your steps you are doing and your scenario. It might be helpful to understand and then I can provide you a solution.
    Thanks and best regards,
    Navin

  • How to cut, copy and paste a tree node in JTree?????

    Hi, Java GUI guru. Thank you for your help in advance.
    I am working on a File Explorer project with JTree. There are cut, copy and paste item menus in my menu bar. I need three EventAction methods or classes to implements the three tasks. I tried to use Clipboard to copy and paste tree node. But I can not copy any tree node from my tree.
    Are there any body has sample source code about cut, copy, and paste for tree? If possible, would you mind send me your sample source code to [email protected]
    I would appreciate you very very much for your help!!!!
    X.G.

    Hi, Paul Clapham:
    Thank you for your quick answer.
    I store the node in a DefaultMutableTreeNode variable, and assign it to another DefaultMutableTreeNode variable. I set up two classes (CopyNode and PasteNode). Here they are as follows:
    //CopyNode class
    import java.awt.*;
    import java.awt.event.*;
    import java.io.*;
    import java.util.*;
    import javax.swing.*;
    import javax.swing.tree.*;
    import javax.swing.event.*;
    public class CopyNode implements ActionListener{
    private TreeList jtree;
    String treeNodeName;
    TreePath currentSelection;
    DefaultMutableTreeNode currentNode;
    public CopyNode(TreeList t){
    jtree = t;
    public void actionPerformed(ActionEvent e){
    currentSelection = jtree.tree.getSelectionPath();
    if(currentSelection != null){
    currentNode = (DefaultMutableTreeNode)(currentSelection.getLastPathComponent());
    treeNodeName = currentNode.toString();
    //PasteNode class
    import java.awt.*;
    import java.awt.event.*;
    import java.io.*;
    import java.util.*;
    import javax.swing.*;
    import javax.swing.tree.*;
    import javax.swing.event.*;
    public class PasteNode extends DefaultMutableTreeNode{
    private TreeList jtree;
    CopyNode copyNode;
    public PasteNode(TreeList t){
    jtree = t;
    copyNode = new CopyNode(t);
    public DefaultMutableTreeNode addObject(Object child){
    DefaultMutableTreeNode parentNode = null;
    TreePath parentPath = jtree.tree.getSelectionPath();
    if(parentPath == null){
    parentNode = jtree.root;
    else{
    parentNode = (DefaultMutableTreeNode)parentPath.getLastPathComponent();
    return addObject(parentNode, child, true);
    public DefaultMutableTreeNode addObject(DefaultMutableTreeNode parent, Object child, boolean shouldBeVisible){
    DefaultMutableTreeNode childNode = copyNode.currentNode;
    if(parent == null){
    parent = jtree.root;
    jtree.treemodel.insertNodeInto(childNode, parent, parent.getChildCount());
    if(shouldBeVisible){
    jtree.tree.scrollPathToVisible(new TreePath(childNode.getPath()));
    return childNode;
    I used these two classes objects in "actionPerformed(ActionEvent e)" methods in my tree:
    //invoke copyNode
    copyItem = new JMenuItem("Copy");
    copyItem.addActionListener(copyNode);
    //invoke pasteNode
    pasteItem = new JMenuItem("Paste");
    pasteItem.addActionListener(
    new ActionListener(){
    public void actionPerformed(ActionEvent e){
    pasteName.addObject(copyName.treeNodeName);
    When I run the drive code, making a copy some node from my tree list, I got bunch of error messages.
    Can you figour out what is wrong in my two classes? If you have sample code, would you mind mail me for reference.
    Thank you very much in advance.
    X.G.

  • I'm trying to copy music from my PC to itunes. I open itunes, go to 'file', go to 'add folder to library', select the folder and nothing happens. What am I doing wrong?

    I'm trying to copy music from my PC to itunes. I open itunes, go to 'file', go to 'add folder to library', select the folder and nothing happens. What am I doing wrong?

    Hello there, gleab.
    The following Knowledge Base article reviews the ways to import content into iTunes:
    Adding music and other content to iTunes
    http://support.apple.com/kb/ht1473
    Also keep in mind which formats can be added:
    You can add audio files that are in AAC, MP3, WAV, AIFF, Apple Lossless, or Audible.com (.aa) format. If you have unprotected WMA content, iTunes for Windows can convert these files to one of these formats.
    Thanks for reaching out to Apple Support Communities.
    Cheers,
    Pedro.

  • ZenXtra: copying from Zen: "file unaccesib

    Hi,
    When copying from my Zen Xtra, after transfer of a couple of files in queue I receive an error: "file unaccessible..." and I cannot copy anything more unless I reconnect. Moreover Zen and the connection seems to be out of order (ie. not all fields visible in Zen Settings in MediaSource). Sometimes after that there is a message: player unconnected, although there is no other evidence of lost connection.
    I tried:
    MediaSource from CD and new one from internet.
    Driver from CD and Internet
    Rescue mode clean up
    Firmware remove and install again
    All PC Zen software removal, reboot, reinstall, reboot
    My Zen Xtra 60GB is running on firmware .20. PC is running WinXP Pro.
    Uploading TO Zen works fine.
    Regards

    Chances are it's a USB compatibility issue with the PC. The simple test is to install the drivers and software on another PC, and test some transfers. If it works fine then it's the original PC, if it still has problems then it's an issue with the player.
    Search on "connection problems" in the FAQ Part post for a link to a lot more troubleshooting information.

  • Copying from one iphoto library to another/working with multiple libraries

    hi-
    my current workflow involves having a 'master library' on one of my external HDs where i store ALL of my images (35,000+) and a 'working library' in my macbook pro where i dump most recent pics first. typically i dump to the working library & then about every 3 months, i burn those events onto disc(s) from within iphoto, open my master library and copy from the disc into the master library. then i will seasonally clear the working library out other than a few portfolio items i may want to keep there.
    in the past, when i copied onto the disc and then into the master library, the event names and ratings would copy over too (although if i'd keyworded them, that would get screwed up, so i stopped). now it's not working! the correct event names and ratings show up on the disc, but they are not copying into the master library. i believe this is since i upgraded to ilife 09.
    any ideas? it is essential to my current workflow to preserve those event names and ratings. i turned 'autosplit' off in preferences. i tried turning it on. anyone else have experience working with more than one library like this?

    thanks larry, i'll check it out and let you know if that solves it. should the free version be sufficient? looks like this could be a really big help if it actually works, cuz i would like to create a 3rd and 4th library for other purposes but not if it's just going to make things more of a pain for me.
    i assume this should help with the keyword issue i was having before too? (if i keyworded pics in my working library, the keywords on those pics once copied to the master library would be wrong, it would apply other keywords sometimes, most of the time...)
    i appreciate your help.
    - artis

  • Error copying from one external drive to another

    Hi - I am trying to transfer three large iMovie files from an external Firewire hard drive to an external USB 2.0 hard drive. I have the USB drive connected to my 1GHz TiBook through a PCMCIA card. I have the Firewire drive connected at the TiBook's Firewire port. When I try to copy the files, I get about 1/4th of the way through and then I get the following error message:
    "Sorry, the operation could not be completed because an unexpected error occured. (Error code -1309)."
    The three files are about 25GB each, and the problem happens with all of them. I tried copying them altogether and each one individually. I also tried connecting the Firewire drive to the Firewire port on the PCMCIA card. Same problem no matter what I try. I also tried copying my iTunes music folder, which is about 25GB as well, in case file size was an issue. That copied with no problem.
    This is driving me nuts. Why won't these particular files copy? What is "error code -1309"? How can I resolve this issue? Any ideas?

    I have not yet been able to figure out what the problem is. I have checked the iMovie and other forums, both here and elsewhere on the Web, and I have not come across a single post that relates to this problem. The files I have been trying to copy are still on the external drive, and I have used the drive to store and transfer other files to and from my TiBook with no problems. But those three iMovie files, which will open and play from the external drive, STILL won't copy back onto my hard drive.
    The one thought I had involved disk space: Maybe a significant amount (30GB or more) of free space needs to be on the target drive when copying such large files. When I get to a point where I can delete some of the larger files I have been tinkering with, I'll try again.
    In the meantime, any insight from anybody into this issue will still be appreciated.

  • Error while packaging or copying from a package

    Hi,
    I am getting the below error while I try to package ( entire project or individual objects) as well as when I try to copy objects from a package file.
    Client version: 9.0.3 (537)
    15-Oct-2013 07:33:40
    java.lang.NullPointerException
    at com.datanomic.director.transfer.server.TempFileManager.delete(TempFileManager.java:58)
    at com.datanomic.director.transfer.server.Transferer.export(Transferer.java:238)
    at com.datanomic.director.transfer.server.Transferer.export(Transferer.java:130)
    at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
    at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:57)
    at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
    at java.lang.reflect.Method.invoke(Method.java:601)
    at com.datanomic.utils.transport.server.ServerTransport.invoke(ServerTransport.java:119)
    at com.datanomic.utils.transport.server.ServerTransport.invoke(ServerTransport.java:59)
    at com.datanomic.utils.transport.http.server.TransportServlet.doPost(TransportServlet.java:72)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:727)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:820)
    at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
    at weblogic.servlet.internal.StubSecurityHelper.invokeServlet(StubSecurityHelper.java:125)
    at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:301)
    at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at com.datanomic.userauth.server.http.AuthFilter.doFilter(AuthFilter.java:129)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.wrapRun(WebAppServletContext.java:3730)
    This started on Oct 1st 2013. It was working before without any issue. The problem is faced by all users including the admin user.
    The log has following entries -
    server side logs
    INFO: 02-Oct-2013 12:05:00: [dn:director version 9.0.3(537)]
    SEVERE: 02-Oct-2013 12:04:59: Can't create cache file!
    javax.imageio.IIOException: Can't create cache file!
    at javax.imageio.ImageIO.createImageInputStream(ImageIO.java:361)
    at javax.imageio.ImageIO.read(ImageIO.java:1351)
    at com.datanomic.director.missionlieutenant.triggers.AbstractMissionTrigger.getTriggerNames(AbstractMissionTrigger.java:108)
    at com.datanomic.director.triggers.manager.Trigger.getMatchingNames(Trigger.java:197)
    at com.datanomic.director.triggers.manager.TriggerManager.getLocalizedTriggerNames(TriggerManager.java:397)
    at sun.reflect.GeneratedMethodAccessor271.invoke(Unknown Source)
    at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
    at java.lang.reflect.Method.invoke(Method.java:601)
    at com.datanomic.utils.transport.server.ServerTransport.invoke(ServerTransport.java:119)
    at com.datanomic.utils.transport.server.ServerTransport.invoke(ServerTransport.java:59)
    at com.datanomic.utils.transport.http.server.TransportServlet.doPost(TransportServlet.java:72)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:727)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:820)
    at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
    at weblogic.servlet.internal.StubSecurityHelper.invokeServlet(StubSecurityHelper.java:125)
    at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:301)
    at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at com.datanomic.userauth.server.http.AuthFilter.doFilter(AuthFilter.java:129)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.wrapRun(WebAppServletContext.java:3730)
    Caused by: java.nio.file.FileSystemException: /tmp/imageio8224618281568165079.tmp: Read-only file system
    at sun.nio.fs.UnixException.translateToIOException(UnixException.java:91)
    SEVERE: 02-Oct-2013 12:05:00: Can't create cache file!
    javax.imageio.IIOException: Can't create cache file!
    at javax.imageio.ImageIO.createImageInputStream(ImageIO.java:361)
    SEVERE: 02-Oct-2013 12:05:00: Can't create cache file!
    javax.imageio.IIOException: Can't create cache file!
    at javax.imageio.ImageIO.createImageInputStream(ImageIO.java:361)
    at javax.imageio.ImageIO.read(ImageIO.java:1351)
    at com.datanomic.director.missionlieutenant.triggers.AbstractMissionTrigger.getTriggerNames(AbstractMissionTrigger.java:108)
    at com.datanomic.director.triggers.manager.Trigger.getMatchingNames(Trigger.java:197)
    at com.datanomic.director.triggers.manager.TriggerManager.getLocalizedTriggerNames(TriggerManager.java:397)
    at sun.reflect.GeneratedMethodAccessor271.invoke(Unknown Source)
    at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
    Caused by: java.nio.file.FileSystemException: /tmp/imageio2555104156799296129.tmp: Read-only file system
    We use weblogic as user tstedq2 in Linux.
    > -bash-4.1$ cd /tmp/
    -bash-4.1$ ls -lrt
    total 1276
    drwxr-x--x 3 tstedq2 oinstall    4096 Aug 16 16:29 wlstTemptstedq2
    -rw-r----- 1 tstedq2 oinstall 1298202 Sep 13 13:10 dndirector8572326682424543213.tmp
    drwxr-x--x 2 tstedq2 oinstall    4096 Sep 16 05:59 hsperfdata_tstedq2
    > -bash-4.1$ env
    HOSTNAME=tstedq01
    SHELL=/bin/bash
    TERM=xterm
    HISTSIZE=1000
    QTDIR=/usr/lib64/qt-3.3
    QTINC=/usr/lib64/qt-3.3/include
    USER=tstedq2
    LS_COLORS=rs=0:di=01;34:ln=01;36:mh=00:pi=40;33:so=01;35:do=01;35:bd=40;33;01:cd=40;33;01:or=40;31;01:mi=01;05;37;41:su=37;41:sg=30;43:ca=30;41:tw=30;42:ow=34;42:st=37;44:ex=01;32:*.tar=01;31:*.tgz=01;31:*.arj=01;31:*.taz=01;31:*.lzh=01;31:*.lzma=01;31:*.tlz=01;31:*.txz=01;31:*.zip=01;31:*.z=01;31:*.Z=01;31:*.dz=01;31:*.gz=01;31:*.lz=01;31:*.xz=01;31:*.bz2=01;31:*.tbz=01;31:*.tbz2=01;31:*.bz=01;31:*.tz=01;31:*.deb=01;31:*.rpm=01;31:*.jar=01;31:*.rar=01;31:*.ace=01;31:*.zoo=01;31:*.cpio=01;31:*.7z=01;31:*.rz=01;31:*.jpg=01;35:*.jpeg=01;35:*.gif=01;35:*.bmp=01;35:*.pbm=01;35:*.pgm=01;35:*.ppm=01;35:*.tga=01;35:*.xbm=01;35:*.xpm=01;35:*.tif=01;35:*.tiff=01;35:*.png=01;35:*.svg=01;35:*.svgz=01;35:*.mng=01;35:*.pcx=01;35:*.mov=01;35:*.mpg=01;35:*.mpeg=01;35:*.m2v=01;35:*.mkv=01;35:*.ogm=01;35:*.mp4=01;35:*.m4v=01;35:*.mp4v=01;35:*.vob=01;35:*.qt=01;35:*.nuv=01;35:*.wmv=01;35:*.asf=01;35:*.rm=01;35:*.rmvb=01;35:*.flc=01;35:*.avi=01;35:*.fli=01;35:*.flv=01;35:*.gl=01;35:*.dl=01;35:*.xcf=01;35:*.xwd=01;35:*.yuv=01;35:*.cgm=01;35:*.emf=01;35:*.axv=01;35:*.anx=01;35:*.ogv=01;35:*.ogx=01;35:*.aac=01;36:*.au=01;36:*.flac=01;36:*.mid=01;36:*.midi=01;36:*.mka=01;36:*.mp3=01;36:*.mpc=01;36:*.ogg=01;36:*.ra=01;36:*.wav=01;36:*.axa=01;36:*.oga=01;36:*.spx=01;36:*.xspf=01;36:
    MAIL=/var/spool/mail/tstedq2
    PATH=/usr/lib64/qt-3.3/bin:/usr/local/bin:/bin:/usr/bin:/usr/local/sbin:/usr/sbin:/sbin
    PWD=/tmp
    LANG=en_US.UTF-8
    HISTCONTROL=ignoredups
    SHLVL=1
    HOME=/home/tstedq2
    LOGNAME=tstedq2
    QTLIB=/usr/lib64/qt-3.3/lib
    CVS_RSH=ssh
    LESSOPEN=|/usr/bin/lesspipe.sh %s
    G_BROKEN_FILENAMES=1
    OLDPWD=/home/tstedq2
    _=/bin/env
    /tmp permissions are as below
    > -bash-4.1$ ls -ltr
    drwxrwxrwt.   6 root       root    4096 Sep 17 03:15 tmp
    I am saving the package to my local machine for which I've read and write. I am able to save packages from other EDQ applications to the same place.
    This is an UAT environment and I need to package my SIT code and copy it to this. 
    Please let me know what is going wrong here.
    Thanks and Regards,
    Ravi

    It looks like a file permission problem on the server - specifically, looks like the app server user does not have permission to write to the temp directory /tmp and so cannot write the temporary data needed to package up the configuration.

  • Character set mismatch in copying from oracle to oracle

    I have a set of ODI scripts that are copying from a source JD Edwards ERP database (Oracle 10g) to a BI datamart (Oracle 10g) and all the original scripts work OK.
    However I have mapped on to some additional tables in the ERP source database and some new BI tables in the target datamart database (oracle - to - oracle) but get an error when I try ro execute these.
    The operator log shows that the error is in the 'INSERT FLOW INTO I$ TABLE' and the error is ORA-12704 character set mismatch.
    The character set for both Oracle databases are the same (and have not changed) the main NLS_CHARACTERSET is AL332UTF8 and the national NLS_NCHAR_CHARACTERSET is AL16UTF16.
    But this works for tables containing NCHAR and NUMBER in previous scripts but not for anything I write now.
    The only other difference is that there was a recent upgrade of ODI to 10.1.3.5 - the repositories are also upgraded.
    Any ideas ?

    Hi Ravi,
    yes, a gateway would help. In 11.2 Oracle offers 2 kind of gateways to a SQL Server - a gateway for free which is based on 3rd party ODBC drivers (you need to get them from a 3rd party vendor, they are not included in the package) and called Database Gateway for ODBC (=DG4ODBC) and a very powerful Database Gateway for MS SQL Server (=DG4MSQL) which allows you also to execute distributed transactions and call remote SQL Server stored procdures. Please keep in mind that DG4MSQL requires a separate license.
    As you didn't post which platform you're going to use, please check out On "My Oracle Support" (=MOS) where you'll find notes how to configure each gateway for all supported platforms - just look for DG4MSQL or DG4ODBC
    On OTN you'll find the also the manuals.
    DG4ODBC: http://download.oracle.com/docs/cd/E11882_01/gateways.112/e12070.pdf
    DG4MSQL: http://download.oracle.com/docs/cd/E11882_01/gateways.112/e12069.pdf
    The generic gateway installation for Unix: http://download.oracle.com/docs/cd/E11882_01/gateways.112/e12013.pdf
    and for Windows: http://download.oracle.com/docs/cd/E11882_01/gateways.112/e12061.pdf

Maybe you are looking for

  • How can i hide a div in jap page

    I want to hide a <div> on selection of a combobox.And on another selection of that combo i want to show that div.

  • Adobe Acrobat XI and Microsoft Expressions 4

    Background: Windows 8.1 box, Adobe Acrobat XI (ver. 11.0.07), Microsoft Web Expressions 4 User has Web Expressions open to the intranet web page access, she's able to use that to make changes, changes are seen reflected on intranet page. However when

  • Mitigation assignment approval in Access Request Workflow

    Hi Guys, I am currently implementing GRC for one of the clients. I have a question with respect to Mitigation assignment approval in Access Request Workflow. Below is the Scenario, 1) User Submits the request 2) Manager Approves 3) Role Owner runs th

  • Orange-Red Blotches in Aperture, yet not in Preview....

    In Aperture the photo looks like it has Orange/Red blotches in it... BUT, when opened in preview or iPhoto, it looks ok???? I shot it with a nikon D50 it is a raw file... Help, any ideas.... take a look here.. http://web.mac.com/careyjames/iWeb/Carey

  • Locked Objects

    Hi, I want to ask is that if i can find any objects in the V$locked_Object then do i need to kill those sessions always???? The thing is when i see some objects in the locked_objects i am looking for the query which is locking the object. But after s