Install error -look at the code. plz help

I have the simple applet that I'm able to compile and load on to a JCOP10 cartd. When I try to install the applet so that I can start interacting with it, I get the following error. How do I go beyond this point? I'll appreciate your help.
JCOP shell
Load report:
747 bytes loaded in 0.0 seconds
effective code size on card:
+ package AID 6
+ applet AIDs 13
+ classes 21
+ methods 470
+ statics 0
+ exports 0
overall 510 bytes
     end
     /set-var J 0
     while ${J} < ${PKG_${I}_APP_COUNT}
          install -i ${PKG_${I}_APP_${J}_INST_AID} -q C9#(${PKG_${I}_APP_${J}_INST_DATA}) ${PKG_${I}_AID} ${PKG_${I}_APP_${J}_AID}
=> 80 E6 0C 00 24 06 11 11 11 11 11 11 06 22 22 22 ....$........"""
22 22 22 06 22 22 22 22 22 33 01 00 0B C9 09 23 """."""""3.....#
42 38 47 36 74 63 76 73 00 00 B8G6tcvs..
(0 msec)
<= 6A 80 j.
Status: Wrong data
Error code: 6a80 (Wrong data)
Offending APDU: 6A80
Here is the code.
* Package: myWallet
* Filename: MyWallet.java
* Class: MyWallet
* Date: Jan 23, 2004 2:01:58 PM
package myWallet;
import javacard.framework.*;
//import javacardx.framework.*;
public class MyWallet extends Applet
/* constants declaration */
// code of CLA byte in the command APDU header
final static byte Wallet_CLA =(byte)0x80;
// codes of INS byte in the command APDU header
final static byte VERIFY = (byte) 0x20;
final static byte CREDIT = (byte) 0x30;
final static byte DEBIT = (byte) 0x40;
final static byte GET_BALANCE = (byte) 0x50;
// maximum balance
final static short MAX_BALANCE = (byte)0x7FFF;
// maximum transaction amount
final static byte MAX_TRANSACTION_AMOUNT =(byte)0x007F;
// maximum number of incorrect tries before the
// PIN is blocked
final static byte PIN_TRY_LIMIT =(byte)0x03;
// maximum size PIN
final static byte MAX_PIN_SIZE =(byte)0x08;
// signal that the PIN verification failed
final static short SW_VERIFICATION_FAILED = 0x6300;
// signal the the PIN validation is required
// for a credit or a debit transaction
final static short SW_PIN_VERIFICATION_REQUIRED =     0x6301;
// signal invalid transaction amount
// amount > MAX_TRANSACTION_AMOUNT or amount < 0
final static short SW_INVALID_TRANSACTION_AMOUNT = 0x6A83;
// signal that the balance exceed the maximum
final static short SW_EXCEED_MAXIMUM_BALANCE = 0x6A84;
// signal the the balance becomes negative
final static short SW_NEGATIVE_BALANCE = 0x6A85;
/* instance variables declaration */
OwnerPIN pin;
short balance;
private MyWallet (byte[] bArray,short bOffset,byte bLength)
     // It is good programming practice to allocate
     // all the memory that an applet needs during
     // its lifetime inside the constructor
     pin = new OwnerPIN(PIN_TRY_LIMIT, MAX_PIN_SIZE);
     byte iLen = bArray[bOffset]; // aid length
     bOffset = (short) (bOffset+iLen+1);
     byte cLen = bArray[bOffset]; // info length
     bOffset = (short) (bOffset+cLen+1);
     byte aLen = bArray[bOffset]; // applet data length
     // The installation parameters contain the PIN
     // initialization value
     pin.update(bArray, (short)(bOffset+1), aLen);
register();
} // end of the constructor
public static void install(byte[] bArray, short bOffset, byte bLength){
     // create a Wallet applet instance
     MyWallet me = new MyWallet(bArray, bOffset, bLength);
me.register(bArray, bOffset, bLength);
} // end of install method
public boolean select()
     // The applet declines to be selected
     // if the pin is blocked.
     if ( pin.getTriesRemaining() == 0 )
     return false;
     return true;
}// end of select method
public void deselect() {
     // reset the pin value
     pin.reset();
public void process(APDU apdu) {
     // APDU object carries a byte array (buffer) to
     // transfer incoming and outgoing APDU header
     // and data bytes between card and CAD
     // At this point, only the first header bytes
     // [CLA, INS, P1, P2, P3] are available in
     // the APDU buffer.
     // The interface javacard.framework.ISO7816
     // declares constants to denote the offset of
     // these bytes in the APDU buffer
     byte[] buffer = apdu.getBuffer();
     // check SELECT APDU command
     buffer[ISO7816.OFFSET_CLA] = (byte)(buffer[ISO7816.OFFSET_CLA] & (byte)0xFC);
     if ((buffer[ISO7816.OFFSET_CLA] == 0) &&
     (buffer[ISO7816.OFFSET_INS] == (byte)(0xA4)) )
     return;
     // verify the reset of commands have the
     // correct CLA byte, which specifies the
     // command structure
     if (buffer[ISO7816.OFFSET_CLA] != Wallet_CLA)
     ISOException.throwIt
(ISO7816.SW_CLA_NOT_SUPPORTED);
     switch (buffer[ISO7816.OFFSET_INS]) {
     case GET_BALANCE: getBalance(apdu);
                              return;
     case DEBIT: debit(apdu);
                              return;
     case CREDIT: credit(apdu);
                              return;
     case VERIFY: verify(apdu);
                              return;
     default: ISOException.throwIt (ISO7816.SW_INS_NOT_SUPPORTED);
} // end of process method
private void credit(APDU apdu)
// access authentication
if ( ! pin.isValidated() )
ISOException.throwIt(
          SW_PIN_VERIFICATION_REQUIRED);
     byte[] buffer = apdu.getBuffer();
     // Lc byte denotes the number of bytes in the
     // data field of the command APDU
     byte numBytes = buffer[ISO7816.OFFSET_LC];
     // indicate that this APDU has incoming data
     // and receive data starting from the offset
     // ISO7816.OFFSET_CDATA following the 5 header
     // bytes.
     byte byteRead =
               (byte)(apdu.setIncomingAndReceive());
     // it is an error if the number of data bytes
     // read does not match the number in Lc byte
     if ( ( numBytes != 1 ) || (byteRead != 1) )
     ISOException.throwIt(ISO7816.SW_WRONG_LENGTH);
     // get the credit amount
     byte creditAmount = buffer[ISO7816.OFFSET_CDATA];
     // check the credit amount
     if ( ( creditAmount > MAX_TRANSACTION_AMOUNT)
          || ( creditAmount < 0 ) )
          ISOException.throwIt
                    (SW_INVALID_TRANSACTION_AMOUNT);
     // check the new balance
     if ( (short)( balance + creditAmount) > MAX_BALANCE )
     ISOException.throwIt
                         (SW_EXCEED_MAXIMUM_BALANCE);
     // credit the amount
     balance = (short)(balance + creditAmount);
} // end of deposit method
private void debit(APDU apdu)
     // access authentication
     if ( ! pin.isValidated() )
     ISOException.throwIt
(SW_PIN_VERIFICATION_REQUIRED);
     byte[] buffer = apdu.getBuffer();
     byte numBytes =
               (byte)(buffer[ISO7816.OFFSET_LC]);
     byte byteRead =
               (byte)(apdu.setIncomingAndReceive());
     if ( ( numBytes != 1 ) || (byteRead != 1) )
     ISOException.throwIt
                              (ISO7816.SW_WRONG_LENGTH);
     // get debit amount
     byte debitAmount =
                         buffer[ISO7816.OFFSET_CDATA];
     // check debit amount
     if ( ( debitAmount > MAX_TRANSACTION_AMOUNT)
          || ( debitAmount < 0 ) )
     ISOException.throwIt
                    (SW_INVALID_TRANSACTION_AMOUNT);
     // check the new balance
     if ( (short)( balance - debitAmount ) < (short)0 )
          ISOException.throwIt(SW_NEGATIVE_BALANCE);
     balance = (short) (balance - debitAmount);
} // end of debit method
private void getBalance(APDU apdu) {
     byte[] buffer = apdu.getBuffer();
     // inform system that the applet has finished
     // processing the command and the system should
     // now prepare to construct a response APDU
     // which contains data field
     short le = apdu.setOutgoing();
     if ( le < 2 )
     ISOException.throwIt
                         (ISO7816.SW_WRONG_LENGTH);
     //informs the CAD the actual number of bytes
     //returned
     apdu.setOutgoingLength((byte)2);
     // move the balance data into the APDU buffer
     // starting at the offset 0
     buffer[0] = (byte)(balance >> 8);
     buffer[1] = (byte)(balance & 0xFF);
     // send the 2-byte balance at the offset
     // 0 in the apdu buffer
     apdu.sendBytes((short)0, (short)2);
} // end of getBalance method
private void verify(APDU apdu) {
     byte[] buffer = apdu.getBuffer();
     // retrieve the PIN data for validation.
byte byteRead =(byte)(apdu.setIncomingAndReceive());
// check pin
     // the PIN data is read into the APDU buffer
// at the offset ISO7816.OFFSET_CDATA
// the PIN data length = byteRead
if ( pin.check(buffer, ISO7816.OFFSET_CDATA,byteRead) == false )
     ISOException.throwIt(SW_VERIFICATION_FAILED);
} // end of validate method
} // end of class Wallet

How do I set a breakpoint in my install method in order to identify the error?
I've tried changing my install method and making it look exactly like the sample wallet applications accompanying the javacard kit, but I'm still getting the same error? here else could be the possible source of the error?
Thomas

Similar Messages

  • Install adobe flash player 11! plz help

    cannot install for firefox. need adobe flash player 11. keeps saying general instalation error. someone with a brain plz help.

    With that error, it sounds like you're running into a permissions issue.  I would recommend running through steps 2 - 6 in this FAQ:
    How do I fix Windows permission problems with Flash Player?
    Then do an clean install using these steps:
    How do I do a clean install of Flash Player?

  • I purchased elements 11 - I have installed on work computer but it will not allow me to install on laptop stating the code has already been used.  Can anyone help me install on laptop please?

    I purchased elements 11 - I have installed on work computer but it will not allow me to install on laptop stating the code has already been used.  Can anyone help me install on laptop please?

    No, I have the music I want to move from the laptop to the phone selected. Then I go under file, devices, and try to click sync but it is not available to click.

  • Error while deployiong bpel process plz help

    i am geting an error while deployiong bpel process plz help
    BUILD FAILED
    E:\jdevstudio10132\jdev\mywork\Application4\vinayread\build.xml:79: A problem occured while connecting to server "chdsez116553d" using port "8888": bpel_vinayread_1.0.jar failed to deploy. Exception message is: ORABPEL-05215
    Error while loading process.
    The process domain encountered the following errors while loading the process "vinayread" (revision "1.0"): BPEL validation failed.
    BPEL source validation failed, the errors are:
    [Error ORABPEL-10902]: compilation failed
    [Description]: in "bpel.xml", XML parsing failed because "undefined part element.
    In WSDL at "file:/D:/product/10.1.3.1/OracleAS_8/bpel/domains/default/tmp/.bpel_vinayread_1.0_679323b0585449e9fd1887e6ee2bf444.tmp/vinayred.wsdl", message part element "{http://TargetNamespace.com/vinayred}Root-Element" is not defined in any of the schemas.
    Please make sure the spelling of the element QName is correct and the WSDL import is complete.
    [Potential fix]: n/a.
    If you have installed a patch to the server, please check that the bpelcClasspath domain property includes the patch classes.
    at com.collaxa.cube.engine.deployment.CubeProcessHolder.bind(CubeProcessHolder.java:285)
    at com.collaxa.cube.engine.deployment.DeploymentManager.deployProcess(DeploymentManager.java:862)
    at com.collaxa.cube.engine.deployment.DeploymentManager.deploySuitcase(DeploymentManager.java:728)
    at com.collaxa.cube.ejb.impl.BPELDomainManagerBean.deploySuitcase(BPELDomainManagerBean.java:445)
    at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
    at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
    at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
    at java.lang.reflect.Method.invoke(Method.java:585)
    at com.evermind.server.ejb.interceptor.joinpoint.EJBJoinPointImpl.invoke(EJBJoinPointImpl.java:35)
    at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    at com.evermind.server.ejb.interceptor.system.DMSInterceptor.invoke(DMSInterceptor.java:52)
    at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    at com.evermind.server.ejb.interceptor.system.JAASInterceptor$1.run(JAASInterceptor.java:31)
    at com.evermind.server.ThreadState.runAs(ThreadState.java:646)
    at com.evermind.server.ejb.interceptor.system.JAASInterceptor.invoke(JAASInterceptor.java:34)
    at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    at com.evermind.server.ejb.interceptor.system.TxRequiredInterceptor.invoke(TxRequiredInterceptor.java:50)
    at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    at com.evermind.server.ejb.interceptor.system.DMSInterceptor.invoke(DMSInterceptor.java:52)
    at com.evermind.server.ejb.interceptor.InvocationContextImpl.proceed(InvocationContextImpl.java:119)
    at com.evermind.server.ejb.InvocationContextPool.invoke(InvocationContextPool.java:55)
    at com.evermind.server.ejb.StatelessSessionEJBObject.OC4J_invokeMethod(StatelessSessionEJBObject.java:87)
    at DomainManagerBean_RemoteProxy_4bin6i8.deploySuitcase(Unknown Source)
    at com.oracle.bpel.client.BPELDomainHandle.deploySuitcase(BPELDomainHandle.java:319)
    at com.oracle.bpel.client.BPELDomainHandle.deployProcess(BPELDomainHandle.java:341)
    at deployHttpClientProcess.jspService(_deployHttpClientProcess.java:376)
    at com.orionserver.http.OrionHttpJspPage.service(OrionHttpJspPage.java:59)
    at oracle.jsp.runtimev2.JspPageTable.service(JspPageTable.java:462)
    at oracle.jsp.runtimev2.JspServlet.internalService(JspServlet.java:594)
    at oracle.jsp.runtimev2.JspServlet.service(JspServlet.java:518)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:856)
    at com.evermind.server.http.ResourceFilterChain.doFilter(ResourceFilterChain.java:65)
    at oracle.security.jazn.oc4j.JAZNFilter$1.run(JAZNFilter.java:396)
    at java.security.AccessController.doPrivileged(Native Method)
    at javax.security.auth.Subject.doAsPrivileged(Subject.java:517)
    at oracle.security.jazn.oc4j.JAZNFilter.doFilter(JAZNFilter.java:410)
    at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java:623)
    at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java:370)
    at com.evermind.server.http.HttpRequestHandler.doProcessRequest(HttpRequestHandler.java:871)
    at com.evermind.server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java:453)
    at com.evermind.server.http.HttpRequestHandler.serveOneRequest(HttpRequestHandler.java:221)
    at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:122)
    at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:111)
    at oracle.oc4j.network.ServerSocketReadHandler$SafeRunnable.run(ServerSocketReadHandler.java:260)
    at oracle.oc4j.network.ServerSocketAcceptHandler.procClientSocket(ServerSocketAcceptHandler.java:239)
    at oracle.oc4j.network.ServerSocketAcceptHandler.access$700(ServerSocketAcceptHandler.java:34)
    at oracle.oc4j.network.ServerSocketAcceptHandler$AcceptHandlerHorse.run(ServerSocketAcceptHandler.java:880)
    at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:303)
    at java.lang.Thread.run(Thread.java:595)
    Total time: 1 second
    plz give sme solutions

    <?xml version="1.0" encoding="UTF-8"?>
    <definitions name="vinayread"
    targetNamespace="http://xmlns.oracle.com/vinayread"
    xmlns="http://schemas.xmlsoap.org/wsdl/"
    xmlns:client="http://xmlns.oracle.com/vinayread"
    xmlns:plnk="http://schemas.xmlsoap.org/ws/2003/05/partner-link/">
         <!-- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
         TYPE DEFINITION - List of services participating in this BPEL process
         The default output of the BPEL designer uses strings as input and
         output to the BPEL Process. But you can define or import any XML
         Schema type and use them as part of the message types.
         ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -->
         <types>
              <schema xmlns="http://www.w3.org/2001/XMLSchema">
                   <import namespace="http://xmlns.oracle.com/vinayread" schemaLocation="vinayread.xsd" />
              </schema>
         </types>
         <!-- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
         MESSAGE TYPE DEFINITION - Definition of the message types used as
         part of the port type defintions
         ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -->
         <message name="vinayreadRequestMessage">
              <part name="payload" element="client:vinayreadProcessRequest"/>
         </message>
         <message name="vinayreadResponseMessage">
              <part name="payload" element="client:vinayreadProcessResponse"/>
         </message>
         <!-- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
         PORT TYPE DEFINITION - A port type groups a set of operations into
         a logical service unit.
         ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -->
         <!-- portType implemented by the vinayread BPEL process -->
         <portType name="vinayread">
              <operation name="process">
                   <input message="client:vinayreadRequestMessage" />
                   <output message="client:vinayreadResponseMessage"/>
              </operation>
         </portType>
         <!-- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
         PARTNER LINK TYPE DEFINITION
         ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -->
         <plnk:partnerLinkType name="vinayread">
              <plnk:role name="vinayreadProvider">
                   <plnk:portType name="client:vinayread"/>
              </plnk:role>
         </plnk:partnerLinkType>
    </definitions>
    how to check the
    which xsd contains
    "{http://TargetNamespace.com/vinayred}Root-Element"????
    how to check this plz tell me

  • I can't install video in my iphone4..plz help me

    i can't install video in my iphone4..plz help me

    Hi Yushu,
    Designer 6i Release 4.5 is not supported on Oracle9i
    Standard Edition 9.2. I believe only 9i versions of
    Designer are supported on the Standard Edition 9.2.
    For 9i Designer, please can you tell me which version
    of Designer you are trying to install (i.e. 9.0.2.0.0,
    9.0.2.2.0 etc), if you are installing just Designer
    and give me details of which items the error says are
    missing?
    Regards,
    Dominic
    Designer Product Management
    Oracle Corp

  • Error in opening EM..plz Help..

    Error in opening EM..plz Help..
    Hi..
    I want to start the Enterprise Manager
    i started step by step..
    but when i had started em in the console
    /oracle/infs/bin/
    ./emctl start
    it gaves me these error..
    "$ emctl start
    Waiting for EM to initialize ..log4j:ERROR setFile(null,true) call failed.
    java.io.FileNotFoundException: /oracle/infs/sysman/log/emd.log (Permission denied)
    at java.io.FileOutputStream.openAppend(Native Method)
    at java.io.FileOutputStream.<init>(FileOutputStream.java:100)
    at java.io.FileWriter.<init>(FileWriter.java:52)
    at org.apache.log4j.FileAppender.setFile(FileAppender.java:284)
    at org.apache.log4j.RollingFileAppender.setFile(RollingFileAppender.java:198)
    at org.apache.log4j.FileAppender.activateOptions(FileAppender.java:239)
    at org.apache.log4j.config.PropertySetter.activate(PropertySetter.java:247)
    at org.apache.log4j.config.PropertySetter.setProperties(PropertySetter.java:123)
    at org.apache.log4j.config.PropertySetter.setProperties(PropertySetter.java:87)
    at org.apache.log4j.PropertyConfigurator.parseAppender(PropertyConfigurator.java:616)
    at org.apache.log4j.PropertyConfigurator.parseCategory(PropertyConfigurator.java:574)
    at org.apache.log4j.PropertyConfigurator.configureRootCategory(PropertyConfigurator.java:481)
    at org.apache.log4j.PropertyConfigurator.doConfigure(PropertyConfigurator.java:405)
    at org.apache.log4j.PropertyConfigurator.doConfigure(PropertyConfigurator.java:304)
    at org.apache.log4j.PropertyConfigurator.configure(PropertyConfigurator.java:312)
    at oracle.sysman.emd.emdcli.EmCtl.initLoggingSystem(EmCtl.java:1376)
    at oracle.sysman.emd.emdcli.EmCtl.checkEMDStatus(EmCtl.java:413)
    at oracle.sysman.emd.emdcli.EmCtl.main(EmCtl.java:206)
    .log4j:ERROR setFile(null,true) call failed.
    java.io.FileNotFoundException: /oracle/infs/sysman/log/emd.log (Permission denied)
    at java.io.FileOutputStream.openAppend(Native Method)
    at java.io.FileOutputStream.<init>(FileOutputStream.java:100)
    at java.io.FileWriter.<init>(FileWriter.java:52)
    at org.apache.log4j.FileAppender.setFile(FileAppender.java:284)
    at org.apache.log4j.RollingFileAppender.setFile(RollingFileAppender.java:198)
    at org.apache.log4j.FileAppender.activateOptions(FileAppender.java:239)
    When i tried to start in the browser (http://servername:1810)
    it didn't display any data in the application server part/box!!
    Plz help me. thanks

    Hi..
    i tried to trace the error..so, i tried to open the targets.xml in
    /oracle/infs/sysman/emd
    it gaves me "Permission Denied"
    Plz help

  • I am using iphone 3gs since last 4 days. Till yesterday night it was working fine and i have connected this phone for charging . Morning there was apple logo in the screen and every 1mte (approx) it is blinking. I could not restart the phone.Plz help

    I am using iphone 3gs since last 4 days. Till yesterday night it was working fine and i have connected this phone for charging . Morning there was apple logo in the screen and every 1mte (approx) it is blinking. I could not restart the phone.Plz help . I have tried to reset even by pressing sleep and home button but it could not help. Please suggest. Still i have connected for charging .

    Sounds like you have corrupt backup data, if this occurs from one phone to another. Try restoring the phone as a new device, without a backup. Try using for a day before installing any other apps, etc. See if that improves the battery life. Then try syncing back applications a couple at a time. Something seems to be locking in the processor which is draining the battery.
    Do you live in an area where there are Apple Stores? If so, try making an appointment with the Genius Bar to have the device checked out.

  • HT201077 photos not getting added up in my photostream. It's showing some kinda registry error in my windows. Plz help

    photos not getting added up to my photostream. It's showing some kinda registry error in my windows. Plz help!!

    Hi Melissa_C!
    I have an article for you that may help shed light on this circumstance:
    iCloud: My Photo Stream FAQ
    http://support.apple.com/kb/ht4486
    How long are My Photo Stream photos stored in iCloud?
    The photos you upload to My Photo Stream are stored in iCloud for 30 days to give your devices plenty of time to connect and download them.
    How many photos are stored in My Photo Stream on my devices and computers?
    iCloud pushes all your photos to the My Photo Stream album on your devices and computers, and manages them efficiently, so you don’t run out of storage space.
    Your iOS devices keep a rolling collection of your last 1000 photos in the My Photo Stream album. From there, you can browse your recent photos or move the ones you like to your Camera Roll or another album to keep them on your device forever.
    Because your Mac and PC have more storage than your iOS devices, you can choose to have all of your My Photo Stream photos automatically downloaded. In iPhoto or Aperture preferences on your Mac, select Photos (or Photo Stream) > My Photo Stream > Automatic Import. All of your photo stream photos will be imported into your Events, Projects, Photos, Faces, and Places folders in iPhoto or Aperture. On your PC with My Photo Stream enabled in the Control Panel, all of your photos will be imported into C:\\Users\<user name>\Pictures\iCloud Photos\My Photo Stream. For iCloud Control Panel 2.0 to 2.1.2 users, the path isC:\\Users\<user name>\Pictures\Photo Stream\My Photo Stream .
    Thanks for being a part of the Apple Support Communities!
    Regards,
    Braden

  • Hi, I was wondering if someone could help me, I recently restored my itouch 4th Gen and was then told to upgrade to itunes 10.6 now everytime I try and install itunes I get the following message, help please!

    Hi, I was wondering if someone could help me, I recently restored my itouch 4th Gen and was then told to upgrade to itunes 10.6 now everytime I try and install itunes I get the following message, help please!
    Error writing to file: C:\Program\Files\iTunes.Resources\de.Iproj\SortPrefixes.plist.   Verify that you have access to that directory.

    Error writing to file: C:\Program\Files\iTunes.Resources\de.Iproj\SortPrefixes.plist.   Verify that you have access to that directory.
    That one's consistent with disk/file damage. The first thing I'd try with that is running a disk check (chkdsk) over your C drive.
    Vista instructions in the following document: Check your hard disk for errors
    Select both Automatically fix file system errors and Scan for and attempt recovery of bad sectors, or use chkdsk /r (depending on which way you decide to go about doing this). You'll almost certainly have to schedule the chkdsk to run on startup. The scan should take quite a while ... if it quits after a few minutes or seconds, something's interfering with the scan.
    Does the chkdsk find/repair any damage? If so, can you get an install to go through properly afterwards?

  • HT1338 i did an update on my macbook air and now i don't see anything only grayish screen , it won't allow my to get into the system plz help!!!!!

    i did an update on my macbook air and now i don't see anything only grayish screen , it won't allow my to get into the system plz help!!!!!

    Generally this is a sign that the iPhone had previously been
    hacked/modified/jailbroken and the update relocked it to the
    original wireless carrier. If this is the case, only that wireless
    carrier can unlock your iPhone. You must contact them to see
    if they offer unlocking and if you qualify.
    Where did you acquire this iPhone?
    What wireless carrier did you use before this problem?
    Does the app Cydia appear on your iPhone?
    What does it say when you look at Settings=>General=>About=>Carrier?

  • Iam from india i have purchased iphone 3gs for seconds and i restored it, after restore completion i got a problem of no sim installed .... iam worried plz help me what to do

    iam from india i have purchased iphone 3gs for seconds and i restored it, after restore completion i got a problem of no sim installed .... iam worried plz help me what to do

    dheeraj2468 wrote:
    now what i have to do ? :-(
    Return the phone and get your money back. That phone was hacked and is now permanently damaged.

  • BANK-TRBK install error, please click thank you expert help to answer!

    BANK-TRBK install error, please click thank you expert help to answer!
    My SAP system is ECC6 SR3. Databases are the MAXDB 7.6
    Level for the patch: SAP_BASIS 700 has been to 15 of the
    SAP_ABA 700 has reached the 15 level PI_BASIS are 2006_1_700 BI_CONT are 703 level hit a patch
    000 CLIENT then entered my non-super-manage user DDIC landing, running SAINT upload patch, upload to start the installation after the change, but the installation process is as follows Fig error. Say happen are the ADD-ON the conflict between
    thank you
    [http://www.sapsh.com/bbsxp/UpFile/UpAttachment/2009-2/20092261730.jpg]
    [http://www.sapsh.com/bbsxp/UpFile/UpAttachment/2009-2/200922617312.jpg]
    [http://www.sapsh.com/bbsxp/UpFile/UpAttachment/2009-2/200922617323.jpg]

    > My SAP system is ECC6 SR3. Databases are the MAXDB 7.6
    You can't install BANK-TRBK on an ERP system, see
    Note 865669 - More info about installing BANK-TRBK 40 on Netweaver 2004s
    <...>
    Required release
          The following releases are required:
              - SAP Netweaver 04s
              - PI_BASIS 2005_1 or higher
              - You cannot install this on an ERP system.
    <...>
    You need to install a new "naked" Netweaver 7.0 and add it on that one.
    Markus

  • My iphone is locked i open the find my iphone on and reset the iphone and i forgot the email id but i remember the password plz help me sot out this problem

    i am using i4 (IMEI NO is 013265005169887 my iphone is locked i open the find my iphone on and reset the iphone and i forgot the email id but i remember the password plz help me sort out this problem
    i forgot icloud id and password but i remember the apple id and password plzzzzz help me( my contact  number is +918477889484 from India)

    Hi there sumit4,
    You may find the information in the article below helpful.
    Apple ID: How to find your Apple ID
    http://support.apple.com/kb/HT5625
    -Griff W.

  • Restore Error 3 in iPad 3 plz help me

    Restore Error 3 in iPad 3 plz help me

    iTunes: Specific update-and-restore error messages and advanced troubleshooting
    http://support.apple.com/kb/TS3694
    If you can’t update or restore your iOS device
    http://support.apple.com/kb/ht1808
     Cheers, Tom
    Suggest you delete iTunes on your computer and reinstall. http://support.apple.com/kb/HT1923
    How To Completely Uninstall and Remove All Traces of iTunes
    http://zardozz.com/zz/2008/04/how-to-completely-uninstall-and-remove-all-traces- of-itunes.html/
    Message was edited by: Texas Mac Man

  • Finder on my mac book pro is not showing the sidebar plz help .i have a mac book pro running on os x lion 10.7.5

    finder on my mac book pro is not showing the sidebar plz help .i have a mac book pro running on os x lion 10.7.5

    In Finder, Click View, then Show Sidebar - or ALT+CMD+S

Maybe you are looking for

  • CM Open Interface - reference back to original bank statement line

    we are using Open Interface for our bank reconciliation. we found that, the API APPS.CE_999_PKG.clear always send us the Open Interface Transaction amount as the cleared amount, and we have no visibility to the amount in the bank statement line. eg:

  • Mac Pro Early 2008 crash after gear on boot

    Hi. I have a Mac Pro (Early 2008), with Mavericks installed. A couple of days ago, it crashed hard (in Portal, as it happens) and then wouldn't boot. When it was crashing it showed full green in various (dark? or random?) areas of the screen, and the

  • ITunes crashed during "Get Info" now the movie won't add to the library

    Hi all, I've been using iTunes with my Apple TV for over a year now, and this is the first time this has happened, and I'm at a loss on what to do to remedy it. I added a number of movies to my iTunes (as i have done a number of times before), and se

  • Third Party Battery Chargers for MacBook Pro

    I had a very interesting experience last week. I bought 2 85W power adapters for my MacBook Pro. There is no "name brand" for it. They were about $47.50 each. The price was effective in getting me to buy 2 as it was a 33% savings over the purchase of

  • Delivery should not create with out company code data

    Hi all,           We have created a customer master without company code data with T code VD01 and subsequently created sales order and delivery with PGI and invoice also saved but no accounting document is getting generated. But we want to stop at d