Us7ascii and we8iso8859p1 encoding problem.

Hi frnds,
I have a oracle 8i database with character set US7ASCII. In one of the tables in the database tif images are stored in a LONG column. I want to fetch those images using oracle odbc drivers and visual basic.
I have oracle 9i client and client character set is WE8ISO8859P1.When i fetch data from the database, i m not able to fetch the images correctly. Special characters appear as blocks or '?'.
I suspect this is due to character set problem. What do i do to solve this problem?

Migrate the data to LONG RAW or BLOB. Images should not be stored in LONG.
Oracle ODBC Drivers starting from 8.1.5.5 are Unicode drivers and internal conversion to Unicode will most probably corrupt your data.
Do not try to solve the problem by cheating. It may help for a moment but will cause problems later on, e.g. when you start using JDBC.
-- Sergiusz

Similar Messages

  • XML deserialize and decrypting encoding problem. Please help me

    This is my first topic here, so at first I'd like to say "Hi" everyone and apologise for my bad english ;)
    I have just finished my new application about signing/checking and encrypting/decrypting XML files. I use Apache XML Security packages to do this.
    Everything works fine, instead of one...
    I'm Polish and sometimes I have to encrypt or decrypt XML which includes polish letters like: 'ą' , 'ę', 'ł' and some others... If I encrypt such file, it succeeds. The problem is when I try to decrypt such an encrypted file. I recieve an error like :
    "[Fatal Error] :2:7: An invalid XML character (Unicode: 0x19) was found in the element content o
    f the document.
    gov.mf.common.exceptions.SenderException: E_SENDER_DECRYPTION
    at gov.mf.common.xml.encryption.EncryptTool.decrypt(Unknown Source)
    at gov.mf.CERBER.TestCBR.main(Unknown Source)
    Caused by: org.apache.xml.security.encryption.XMLEncryptionException: An invalid XML character
    (Unicode: 0x19) was found in the element content of the document.
    Original Exception was org.xml.sax.SAXParseException: An invalid XML character (Unicode: 0x19)
    was found in the element content of the document.
    at org.apache.xml.security.encryption.XMLCipher$Serializer.deserialize(Unknown Source)
    at org.apache.xml.security.encryption.XMLCipher.decryptElement(Unknown Source)
    at org.apache.xml.security.encryption.XMLCipher.doFinal(Unknown Source)
    ... 2 more
    What's wrong? My XML document is UTF-8 encoded, with or without BOM. I wrote in in Notepad++ or any other editior which has UTF-8 encoding.
    I'm parsing my XML with DOM. There is an interesting line in an error above like: " at org.apache.xml.security.encryption.XMLCipher$Serializer.deserialize(Unknown Source)" , do you know that?
    Everything is fine when I try to encrypt/decrypt '�' or 'ń', but things go wrong with 'ą', 'ę', 'ł' and others... I also managed to encrypt and decrypt 'ł' but unfortunately, after decryption 'ł' turns into 'B'. It obviously an encoding problem, but how to fix it?
    I would be really thankfull if some of You guys would help me.
    Looking forward fo any answers.
    Matthew
    Message was edited by:
    matthew_pl

    Hi once again.
    I still don't havy any solution to my problem. I used Apache XML Security examples to encrypt/decrypt my XML document with Polish charaters but I also recieve the same error. What's wrong?
    Here is some code:
    ----- Parsing XML do Document ------
    DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
         //Bardzo wazna linijka - bless TEK ;)
         factory.setNamespaceAware(true);
         DocumentBuilder builder;
         builder = factory.newDocumentBuilder();
         File f = new File(Const.FILE_IN_PATH + File.separator + Const.FILE_IN);     
         org.w3c.dom.Document doc = builder.parse(f);
    ---------- Encrypting & Decrypting XML document (whole class) -------------
    import java.io.*;
    import java.security.*;
    import javax.crypto.SecretKey;
    import javax.crypto.SecretKeyFactory;
    import javax.crypto.spec.DESedeKeySpec;
    import org.w3c.dom.Document;
    import org.w3c.dom.Element;
    import org.apache.xml.security.keys.KeyInfo;
    import org.apache.xml.security.utils.EncryptionConstants;
    import org.apache.xml.security.encryption.XMLCipher;
    import org.apache.xml.security.encryption.EncryptedData;
    import org.apache.xml.security.encryption.EncryptedKey;
    public class EncryptTool
    private PublicKey publicKey;     
    private PrivateKey privateKey;
    static
    org.apache.xml.security.Init.init();
    public EncryptTool()
         publicKey = KeyStores.getCerberPublicKey();
         privateKey = KeyStores.getCerberPrivateKey();
    public Document encrypt(Document doc, String sufix)
    try
         byte[] passPhrase = "24 Bytes per DESede key!".getBytes("UTF-8");
         DESedeKeySpec keySpec = new DESedeKeySpec(passPhrase);
         SecretKeyFactory keyFactory = SecretKeyFactory.getInstance("DESede");
         SecretKey secretKey = keyFactory.generateSecret(keySpec);
         XMLCipher keyCipher = XMLCipher.getInstance(XMLCipher.RSA_v1dot5);
         keyCipher.init(XMLCipher.WRAP_MODE, publicKey);
         EncryptedKey encryptedKey = keyCipher.encryptKey(doc, secretKey);
              Element elementToEncrypt = (Element) doc.getDocumentElement();
              System.out.println("Szyrfuję: " + elementToEncrypt.getTextContent());
              XMLCipher xmlCipher = XMLCipher.getInstance(XMLCipher.TRIPLEDES);
              xmlCipher.init(XMLCipher.ENCRYPT_MODE, secretKey);
              EncryptedData encryptedDataElement = xmlCipher.getEncryptedData();
              KeyInfo keyInfo = new KeyInfo(doc);
              keyInfo.add(encryptedKey);
              encryptedDataElement.setKeyInfo(keyInfo);
              boolean encryptContentsOnly = true;
              xmlCipher.doFinal(doc, elementToEncrypt, encryptContentsOnly);
              // output the resulting document
              String [] parts = Const.FILE_IN.split("\\.");
              String saveAs = Const.FILE_OUT_PATH + File.separator + parts[0] + sufix + "." + parts[1];
              OutputStream os = new FileOutputStream(saveAs);
              XMLUtil.sameXMLtoFile(doc, os);
    } catch (Exception ex)
         throw new TestCBRException("E_CERBER_ENCRYPTION", ex);
    return doc;
    public void decrypt(Document doc, String sufix) throws SenderException
    try
              String namespaceURI = EncryptionConstants.EncryptionSpecNS;
         String localName = EncryptionConstants._TAG_ENCRYPTEDDATA;
         int ile = doc.getElementsByTagNameNS(namespaceURI, localName).getLength();
         if (ile == 0) throw new SenderException("E_SENDER_DECRYPTION_NEEDED");
         for(int i=0; i < ile; i++)
         Element encryptedDataElement = (Element) doc.getElementsByTagNameNS(namespaceURI, localName).item(0);
         XMLCipher xmlCipher = XMLCipher.getInstance();
         xmlCipher.init(XMLCipher.DECRYPT_MODE, null);
         xmlCipher.setKEK(privateKey);
         xmlCipher.doFinal(doc, encryptedDataElement);
                   String [] parts = Const.FILE_IN.split("\\.");
                   String saveAs = Const.FILE_OUT_PATH + parts[0] + sufix + "." + parts[1];
                   OutputStream os = new FileOutputStream(saveAs);
                        XMLUtil.saveXMLtoFile(doc, os);
    } catch (SenderException ex) {
         throw ex;
    } catch (Exception ex) {
         throw new SenderException("E_SENDER_DECRYPTION", ex);
    Please help me. I'm going into madness what's wrong with it...

  • Quicktime and media encoder problem

    I am trying to make a quicktime movie with Premiere CS4. The project is 870 still frames rendered from 3DS MAX. Everything works fine when I export and it sends the movie to Media Encoder's Queue. When I hit "Start Queue". the project starts to encode then quickly finishes with a green check mark next to the project, however no video is made. Please note I have tried other file formats such as AVI and it works fine. This seems to be am issue with QT. I have tried just about every QT codec as well and nothing seems to work. The codec I normally use is animation.
    I have successfully done this many times in the past with no problems. Unfortunately, I recently had to replace my main harddrive which died that stored Windows XP, therefore I had to re-install Adobe Master Collection CS4. After the reinstall media encoder won't make Quicktime movies anymore.  And yes I have QT installed. I had ver 7.6.2. I read somewhere that 7.5.5 works better with premiere CS4 so I found that, uninstalled 7.6.2,  and installed 7.5.5, however, unfornuately it did not fix the problem. Anyone know how to fix this or having the same issues? Please see my specs below. Please let me know if you need more info. Thanks for help in advance.
    Intel Quad processor
    4 GIG Ram
    Nvidia 8800 GTX video card
    OS: Windows XP SP3
    Adobe Premiere CS4
    Media Encoder 4.1.0
    Quicktime 7.5.5 (also tried 7.6.2 - the most recent)

    There was someone having a similar problem on the www.weddingvideodoneright.com forums,and others were having various issues with ME not creating files and so I've copied this from that thread and hope it helps. Also, check out the Adobe link at the bottom-
    Re:  Another miserable issue with Premiere 'Pro' CS4 Any advice?
    « Reply #11 on: June 04, 2009, 12:46:49 PM  »
    Quote Modify Remove Split  Topic
    Digging further, this is the "official" solution  from adobe  -
    Quote
    Do one or both of the following solutions:
    Solution 1:  Create a shortcut to the Premiere Pro executable file, rename the shortcut to  Premiere, and move the shortcut to C:\Program Files\Common  Files\Adobe\dynamiclink.
    Close all Adobe applications.
    In Windows  Explorer, navigate to C:\Program Files\Adobe\Adobe Premiere Pro CS4. (If you  installed Premiere Pro CS4 in a location other than the default of C:\Program  Files\Adobe, then navigate to your custom installation location.) 
    Right-click on Adobe Premiere Pro.exe (which might appear without the .exe  extension) and choose Create Shortcut.
    Rename the newly created shortcut to  just Premiere.
    Important: The name of the shortcut must be exactly  Premiere with no other characters.
    Open a second Windows Explorer  window, and navigate to C:\Program Files\Common Files\Adobe\dynamiclink. 
    Move the Premiere shortcut that you created into the dynamiclink folder. 
    Solution 2: Remove and reinstall all Premiere Pro CS4 components or all  Adobe Creative Suite 4 components.
    Do one of the following:
    Windows  XP: Choose Start > Control Panel > Add or Remove Programs.
    Windows  Vista: Choose Start > Control Panel > Programs and Features.
    In the  list of installed programs, select Adobe Premiere Pro CS4, Adobe Creative Suite  4 Production Premium, or Adobe Creative Suite 4 Master Collection.
    Click  Change/Remove (Windows XP) or Uninstall (Windows Vista).
    Follow the  on-screen instructions to remove all components of Premiere Pro CS4 (including  Adobe Encore CS4 and Adobe OnLocation CS4) or to remove all components of your  edition of Adobe Creative Suite 4.
    Re-install your Adobe software.
    The url is: http://kb2.adobe.com/cps/407/kb407106.html

  • Ror and OCI8 encoding Problem

    Hello all! I have a problem with OCI8 and RoR, when I use select query to Orcle Data Base I take result where cyrilic characters are "?", and I can't decode this result, but when I create OCI8 conection in .rbx file on the server ( Linux) I take a right result whith cyrilic characters. This problem with Apache and Linux environment variables for OCI8? I think so. Halp please, whot I can do for solve this problem?
    Oracle - encoding (win-1251)
    Linux - encoding utf-8
    Apache2 user in Linux - encoding koi8-u.
    for use oci8 I write this rule for Apache:
    Apache2 httpd.conf:
    SetEnv LD_LIBRARY_PATH /opt/oracle/product/10.2.0.1/lib
    SetEnv ORACLE_HOME /opt/oracle/product/10.2.0.1

    Thank for looking to the problem. I solve it when set Apache Environment variable:
    httpd.conf:
    SetEnv NLS_LANG AMERICAN_AMERICA.CL8MSWIN1251

  • Data sets and text encoding problem

    I have a problem when trying to import french text variables into my data sets (for automated generation of lower thirds). I can not get PS to display french special characters correct. all 'accented' As and Es etc. display as weird text strings, just like your browser running on the wrong text encoder.
    How do I get PS to interpret the data sets right? Any idea?
    thanx
    Gref
    ( PS CS6 (13.0.1), Mac Pro running on OS X 10.7.3)

    Thanx Bill.
    Unfortunately I cannot change the font as it is corporate. It has all the characters I need, though.
    Did I mention, that I have to generate french AND german subs? No.
    Well I tackled the german versions by processing the textfiles I get with textwrangler saving them as UTF-16. That worked with the german versions.
    Unfortunately I ran into 2 other problems now:
    First problem:
    The data set consists of 7 names and their respective functions. This processes perfectly in german (as I thought to this point) but in the french version it processes perfectly for the first 4 data sets while the fitfth has the right name but the function variable now displays the 5th function AND all the rest of the names and functions. I can not get these data sets displayed seperately. Bummer.
    But even more annoying…
    Second problem:
    When I now import my perfect german lower thirds into Avid I seem to loose my alpha information.
    Avid is supereasy to use with alpha: you have 3 choices: inverted (which is the usual way of importing) having black in the alpha transparent. normal - white transparent or ignore - no transparency.
    Importing 'inverted' alpha always worked (I use Avid for about 15 years now). but these processed PSDs don't. No alpha.
    So I tried to assign an alpha channel via Actions to these files. Now Avid seems to discard the layers completely leaving me with white text where it should be black. The PSDs have black character text layers but in Avid the characters are white. It seems like AVID just renders the white pixels of the alpha channel.
    Assigning the Alpha is no option anyway, as the whole process should make the generation of these lower third EASIER and faster for the person that has to make every lower third by hand by now.
    All of this can be boiled down to one word: ARGH!

  • Help,DataInputStream and Unicode encoding problem

    Hello,everybody
    I am writing a small software for fun,but an problem about Unicode encoding stopped me. I tried to parse a file including integers,floats and Unicode characters(not UTF-8 but some other encoding type). I looked for the JDK documentation and I found that the class DataInputStream( implementing the interface DataInput) fitted my requirement best, then I tried but the Unicode characters are not read correctly( messy codes,only '????????').
    would you please help me? thanks a lot :-)

    the class DataInputStream has the methods useful to me, but find there is no method to set the encoding format ,both in DataInputStream and argument types used in its constructor:
    FileInputStream fis=new FileInputStream(fileName);
    DataInputStream     dis=new DataInputStream(fis);
    String line =dis.readLine();               System.out.println(line);
    // only "????????" output as result :-(
    I wonder how to set the encoding type,or another class.
    if I do it this way,it works,but there is no methods such as "readFloat","readInt",etc, so it's not what I want :
    FileInputStream fis=new FileInputStream(fileName);
    InputStreamReader read=new InputStreamReader(fis,"GB2312");
    BufferedReader reader=new BufferedReader(read);
    DataInputStream     dis=new DataInputStream(fis);
    String line = reader.readLine();
    System.out.println(line);
    thank you for your repley!

  • Problems installing Bridge and Media Encoder in CS6

    I recently installed Creative Suite CS6 Design & Web Premium. I had previously installed the CS5 version and had not un-installed it. Everything except Acrobat appeared to install correctly. When I opened Photoshop CS6 (64-bit) I noticed that it used the CS5 version Bridge. I went into Bridge and unchecked the open at start box, closed Bridge and Photoshop and re-opened Photoshop CS6 (64-bit). When I tried to lunch Bridge from Photoshop the following message appeared in the Desktop> panel : Waiting for Bridge CS6..." Bridge CS6 did not appear despite waiting for several minutes. I then pressed the Start button and went into the Programs listing. Under the Adobe CS6 group I found all of the applications (other than Acrobat) but Bridge CS6 (64-bit), Bridge CS6, and Media Encoder each had generic icons rather than the expected relevant Adobe icons. I tried to load each of the three by clicking on the icon. In each instance the following message appeared:
    The version of this file is not compatible with the version of Windows you are running. Check your computer's system information to see whether you need an x86 (32-bit) or x64 (64-bit) version of the program and then contact the software publisher.
    My system is a Gateway FX6802. I am running Windows 7 Home Premium version 6.1.7601, Service Pack 1, Build 7601. The system has 9 GB of memory. I ran CS5 on the system and did not experience any difficulty with Bridge.

    Thanks. Being the impatient sort (inspite of the problems that can create) I only did a partial uninstall with the cleaner tool, taking out the three items that were not working. Initially that seemed not to work. As I had other non-Adobe projects to take care of I put it out of mind. I even let an updatee package do its wonders. Today I used Photoshop for a quick project. I clicked on the Launch Bridge button and lo and behold the proper icon showed up and Bridge loaded. After finishing my project I closed down Photoshop and Bridge and then went through updating once more. The other problem I was having was with Acrobat. I finally traced the problem to a bad installation of Acrobat 9 at the CS4 level. (Shows you how much I use Acrobat.) I used the cleaner tool to clean up the remnants of CS4. After that Acrobat X installed quite nicely. At this point everything seems to be working as it should. Thanks for your help.

  • Encoding problem with convert and CLOB involving UTF8 and EBCDIC

    Hi,
    I have a task that requires me to call a procedure with a CLOB argument containing a string encoded in EBCDIC. This did not go well so I started narrowing down the problem. Here is some SQL to illustrate it:
    SQL> select * from v$version;
    BANNER
    Oracle Database 10g Enterprise Edition Release 10.2.0.4.0 - 64bi
    PL/SQL Release 10.2.0.4.0 - Production
    CORE 10.2.0.4.0 Production
    TNS for Solaris: Version 10.2.0.4.0 - Production
    NLSRTL Version 10.2.0.4.0 - Production
    SQL> select value from v$nls_parameters where parameter = 'NLS_CHARACTERSET';
    VALUE
    AL32UTF8
    SQL> select convert(convert('abc', 'WE8EBCDIC500'), 'AL32UTF8', 'WE8EBCDIC500')
    output from dual;
    OUT
    abc
    SQL> select convert(to_char(to_clob(convert('abc', 'WE8EBCDIC500'))), 'AL32UTF8', 'WE8EBCDIC500') output from dual;
    OUTPUT
    ╒╫¿╒╫¿╒╫¿
    So converting to and from EBCDIC works fine when using varchar2, but (if I am reading this right) fails when involving CLOB conversion.
    My question then is: Can anyone demonstrate how to put correct EBCDIC into a CLOB and maybe even explain why the examples do what they do.

    in order to successfully work with xmldb it is recommended that you use 9.2.0.4
    and above. Its seems to have lower version.
    Okay now related to the problem , if your data that you want to send to the attributes are not greater than 32767, then you can use the pl/sql varchar2 datatype to hold the data rather then CLOB and overcome this problem.
    here is the sample. use function with below pl/sql to return the desired output.
    SQL> declare
      2   l_clob     CLOB := 'Hello';
      3   l_output   CLOB;
      4  begin
      5    select  xmlelement("test", xmlattributes(l_clob AS "a")).getclobval()
      6      into l_output from dual;
      7  end;
      8  /
      select  xmlelement("test", xmlattributes(l_clob AS "a")).getclobval()
    ERROR at line 5:
    ORA-06550: line 5, column 44:
    PL/SQL: ORA-00932: inconsistent datatypes: expected - got CLOB
    ORA-06550: line 5, column 3:
    PL/SQL: SQL Statement ignored
    SQL> declare
      2   l_vchar     varchar2(32767) := 'Hello';
      3   l_output   CLOB;
      4  begin
      5    select  xmlelement("test", xmlattributes(l_vchar AS "a")).getclobval()
      6      into l_output from dual;
      7    dbms_output.put_line(l_output);
      8  end;
      9  /
    <test a="Hello"></test>
    PL/SQL procedure successfully completed.

  • Character encoding problem using XSLT and Tomcat on Linux

    Hi,
    I have an application running on a Tomcat 4.1.18 application server that applies XSLT transformations to DOM objects using standard calls to javax.xml.transform API. The JDK is J2SE 1.4.1_01.
    It is all OK while running on a development enviroment (which is Windows NT 4.0 work station), but when I put it in the production enviroment (which is a red hat linux 8.0), it comes up with some kind of encoding problem: the extended characters (in spanish) are not shown as they should.
    The XSL stylesheets are using the ISO-8859-1 encoding, but I have also tried with UTF-8.
    These stylesheets are dynamicly generated from a JSP:
    // opens a connection to a JSP that generates the XSL
    URLConnection urlConn = (new URL( xxxxxx )).openConnection();
    Reader readerJsp = new BufferedReader(new InputStreamReader( urlConn.getInputStream() ));
    // Gets the object that represents the XSL
    Templates translet = tFactory.newTemplates( new StreamSource( readerJsp ));
    Transformer transformer = translet.newTransformer();
    // applies transformations
    // the output is sent to the HttpServletResponse's outputStream object
    transformer.transform(myDOMObject, new StreamResult(response.getOutputStream()) );Any help would be appreciated.

    Probably you need to set your LANG OS especific environment variable to spanish.
    Try adding this line:
    export LANG=es_ES
    to your tomcat/bin/catalina.sh, and restart tomcat.
    It should look like this:
    # OS specific support.  $var _must_ be set to either true or false.
    cygwin=false
    case "`uname`" in
    CYGWIN*) cygwin=true;;
    esac
    export LANG=es_ES
    # resolve links - $0 may be a softlink
    PRG="$0"
    .(BTW, keep using ISO-8859-1 encoding for your XSL)
    HTH
    Un Saludo!

  • Premiere pro and media encoder CC problem

    Hi guys,
    I hope some of you can help me, I installed new version of premiere pro and media encoder CC and now none of them works, I can edit in premiere but as soon as I press export message apears ''sorry a serious error has occurred that requires adobe premiere to shut down'' when I try to open encoder it shut down on startup.
    I'm using old IMac 2.4ghz intel core duo, 2gb 667 mhz ddr2 sdram, ATI Radeon HD 2600 Pro 256 MB, OS X 10.8.5.
    This is the error report, please help:
    Process:    
    Adobe Media Encoder CC [946]
    Path:       
    /Applications/Adobe Media Encoder CC/Adobe Media Encoder CC.app/Contents/MacOS/Adobe Media Encoder CC
    Identifier: 
    com.adobe.ame.application
    Version:    
    7.2.0.43 (7.2.0)
    Code Type:  
    X86-64 (Native)
    Parent Process:  launchd [136]
    User ID:    
    501
    Date/Time:  
    2014-02-10 08:44:28.001 +0100
    OS Version: 
    Mac OS X 10.8.5 (12F45)
    Report Version:  10
    Interval Since Last Report:     
    1264 sec
    Crashes Since Last Report:      
    1
    Per-App Interval Since Last Report:  24 sec
    Per-App Crashes Since Last Report:   1
    Anonymous UUID:                 
    7E711766-8C55-00D3-811F-852F73421407
    Crashed Thread:  0  Dispatch queue: com.apple.main-thread
    Exception Type:  EXC_CRASH (SIGABRT)
    Exception Codes: 0x0000000000000000, 0x0000000000000000
    Application Specific Information:
    terminate called throwing an exception
    abort() called
    Thread 0 Crashed:: Dispatch queue: com.apple.main-thread
    0   libsystem_kernel.dylib   
    0x00007fff9483c212 __pthread_kill + 10
    1   libsystem_c.dylib        
    0x00007fff8d74ab24 pthread_kill + 90
    2   libsystem_c.dylib        
    0x00007fff8d78ef61 abort + 143
    3   libc++abi.dylib          
    0x00007fff96ff79eb abort_message + 257
    4   libc++abi.dylib          
    0x00007fff96ff539a default_terminate() + 28
    5   libobjc.A.dylib          
    0x00007fff8f49d887 _objc_terminate() + 111
    6   libc++abi.dylib          
    0x00007fff96ff53c9 safe_handler_caller(void (*)()) + 8
    7   libc++abi.dylib          
    0x00007fff96ff5424 std::terminate() + 16
    8   libc++abi.dylib          
    0x00007fff96ff658b __cxa_throw + 111
    9   com.adobe.dvacore.framework  
    0x000000010022814d dvacore::filesupport::DirHelper::Create() + 813
    10  com.adobe.AMEAppFoundation.framework
    0x0000000104f285e9 AME::foundation::AppUtils::GetUserPresetDir(bool) + 425
    11  com.adobe.Batch.framework
    0x0000000105c0a842 AMEBatch::Initialize() + 2194
    12  com.adobe.ame.application
    0x00000001000273cb AME::app::AMEAppInitializer::AMEAppInitializer(exo::app::AppInitArgs&, std::basic_string<unsigned short, std::char_traits<unsigned short>, dvacore::utility::SmallBlockAllocator::STLAllocator<unsigned short> >&) + 811
    13  com.adobe.ame.application
    0x000000010000ad6a AME::app::AMEApp::InitApplication(exo::app::AppInitArgs&) + 2426
    14  com.adobe.exo.framework  
    0x000000010513e77a exo::app::AppBase::Initialize(exo::app::AppInitArgs&) + 1066
    15  com.adobe.ame.application
    0x00000001000141a8 AME::RunTheApp(exo::app::AppInitArgs&, std::vector<std::basic_string<unsigned short, std::char_traits<unsigned short>, dvacore::utility::SmallBlockAllocator::STLAllocator<unsigned short> >, std::allocator<std::basic_string<unsigned short, std::char_traits<unsigned short>, dvacore::utility::SmallBlockAllocator::STLAllocator<unsigned short> > > >&) + 1576
    16  com.adobe.ame.application
    0x0000000100056a38 main + 424
    17  com.adobe.ame.application
    0x0000000100003f74 start + 52
    ==========================
    Edited by moderator to trim the crash report down to the essentials. Since these forums do not support attaching file (due to legal and security issues), we recommend uploading files using Acrobat.com’s Sendnow (https://sendnow.acrobat.com) or similar services (YouSendit.com, etc.)

    Hi mawe81,
    Thanks for posting on Adobe forums,
    Please follow this document  http://adobe.ly/1f2EHCg
    and let us know if this fix your issue or not.
    Regards,
    Sandeep

  • HuffYUV problem and video encoding

    I have a dilemma. Adobe Premiere CS6 or Adobe Media Encoder, do not support variable framerate. So now I have to convert my videos to a constant framerate without losing any quality.
    I'm aware of Lagarith but nothing encodes to it. ALL of the encoders I mainly use support HuffYUV, and they encode it way faster than something like VirtualDub. It's many hours of video. I thought Adobe Media Encoder would solve it, but it turns out that didnt support converting variable framerate to constant. So my audio and video are out of sync in premiere.
    I cant really get it into Lagarith so I probably just need to somehow use HuffYUV, anybody know of a HuffYUV plugin for premiere or something?

    You shouldn't need a plug-in for that to work, as long as the codec in installed on the system.

  • Encoding Problem: Losing German Umlaute from gathering data from Oracle 8i

    my problem does concerns the diplay of german Umlaute such as äöüß etc. The OS is NW65 out of the box with Apache 2.0.49 and tomcat 4.1.28, JVM 1.4.2_02 and JDBC-driver Oracle 8i 8.1.7 JDBC Driver.
    The Data containing Umlaute which are retreived from the Database does somehow lose it´s Umlaute. The Umlaut which are coded in the servlet directly in order to generate the regular HTML does display the Umlaute without any problem.
    The same servlet and request from a Unix Enviroment does work fine. We have checked all Codepage settings (Java, NetWare, Tomcat etc).

    Hi Sven and Ingmar,
    I will try to kill 2 birds with one stone here. First of all you should check the definition of your current database character set and make sure that it can support all the characters that you need to store in your database.
    Please check out
    http://www.microsoft.com/globaldev/reference/iso.asp
    WE8ISO8859P9 is for Turkish and WE8ISO8859P1 is for western European (without Euro support).
    Next you need to set your client NLS_LANG character set (eg. for your SQL*Plus seesion), so that Oracle can convert your client operating system characters correctly into your database character set. The NLS_LANG character set also determines how SQL*Plus interpret/display your characters upon retrieval from the db.
    In both of your cases , I believed that the client NLS_LANG setting was not defined , hence this was defaulting to AMERICAN_AMERICA.US7ASCII. This is telling SQL*PLUS that the your client operating system can handle ASCII data only , hence all the accented characters are converted to ASCII during insertion into the database. Likewise upon data retrieval.
    If you are running SQL*PLUS client on English Windows then you NLS_LANG character set should be WE8MSWIN1252 and for Turkish Windows it should set to TR8MSWIN1254 .
    If the client character set and the database character set are the same , Oracle does not perform any data conversion, that's why if you use a US7ASCII database and set you NLS_LANG character set to US7ASCII .then you can insert all the accented Latin characters , Japanese , Chinese etc. This configuration is not supported, and it can cause many issues.
    For more information on character set configuration and possible problems.
    Please check out the white paper Database Character set migration on http://otn.oracle.com/products/oracle8i/content.html#nls
    And the Globalization Support FAQ at:
    http://technet.oracle.com/products/oracle8i/
    Regards
    Nat
    null

  • Premiere Pro CC 2014 and Media Encoder CC 2014 Crashing constantly

    Running out of options and ideas...
    Symptom: Every time I work on any project in Premiere Pro CC 2014 or try to render out in Premiere Pro CC 2014 or Media Encoder CC 2014, the software crashes after 2-3 minutes of use/rendering when the GPU is enabled in Premiere/Media Encoder, or after 5-10 minutes of use/rendering in software only mode.  The crash is a software crash, Windows continues to run fine.
    I have tried all the standard list of steps that adobe reps post on threads like these - clearing media cache, software only on render, new project, etc.  https://helpx.adobe.com/x-productkb/global/troubleshoot-system-errors-freezes-windows.html
    Windows event is not that helpful to me:
    Faulting application name: Adobe Premiere Pro.exe, version: 8.2.0.65, time stamp: 0x5486db4a
    Faulting module name: unknown, version: 0.0.0.0, time stamp: 0x00000000
    Exception code: 0xc0000005
    Fault offset: 0x00007ff5ecb4de40
    Faulting process id: 0x1dc8
    Faulting application start time: 0x01d04a503cd82df2
    Faulting application path: C:\Program Files\Adobe\Adobe Premiere Pro CC 2014\Adobe Premiere Pro.exe
    Faulting module path: unknown
    Report Id: cacdfbab-b717-11e4-826d-8863dfc268bc
    Faulting package full name:
    Faulting package-relative application ID:
    I have wiped adobe off the machine and reinstalled - same problem.  I have tried projects that crash the machine on other machines and it works fine.
    The machine is new, clean install and runs everything else great - 3ds max, high res games, scientific computing - max memory use, etc.
    Spec:
    5K iMac running bootcamp and Windows 8.1
    Intel Core i7-4790K @ 4.0 GHz
    32 GB ram
    1TB SSD
    AMD Radeon R9 M295X 4GB GDDR5
    I have used this bootcamp/imac configuration for 5+ years on 3-4 machines and everything has always just worked great.  Guess it was my time for a problem, but I'm open to new ideas to try...
    Finally - I hope someone from Adobe reads this.  I have spent 2 nights on the phone with support.  The first night I got an over confident answer that it's a gpu driver issue, just go with software only (no luck - same crashes and different drivers aren't solving the problem).  Tonight I was hung up on "by accident" as the agent looked up my video card after waiting 15 minutes to talk to someone, only to be hung up on a second time while on hold after calling back and waiting 20 minutes (because I assume the Adobe call center closed). No message to say so, just hung up on. An overall very disappointing experience.
    Thanks in advance to anyone with ideas on things to try,
    Cheers!

    I am having a similar problem.
    Premiere Pro CC 2014 suddenly decided to crash every time I export to either Adobe Media Encoder or within Premiere itself.
    The encode will usually go for 5-10 minutes before the programs either spits out a "serious error has occurred" window, or it just sits there frozen until I force quit.
    I did find a work-around for the moment. If I open AME and FILE > OPEN, select my project and then the sequence I want, AND put it in Software render mode, it will work.
    My timeline is 2K, 58 minutes in 23.976
    Only effects applied are Lumetri LUTs - no third party.
    I've exported as recently as a week ago without issue.
    Running OSX 9.5 on an X99 board
    3.75 GHz 8-core
    64GB 2400 MHz RAM
    EVGA Titan Black 6GB
    Because I can get my renders out, I am not too concerned. Either there is something wonky with my timeline that screws with any graphics enabled rendering, or there is a bug that is have the same effect. I will try rendering on another of my edit bays that utilizes a GTX 580 that I KNOW works. The Titan is pretty new to my workflow.
    Thanks Adobe, for checking this out.

  • Premiere Pro and Media Encoder crash while rendering H.264

    Very recently, a problem's popped up where Premiere Pro and Media Encoder (CC) will crash while rendering H.264.
    It's only while rendering H.264 - other formats seem to work fine.
    And I don't mean that it returns an error, I mean it hard crashes with a Windows "Adobe Premiere Pro CC has stopped working" popup.
    It doesn't crash at a consistent time during the render, even on the same project. Occasionally, it won't crash at all, but this is usually not the case.
    I've tried disabling CUDA and my overclock to no avail. Please help!

    On the topic of opening a project on the exact same version of Premiere Pro CC 2014 (yes it is definitely up to date, and the 2014 version), to overcome this export crash problem that ZachHinchy has brought up - you can't. Technically speaking, one should easily be able to open a Premiere Pro CC 2014 project from one system on another system running the exact same up to date, legitimate version of Premiere Pro CC 2014 without any kind of error. But for some reason, this has been disallowed(?) by Adobe. It has facepalm written all over it. Does anyone agree that this is at least a little bit silly?
    I have tried exporting a Final Cut Pro XML from my project to try and open the sequence at uni on a Mac, so I can render my project when I finish my edit. It half works - the clips are there, but the sequence is gone - i.e. 12 hours of painstaking sequencing and micro-edits that had me at several points in time wanting to insert my hand through my monitor with enough force to make a large hole. I really cannot afford redo this sequence, as my assignment is due tomorrow, and I have to work at 6 oclock in the morning, so I also cannot afford to stay up till the early hours of tomorrow morning. Wish me luck that some miraculous event has taken place overnight that will somehow allow me to just open my project, on the same version of Premiere, on a Mac, without hassle. (Apple OS is not friendly to anything but its own selfish nature, so I am having doubts).
    Adobe please, if you can do anything at all to help, you will save my assignment, and my faith will be restored. Otherwise, I'll just get my money back and buy Final Cut instead.
    I cant even
    If I find a way to fix either of these problems, I will post straight away.

  • Premiere and Media Encoder - h264 corrupted encode

    Hello all
    I'm writing here since I simply cannot find a solution to my problem, recently out of a sudden my adobe premiere and Media encoder have been giving me corrupt h264 encodes, the files apparently encode but adobe does not put them in a container. The .m4v file is unplayable and the same goes for the audio file; here is a sample from MediaInfo:
    No matter what sequence or project I try to encode with h264 this happens while I can encode to any other extension/codec with no problems. While using the same project file and the same source files on another computer the encodes finishes without a problem. Even a simple timelapse with just JPEG pictures on the timeline results in this problem. I have no idea what to do but I simply cannot encode with anything else so any help is appreciated (P.S. the 4k resolution here is a timelapse, most encodes I try to do are 1080p @ 25fps, since most people bump at this resolution 1st)
    I'm running Adobe Premiere Pro CS6 (6.0.5) updated to the latest on Windows 7 64bit.

    Hello all
    I'm writing here since I simply cannot find a solution to my problem, recently out of a sudden my adobe premiere and Media encoder have been giving me corrupt h264 encodes, the files apparently encode but adobe does not put them in a container. The .m4v file is unplayable and the same goes for the audio file; here is a sample from MediaInfo:
    No matter what sequence or project I try to encode with h264 this happens while I can encode to any other extension/codec with no problems. While using the same project file and the same source files on another computer the encodes finishes without a problem. Even a simple timelapse with just JPEG pictures on the timeline results in this problem. I have no idea what to do but I simply cannot encode with anything else so any help is appreciated (P.S. the 4k resolution here is a timelapse, most encodes I try to do are 1080p @ 25fps, since most people bump at this resolution 1st)
    I'm running Adobe Premiere Pro CS6 (6.0.5) updated to the latest on Windows 7 64bit.

Maybe you are looking for

  • Interview questions on sap hr

    Can someone please send some key questions asked on SAP HR in interviews. I've an interview in a day's time so please help with the some important questions on following modules: PERSONNEL ADMINISTRATION, ORGANIZATIONAL MANAGEMENT AND CONFIGURATION O

  • Date & Time won't show in Menu Bar

    I just installed the latest automatic update for Leopard and now in the right hand side of the menu bar only shows the Default Folder X icon and the Spotlight icon (my bluetooth, infared, airport icons and date & time are missing). I go to the Date &

  • Networking Engineer = Good choice for a Career change ?

    Hi Cisco forum . I am a 48yr old CNC Engineer in Stoke ( UK ) ,bored to death with it . I am about to take the COMPTIA A+ exam in 4 weeks , which will lead on to the Cisco Networking course ( if I pass ) .Please can you inform me if there will be a c

  • Tcp packets

    hELLO, I use tcp for transfering a java object I serialise first tne object and then I send it, to the server but the server receive multiple mesages he read byte from input stream but he must know when stopping and unmarshalling to java object and r

  • Moiuntain lion paused during download how do i restart

    during the process of downloading ml the download paused. Please advise how to restart download. NB icon appears at bottom of dock. thanks