Option must start with -

The server log has the following exception. Any ideas what the cause is?
The server is in c:\sun but the JDK1.6 is in "C:\Program Files\Java." Is the problem to do with the space in "Program Files"? This was where the installation program defaulted to.
[#|2007-07-29T12:37:22.344+0100|SEVERE|sun-appserver-pe9.0|javax.enterprise.tools.launcher|_ThreadID=10;_ThreadName=main;|launcher.jvmoptions_exception
com.sun.enterprise.admin.util.InvalidJvmOptionException: Invalid Jvm Option Files/Java/jdk1.5.0_06/jre/lib/ext;C:/Sun/SDK/domains/domain1/lib/ext;C:/Sun/SDK/javadb/lib. Option must start with -.
     at com.sun.enterprise.admin.util.JvmOptionsElement.checkValidOption(JvmOptionsHelper.java:390)
     at com.sun.enterprise.admin.util.JvmOptionsElement.<init>(JvmOptionsHelper.java:277)
     at com.sun.enterprise.admin.util.JvmOptionsHelper.<init>(JvmOptionsHelper.java:66)
     at com.sun.enterprise.tools.launcher.ProcessLauncher.buildInternalCommand(ProcessLauncher.java:596)
     at com.sun.enterprise.tools.launcher.ProcessLauncher.buildCommand(ProcessLauncher.java:434)
     at com.sun.enterprise.tools.launcher.ProcessLauncher.process(ProcessLauncher.java:234)
     at com.sun.enterprise.tools.launcher.ProcessLauncher.main(ProcessLauncher.java:158)

Solution
Hi,
It is what I guessed as the web page explains. The domain.xml file does not recognize any equipment name that has an acute in it. That was my case. So I have changed the name of my equipment and the problem was resolved when I installed the GlassFish again.
Thanks for all of you about to visit my posts
See you around,
Oggie
PS:
Here I leave you the tag in the domain.xml that causes the problem,
<jms-service addresslist-behavior="random" addresslist-iterations="3" default-jms-host="default_JMS_host" init-timeout-in-seconds="60" reconnect-attempts="3" reconnect-enabled="true" reconnect-interval-in-seconds="5" type="EMBEDDED">
        <jms-host admin-password="admin" admin-user-name="admin" host="Jose" name="default_JMS_host" port="7676"/>
      </jms-service>I hope this time you get it like me

Similar Messages

  • RSA decryption Error: Data must start with zero

    Because of some reasons, I tried to use RSA as a block cipher to encrypt/decrypt a large file. When I debug my program, there some errors are shown as below:
    javax.crypto.BadPaddingException: Data must start with zero
         at sun.security.rsa.RSAPadding.unpadV15(Unknown Source)
         at sun.security.rsa.RSAPadding.unpad(Unknown Source)
         at com.sun.crypto.provider.RSACipher.doFinal(RSACipher.java:356)
         at com.sun.crypto.provider.RSACipher.engineDoFinal(RSACipher.java:394)
         at javax.crypto.Cipher.doFinal(Cipher.java:2299)
         at RSA.RRSSA.main(RRSSA.java:114)
    From breakpoint, I think the problem is the decrypt operation, and Cipher.doFinal() can not be operated correctly.
    I searched this problem from google, many people met the same problem with me, but most of them didn't got an answer.
    The source code is :
    Key generation:
    package RSA;
    import java.io.FileOutputStream;
    import java.io.ObjectOutputStream;
    import java.security.KeyPair;
    import java.security.KeyPairGenerator;
    import java.security.PrivateKey;
    import java.security.PublicKey;
    import java.util.logging.Level;
    import java.util.logging.Logger;
    public class GenKey {
          * @param args
                     * @author tang
         public static void main(String[] args) {
              // TODO Auto-generated method stub
                 try {
                      KeyPairGenerator KPG = KeyPairGenerator.getInstance("RSA");
                      KPG.initialize(1024);
                      KeyPair KP=KPG.genKeyPair();
                      PublicKey pbKey=KP.getPublic();
                      PrivateKey prKey=KP.getPrivate();
                      //byte[] publickey = decryptBASE64(pbKey);
                      //save public key
                      FileOutputStream out=new FileOutputStream("RSAPublic.dat");
                      ObjectOutputStream fileOut=new ObjectOutputStream(out);
                      fileOut.writeObject(pbKey);
                      //save private key
                          FileOutputStream outPrivate=new FileOutputStream("RSAPrivate.dat");
                      ObjectOutputStream privateOut=new ObjectOutputStream(outPrivate);
                                 privateOut.writeObject(prKey)
         }Encrypte / Decrypt
    package RSA;
    import java.io.FileInputStream;
    import java.io.FileOutputStream;
    import java.io.ObjectInputStream;
    import java.security.Key;
    import java.util.logging.Level;
    import java.util.logging.Logger;
    import javax.crypto.Cipher;
    //import sun.misc.BASE64Decoder;
    //import sun.misc.BASE64Encoder;
    public class RRSSA {
          * @param args
         public static void main(String[] argv) {
              // TODO Auto-generated method stub
                //File used to encrypt/decrypt
                 String dataFileName = argv[0];
                 //encrypt/decrypt: operation mode
                 String opMode = argv[1];
                 String keyFileName = null;
                 //Key file
                 if (opMode.equalsIgnoreCase("encrypt")) {
                 keyFileName = "RSAPublic.dat";
                 } else {
                 keyFileName = "RSAPrivate.dat";
                 try {
                 FileInputStream keyFIS = new FileInputStream(keyFileName);
                 ObjectInputStream OIS = new ObjectInputStream(keyFIS);
                 Key key = (Key) OIS.readObject();
                 Cipher cp = Cipher.getInstance("RSA/ECB/PKCS1Padding");//
                 if (opMode.equalsIgnoreCase("encrypt")) {
                 cp.init(Cipher.ENCRYPT_MODE, key);
                 } else if (opMode.equalsIgnoreCase("decrypt")) {
                 cp.init(Cipher.DECRYPT_MODE, key);
                 } else {
                 return;
                 FileInputStream dataFIS = new FileInputStream(dataFileName);
                 int size = dataFIS.available();
                 byte[] encryptByte = new byte[size];
                 dataFIS.read(encryptByte);
                 if (opMode.equalsIgnoreCase("encrypt")) {
                 FileOutputStream FOS = new FileOutputStream("cipher.txt");
                 //RSA Block size
                 //int blockSize = cp.getBlockSize();
                 int blockSize = 64 ;
                 int outputBlockSize = cp.getOutputSize(encryptByte.length);
                 /*if (blockSize == 0)
                      System.out.println("BLOCK SIZE ERROR!");       
                 }else
                 int leavedSize = encryptByte.length % blockSize;
                 int blocksNum = leavedSize == 0 ? encryptByte.length / blockSize
                 : encryptByte.length / blockSize + 1;
                 byte[] cipherData = new byte[outputBlockSize*blocksNum];
                 //encrypt each block
                 for (int i = 0; i < blocksNum; i++) {
                 if ((encryptByte.length - i * blockSize) > blockSize) {
                 cp.doFinal(encryptByte, i * blockSize, blockSize, cipherData, i * outputBlockSize);
                 } else {
                 cp.doFinal(encryptByte, i * blockSize, encryptByte.length - i * blockSize, cipherData, i * outputBlockSize);
                 //byte[] cipherData = cp.doFinal(encryptByte);
                 //BASE64Encoder encoder = new BASE64Encoder();
                 //String encryptedData = encoder.encode(cipherData);
                 //cipherData = encryptedData.getBytes();
                 FOS.write(cipherData);
                 FOS.close();
                 } else {
                FileOutputStream FOS = new FileOutputStream("plaintext.txt");
                 //int blockSize = cp.getBlockSize();
                 int blockSize = 64;
                 //int j = 0;
                 //BASE64Decoder decoder = new BASE64Decoder();
                 //String encryptedData = convert(encryptByte);
                 //encryptByte = decoder.decodeBuffer(encryptedData);
                 int outputBlockSize = cp.getOutputSize(encryptByte.length);
                 int leavedSize = encryptByte.length % blockSize;
                 int blocksNum = leavedSize == 0 ? encryptByte.length / blockSize
                           : encryptByte.length / blockSize + 1;
                 byte[] plaintextData = new byte[outputBlockSize*blocksNum];
                 for (int j = 0; j < blocksNum; j++) {
                 if ((encryptByte.length - j * blockSize) > blockSize) {
                      cp.doFinal(encryptByte, j * blockSize, blockSize, plaintextData, j * outputBlockSize);
                      } else {
                      cp.doFinal(encryptByte, j * blockSize, encryptByte.length - j * blockSize, plaintextData, j * outputBlockSize);
                 FOS.write(plaintextData);
                 //FOS.write(cp.doFinal(encryptByte));
                 FOS.close();
    }Edited by: sabre150 on Aug 3, 2012 6:43 AM
    Moderator action : added [ code] tags so as to make the code readable. Please do this yourself in the future.
    Edited by: 949003 on 2012-8-3 上午5:31

    1) Why are you not closing the streams when writing the keys to the file?
    2) Each block of RSA encrypted data has size equal to the key modulus (in bytes). This means that for a key size of 1024 bits you need to read 128 bytes and not 64 bytes at a time when decrypting ( this is probably the cause of your 'Data must start with zero exception'). Since the input block size depends on the key modulus you cannot hard code this. Note - PKCS1 padding has at least 11 bytes of padding so on encrypting one can process a maximum of the key modulus in bytes less 11. Currently you have hard coded the encryption block at 64 bytes which is OK for your 1024 bits keys but will fail for keys of modulus less than about 936 bits.
    3) int size = dataFIS.available(); is not a reliable way to get the size of an input stream. If you check the Javadoc for InputStream.available() you will see that it returns the number of bytes that can be read without blocking and not the stream size.
    4) InputStream.read(byte[]) does not guarantee to read all the bytes and returns the number of bytes actually read. This means that your code to read the content of the file into an array may fail. Again check the Javadoc. To be safe you should used DataInputStream.readFully() to read a block of bytes.
    5) Reading the whole of the cleartext or ciphertext file into memory does not scale and with very large files you will run out of memory. There is no need to do this since you can use a "read a block, write the transformed block" approach.
    RSA is a very very very slow algorithm and it is not normal to encrypt the whole of a file using it. The standard approach is to perform the encryption of the file content using a symmetric algorithm such as AES using a random session key and use RSA to encrypt the session key. One then writes to the ciphertext file the RSA encrypted session key followed by the symmetric encrypted data. To make it more secure one should actually follow the extended procedure outlined in section 13.6 of Practical Cryptography by Ferguson and Schneier.

  • How to form an Endeca query where a field must start with certain letters

    hi, Is it possible to form an Endeca query to retrieve a field that must start with certain letters? Say like get all users who's first letter is 'A' ? I checked with Range filters but it is supporting only numerical fields as well as Wild card search. But nothing worked well so far. any suggestion?

    Yes. Here's the gist of how it works:
    Typeahead is commonly implemented by enabling wildcard search on one or more Dimensions. An AJAX query is sent out containing the beginning of a search term. A controller in the app layer answers that AJAX query and formulates an Endeca Dimension Search query. It sends that off to the Endeca MDEX engine. Endeca responds with relevant Dimension matches. The controller returns these to the client who made the AJAX request. They are rendered as hyperlinks that lead to a particular navigation state in the catalog.

  • Control record must start with tag EDI_DC40, not E1LFA1M

    Hi,
    I am trying sxample <b>FILE>XI>IDOC ADAPTER-->R/3</b>
    I am getting error as
      <?xml version="1.0" encoding="UTF-8" standalone="yes" ?>
    - <!--  Call Adapter
      -->
    - <SAP:Error xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" SOAP:mustUnderstand="">
      <SAP:Category>XIAdapter</SAP:Category>
      <SAP:Code area="IDOC_ADAPTER">ATTRIBUTE_IDOC_RUNTIME</SAP:Code>
      <SAP:P1>MSGGUID F95236609A0C11D98F65000D56714443: Control record must start with tag EDI_DC40, not E1LFA1M</SAP:P1>
      <SAP:P2 />
      <SAP:P3 />
      <SAP:P4 />
      <SAP:AdditionalText />
      <SAP:ApplicationFaultMessage namespace="" />
      <SAP:Stack>Error: MSGGUID F95236609A0C11D98F65000D56714443: Control record must start with tag EDI_DC40, not E1LFA1M</SAP:Stack>
      <SAP:Retry>M</SAP:Retry>
      </SAP:Error>
    Do i have to apply the note saying Apply the Support pack SP 11(Note No)  792957.
    Currently I have XI 3.0 SR1.
    Or can i try the similar example with some other IDOC.
    Please Help me in this.
    Thanks a lot
    Deepti

    Hi Deepti,
    I have got the same problem but after rescheduling the message its fine on the XI end. But at the R/3 End the status is still red with status number 56 (IDoc with errors added)Idoc used is CREMAS03. what might be the possible errors.
    Please help me.
    Regards,
    Gopesh Kumar Agarwal

  • Javax.crypto.BadPaddingException: Data must start with zero

    Actually, I didn't write the entire codes, most of it was written by someone here, and I only tried to add a method. Here:
    public class RSAEncrypt {
        private KeyPair keys;
        private Cipher rsaCipher;
        public RSAEncrypt() throws GeneralSecurityException {
            KeyPairGenerator keygen = KeyPairGenerator.getInstance("RSA");
            keygen.initialize(512);
            keys = keygen.generateKeyPair();
            rsaCipher = Cipher.getInstance("RSA/ECB/PKCS1Padding");
        public byte[] encrypt(byte[] message) throws GeneralSecurityException {
            rsaCipher.init(Cipher.ENCRYPT_MODE, keys.getPublic());
            return rsaCipher.doFinal(message);
        public byte[] decrypt(byte[] encryptedMessage) throws GeneralSecurityException {
             rsaCipher.init(Cipher.DECRYPT_MODE, keys.getPrivate());
             return rsaCipher.doFinal(encryptedMessage);
         * @param args
        public static void main(String[] args) throws Exception {
             String message = "The quick brown fox ran away";
             System.out.println("Message: " + message);
             byte[] encrypted = new RSAEncrypt().encrypt(message.getBytes());
            System.out.println("Cipher Text: " + HexBin.encode(encrypted));
            byte[] decrypted = new RSAEncrypt().decrypt(encrypted);
            System.out.println("Decrypted Text: " + decrypted);
    }The idea is that the program should encrypt the String, "The quick brown fox ran away," which it does. But when it gets to this line:
    byte[] decrypted = new RSAEncrypt().decrypt(encrypted);i get the error: javax.crypto.BadPaddingException: Data must start with zero.
    But here's the funny thing: If I edit the codes so that the encryption and decryption are done in the constructor, it works! Here:
    public class RSAEncrypt {
        private KeyPair keys;
        private Cipher rsaCipher;
        public RSAEncrypt() throws GeneralSecurityException {
            KeyPairGenerator keygen = KeyPairGenerator.getInstance("RSA");
            keygen.initialize(512);
            keys = keygen.generateKeyPair();
            rsaCipher = Cipher.getInstance("RSA/ECB/PKCS1Padding");
            rsaCipher.init(Cipher.ENCRYPT_MODE, keys.getPublic());
            String message = "The quick brown fox ran away";
            byte[] cipherText = rsaCipher.doFinal(message.getBytes());
            System.out.println(new BASE64Encoder().encode(cipherText));
            rsaCipher.init(Cipher.DECRYPT_MODE, keys.getPrivate());
            byte[] decryptedText = rsaCipher.doFinal(cipherText);
            String dText = new String(decryptedText);
            System.out.println(dText);
         * @param args
        public static void main(String[] args) throws Exception {
             new RSAEncrypt();
    }So, I'm confused. The Data must start with zero error is coming up when I pass encrypted data to a method for decryption, but it doesn't come out when I run everything in one method or in the constructor. Why???
    Also, when performing RSA encryption (or decryption) on a plaintext stored in a file (not a big file, just a file with probably one or two lines), this is what I do (and it works):
    Cipher cipher = Cipher.getInstance("RSA/ECB/PKCS1Padding");
    cipher.init(Cipher.ENCRYPT_MODE, pubKey);
    CipherInputStream cis = new CipherInputStream(new FileInputStream(new File("message.txt")),cipher);My question is, I do see some people doing this as well:
    cipher.doFinal(byteArray);The fact that I don't have this in my code when encrypting data from a file, that's ok, right? I don't need to do a ".doFinal()" method, do I?
    Edited by: glenak on Aug 19, 2010 4:26 AM

    glenak wrote:
    I don't quite understand, but if you mean this:
    String message = "The quick brown fox ran away";
    System.out.println("Message: " + message);
    RSAEncrypt rsaEncrypt = new RSAEncrypt();
    Creates and instance of RSAEncrypt with a new random RSA key pair.
    byte[] encrypted = rsaEncrypt.encrypt(message.getBytes());Encrypts with the random public key created in the first instance.
    System.out.println("Cipher Text: " + HexBin.encode(encrypted));
    RSAEncrypt rsaDecrypt = new RSAEncrypt();Creates and second instance of RSAEncrypt with a new random RSA key pair nothing to do with the first instance.
    byte[] decrypted = rsaDecrypt.decrypt(encrypted);Attempts to decrypt the ciphertext created with the public key of the first instance using the private key of the second, and totally unrelated, instance.
    System.out.println("Decrypted Text: " + decrypted);I still get the "Data must start with zero" error.
    If you could show me an example of what you mean, it would help very muchNo example is required. You cannot encrypt with the public key of one key pair and expect to decrypt with the private key of a totally independent key pair.

  • I set Firefox 3.6.13 to start with a blank screen. Firefox ignores that option and starts with the Google screen. How do I get the blank screen?

    I sent to Tools\Options\General and set "When Firefox Starts" to Show a Blank Screen. Didn't work. I made other settings but Firefox ignored the settings and defaulted to the Google screen each time. I have uninstalled Firefox three times and deleted all remaining files and references to Firefox I could find but when I reinstall Firefox 3.6.13 the Google screen is back.

    I am now seeing this same IP address resolution problem slowly (but surely) populate into other browsers (firefox and internet explorer) in windows. The only way I can rationalize this is there is some kind of address resolution problem with one (or more) of ICANN's DNS servers.

  • Hostname starts with digit

    Hi,
    I tried to configure a web server for a host having name starts by digit.
    when I try to start it, I have this error:
    ./startserv
    config: CONF1104: File /webServer7/https-10xxxx/config/server.xml line 10: Invalid <local-host> value: 10xxxx
    it seems that web server 7 doesn't support hostname which begins with digit.
    where can I find this information? in which document ( or references ..) can I find restrictions applied by web server on host name?
    Thanks,

    Hi,
    thanks for your response,
    in fact in RFC 1912 http://www.faqs.org/rfcs/rfc1912.html we have:
    Allowable characters in a label for a host name are only ASCII
    letters, digits, and the `-' character. Labels may not be all
    numbers, but may have a leading digit (e.g., 3com.com). Labels must
    end and begin only with a letter or digit. See [RFC 1035] and [RFC
    1123]. (Labels were initially restricted in [RFC 1035] to start with
    a letter, and some older hosts still reportedly have problems with
    the relaxation in [RFC 1123].) Note there are some Internet
    hostnames which violate this rule (411.org, 1776.com). The presence
    of underscores in a label is allowed in [RFC 1033], except [RFC 1033]
    is informational only and was not defining a standard. There is at
    least one popular TCP/IP implementation which currently refuses to
    talk to hosts named with underscores in them. It must be noted that
    the language in [1035] is such that these rules are voluntary -- they
    are there for those who wish to minimize problems.
    but it seems that Sun Server applies RFC 1035.
    In this RFC we have:
    The labels must follow the rules for ARPANET host names. They must
    start with a letter, end with a letter or digit, and have as interior
    characters only letters, digits, and hyphen. There are also some
    restrictions on the length. Labels must be 63 characters or less.
    I'm not sure on this, as I didn't find this information anywhere .
    -Regards
    Saoussen

  • How to make time stamp start with 00:00 ?

    Hi,, everybody,
    I want to make the time stamp of Minec
    but must start with 00:00 and when I start the acquisision the time increase. (Function looks like the sport clock)
    I take a look in Labview, it has only time stamp with the current time.
    Thanks for any kind help in advance.

    Hello,
    there are 3 links to your issue, which should answer your question.
    http://pong.ni.com/public.nsf/websearch/0A4899EF6D01B9C5862568B70074F989?OpenDocument
    http://exchange.ni.com/servlet/ProcessRequest?RHIVEID=101&RNAME=ViewQuestion&HOID=50650000000800000088410000&ECategory=LabVIEW.LabVIEW+General
    http://sine.ni.com/apps/we/niepd_web_display.display_epd4?p_guid=B123AE0CBB5D111EE034080020E74861&p_node=DZ52026
    Regards
    Thomas D.
    NI Germany
    (SRQ 199423)

  • Due to now response: need the hostname to start with a digit

    Resending due to no response.
    If somebody from Oracle is familiar with 9iAS install guide, can this person please answer a question.
    Page 2-15 of above mentioned document, pp. 2.5.4 states that
    '/etc/hosts.* has the following format:
    IP_ADDRESS FULLY_QUALIFIED_HOSTNAME SHORT_HOSTNAME ALIASES'
    Question: would the next line in the /etc/hosts file be correct:
    182.124.20.10 7abcdef.buggy.com 7abcdef
    If not, what is wrong?
    Thank you.
    Anatoliy Smirnov

    I hardly think you can blame Oracle for this.
    Its actually your hostname selection that is not a valid one, I found this in RFC1035:
    <snip>
    The labels must follow the rules for ARPANET host names. They must
    start with a letter, end with a letter or digit, and have as interior
    characters only letters, digits, and hyphen. There are also some
    restrictions on the length. Labels must be 63 characters or less.
    </snip>
    So to answer your question:
    No, a hostname can not start with a digit.
    You can find the RFC1035 here:
    http://www.cis.ohio-state.edu/cgi-bin/rfc/rfc1035.html
    It also contains links back to the other RFC discussing similar subjects.
    Regards,
    Jens

  • ? how to add page numbers in pages 5.2, starting with 2.  Pages '09 had an option to not show folio on page one.  Also any how to do left and right folios for a Tabloid?  Many trhanks

    ? how to add page numbers in pages 5.2, starting with page 2.  Pages '09 had an option to not show folio on page one.  Also any idea how to do left and right folios for a Tabloid?  Many thanks  . . .

    Hello jacquemac,
    Your first question:
    There might be a better way of achieving what you wish to do, but following these steps could help you out.
    You might want to blend in Thumbnails and Invisibles either with (cmd+shift+i and cmd+alt+p) or over the View section in the Menubar.
    1. go for Documents (right end of the Toolbar) -> Section
    2. place your cursor at the very top of your second page and click "Create new Section->Starting with this page" in the side bar on your right.
    (what you are actually doing next is setting the pagenumbers for each section you created. You can see your sections in the Thumbnail view.)
    3. click on your first page (the first and only page of your first section) and mark the checkbox "Hide on first page of section"
    4. click on your second page (the first page of your second section) and  "Insert page number" -> start at 1
    Your second question:
    Im not quite sure i understand what exactly you want to do here. One page, two columns, each column with another page number? As far as i know this is not possible.
    greetings jl

  • Property List error: Unexpected character b at line 1 / JSON error: JSON text did not start with array or object and option to allow fragments not set.

    Hi,
    I have a MBP 13' Late 2011 and Yosemite 10.10.2 (14C1514).
    Until yesterday, I was using Garmin ConnectIQ SDK and all was working fine.
    Yesterday, I've updated my system with latest security updates and Xcode updates too (Version 6.2 (6C131e)).
    Since, I can't launch the ConnectIQ simulator app, I have this message in console :
    8/04/2015 15:19:04,103 mds[38]: There was an error parsing the Info.plist for the bundle at URL Info.plist -- file:///Volumes/Leto/connectiq-sdk-mac-1.1.0_2/ios/ConnectIQ.bundle/
    The data couldn’t be read because it isn’t in the correct format.
    <CFBasicHash 0x7fa64f44e9a0 [0x7fff7dfc7cf0]>{type = immutable dict, count = 2,
    entries =>
      0 : <CFString 0x7fff7df92580 [0x7fff7dfc7cf0]>{contents = "NSDebugDescription"} = <CFString 0x7fa64f44f0a0 [0x7fff7dfc7cf0]>{contents = "Unexpected character b at line 1"}
      1 : <CFString 0x7fff7df9f5e0 [0x7fff7dfc7cf0]>{contents = "kCFPropertyListOldStyleParsingError"} = Error Domain=NSCocoaErrorDomain Code=3840 "The data couldn’t be read because it isn’t in the correct format." (Conversion of string failed.) UserInfo=0x7fa64f44eda0 {NSDebugDescription=Conversion of string failed.}
    I have looked at this file and it looks like a binary plist
    bplist00ß^P^V^A^B^C^D^E^F^G^H
    ^K^L^M^N^O^P^Q^R^S^T^U^V^W^X^Y^Z^[^\^]^^^_ !"$%&'()'+,^[\CFBundleNameWDTXcodeYDTSDKName_^P^XNSHumanReadableCopyrightZDTSDKBuild_^P^YCFBundleDevelopmentRegion_^P^OCFBundleVersi    on_^P^SBuildMachineOSBuild^DTPlatformName_^P^SCFBundlePackageType_^P^ZCFBundleShortVersionString_^P^ZCFBundleSupportedPlatforms_^P^]CFBundleInfoDictionaryVersion_^P^RCFBundleE    xecutableZDTCompiler_^P^PMinimumOSVersion_^P^RCFBundleIdentifier^UIDeviceFamily_^P^QDTPlatformVersion\DTXcodeBuild_^P^QCFBundleSignature_^P^ODTPlatformBuildYConnectIQT0611[iph    oneos8.1o^P-^@C^@o^@p^@y^@r^@i^@g^@h^@t^@ ^@©^@ ^@2^@0^@1^@5^@ ^@G^@a^@r^@m^@i^@n^@.^@ ^@A^@l^@l^@ ^@r^@i^@g^@h^@t^@s^@ ^@r^@e^@s^@e^@r^@v^@e^@d^@.V12B411RenQ1V14C109Xiphoneos    TBNDLS1.0¡#XiPhoneOSS6.0YConnectIQ_^P"com.apple.compilers.llvm.clang.1_0S8.1_^P^Tcom.garmin.ConnectIQ¡*^P^AW6A2008aT????^@^H^@7^@D^@L^@V^@q^@|^@<98>^@ª^@À^@Ï^@å^A^B^A^_^A?^AT^    A_^Ar^A<87>^A<96>^Aª^A·^AË^AÝ^Aç^Aì^Aø^BU^B\^B_^Ba^Bh^Bq^Bv^Bz^B|^B<85>^B<89>^B<93>^B¸^B¼^BÓ^BÕ^B×^Bß^@^@^@^@^@^@^B^A^@^@^@^@^@^@^@-^@^@^@^@^@^@^@^@^@^@^@^@^@^@^Bä
    I guess it is a normal format but my system seems to be unable to read binary plist ?
    I tried some stuff with plutil
    plutil -lint Info.plist
    Info.plist: Unexpected character b at line 1
    Same for convert
    plutil -convert xml1 Info.plist
    Info.plist: Property List error: Unexpected character b at line 1 / JSON error: JSON text did not start with array or object and option to allow fragments not set.
    I also try to download a fresh version of the connectIQ SDK and no changes.
    Any idea ?
    Thanks

    Step by step, how did you arrive at seeing this agreement?

  • Logged in as guest on my macbook air now I cannot get it to start with the option to return with the password to the main user

    I wished to let a friend use my macbook air and signed in as the guest option. I am unable to re-enter as the main user as it now starts with the guest page. How do I get it to start on the original page.
    Thank you driving me crazy
    BenDiff

    Log out of the guest account first.

  • Importation ;I just started with lightroom 5,6 (french)-I 'd like to import with creation of a second copy apart of the catalog but impossible to activate this option.How should I do to activate this option?

    Importation ;I just started with lightroom 5,6 (french)-I 'd like to import with creation of a second copy apart of the catalog but impossible to activate this option.How should I do to activate this option?

    Importation ;I just started with lightroom 5,6 (french)-I 'd like to import with creation of a second copy apart of the catalog but impossible to activate this option.How should I do to activate this option?

  • I upgrade firefox from 7 to 8 and now when i start firefox everytime it opens "getting start with firefox" page, in options i select the option 'show a blank page" how can i resolve this issue?

    i upgrade firefox from version 7 to version 8, now when i start firefox everytime it open self the "getting start with firefox" website, in the options on firefox i select the 'show a blank page' but its not working. i am using firefox on windows XP- SP2.

    Try restarting Firefox, the one time page(s) after starting a new release should disappear. Actually this last time with 8.0 they did not come up for me.
    If that doesn't work then bring up '''about:config''' and place the url of the page into the filter. Right-click on anything that comes up and use "Reset".

  • Iphoto keeps crashing, even when starting with command-option,

    does anybody have an idea ???? tried the normal steps, with the disk permission, deleten plist, and tried twice to start with command-option...
    here is the crash-log....
    thanx, magdonnellen
    Mac OS X Version 10.4.11 (Build 8S165)
    2011-01-03 08:12:59 +0100
    2011-01-03 08:13:01.541 SystemUIServer[79] lang is:en
    Main starting with pid 84 parent pid 60
    2011-01-03 08:13:04.718 Skype[84] SkypeApplication::init called
    2011-01-03 08:13:05.792 Skype[84] ChatCpntroller::loadWebViewHistory: could not load chat web view history, error (null)
    2011-01-03 08:17:42.533 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:42.601 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:42.602 iPhoto[179] Unable to export /Users/maggie/Pictures/iPhoto Library/2004/01/07/CIMG1023.JPG
    2011-01-03 08:17:42.602 iPhoto[179] IPPhotoInfo::buildThumbnail failed
    2011-01-03 08:17:42.668 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:42.733 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:42.734 iPhoto[179] Unable to export /Users/maggie/Pictures/iPhoto Library/2004/01/07/CIMG1024.JPG
    2011-01-03 08:17:42.734 iPhoto[179] IPPhotoInfo::buildThumbnail failed
    2011-01-03 08:17:42.800 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:42.939 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:42.940 iPhoto[179] Unable to export /Users/maggie/Pictures/iPhoto Library/2004/01/07/CIMG1025.JPG
    2011-01-03 08:17:42.940 iPhoto[179] IPPhotoInfo::buildThumbnail failed
    2011-01-03 08:17:43.004 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:43.066 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:43.067 iPhoto[179] Unable to export /Users/maggie/Pictures/iPhoto Library/2004/01/07/CIMG1026.JPG
    2011-01-03 08:17:43.067 iPhoto[179] IPPhotoInfo::buildThumbnail failed
    2011-01-03 08:17:44.520 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:44.595 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:44.596 iPhoto[179] Unable to export /Users/maggie/Pictures/iPhoto Library/2003/12/31/CIMG0948.JPG
    2011-01-03 08:17:44.596 iPhoto[179] IPPhotoInfo::buildThumbnail failed
    2011-01-03 08:17:51.322 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:51.405 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:17:51.406 iPhoto[179] Unable to export /Users/maggie/Pictures/iPhoto Library/2004/01/07/CIMG0965.JPG
    2011-01-03 08:17:51.406 iPhoto[179] IPPhotoInfo::buildThumbnail failed
    2011-01-03 08:18:15.596 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:18:15.662 iPhoto[179] Can't make new movie: -2048
    2011-01-03 08:18:15.663 iPhoto[179] Unable to export /Users/maggie/Pictures/iPhoto Library/2003/02/26/108-0885_IMG.JPG
    2011-01-03 08:18:15.663 iPhoto[179] IPPhotoInfo::buildThumbnail failed
    2011-01-03 09:54:58.086 Mail[207] WebKit Threading Violation - -[WebArchive initWithData:] called from secondary thread
    2011-01-03 09:54:58.087 Mail[207] Additional threading violations for this function will not be logged.
    2011-01-03 09:54:58.262 Mail[207] WebKit Threading Violation - -[WebArchive data] called from secondary thread
    2011-01-03 09:54:58.262 Mail[207] Additional threading violations for this function will not be logged.
    iPhoto(179,0xa000ed88) malloc: * vm_allocate(size=875970560) failed (error code=3)
    iPhoto(179,0xa000ed88) malloc: * error: can't allocate region
    iPhoto(179,0xa000ed88) malloc: * set a breakpoint in szone_error to debug
    iPhoto(179,0xa000ed88) malloc: * vm_allocate(size=842350592) failed (error code=3)
    iPhoto(179,0xa000ed88) malloc: * error: can't allocate region
    iPhoto(179,0xa000ed88) malloc: * set a breakpoint in szone_error to debug
    iPhoto(179,0xa000ed88) malloc: * vm_allocate(size=842350592) failed (error code=3)
    iPhoto(179,0xa000ed88) malloc: * error: can't allocate region
    iPhoto(179,0xa000ed88) malloc: * set a breakpoint in szone_error to debug
    iPhoto(179,0xa000ed88) malloc: * vm_allocate(size=300077056) failed (error code=3)
    iPhoto(179,0xa000ed88) malloc: * error: can't allocate region
    iPhoto(179,0xa000ed88) malloc: * set a breakpoint in szone_error to debug
    Jan 3 10:23:16 marguerite-donlons-powerbook58 crashdump[215]: iPhoto crashed
    Jan 3 10:23:30 marguerite-donlons-powerbook58 crashdump[215]: crash report written to: /Users/maggie/Library/Logs/CrashReporter/iPhoto.crash.log

    magsdonnellen
    That's not the crash log, it's some Console messages. Have a look here
    /Users/maggie/Library/Logs/CrashReporter/iPhoto.crash.log
    for the Crash log.
    Regards
    TD

Maybe you are looking for

  • OSB: Strip CDATA while sending to email

    Hi My idea is user will receive html in his email with our dynamic text via OSB 11g. I am sending an HTML code through OSB email. HTML file has a template. I insert dynamic text (text+xml actually) at a specific location in HTML. business service has

  • Balance Sheet and Profit and Loss

    Dear experts, I've posted a thread just like this but I've closed it, because the info needed changed. Now I open this one so it will be easier to follow. I need to extract data from tables BKPF and BSEG. So I thought in extractor 0FI_GL_4. This mean

  • Strange colorful vertical lines when opening vlc or skype (video)

    Well, this is my first post, and I am writing it because of a problem i encountered with my iMac (late 2008 model 20'', 2.4 GHz). The problem is: When I am video-calling on Skype, after a while the top left corner of my dock icons disappears... After

  • Enabling Personalize option in the Masthead.

    Hi All,           I want to assign personalize option in masthead to the users so that they can manage their passwords, and also i want to hide other options available in the Personalize like Changing themes etc. I want to restrict the user only to p

  • Need to remove an old podcast that is no longer valid

    Hello! I currently have two very similar podcast feeds showing in iTunes - one needs to be deleted because not set up correctly. I have submitted my request several times but no luck - have tried to block the RSS feed from iTunes - but must be doing