Electronic wallet

Hello,
is there any electronic wallet application for N95 available? I need it for storing PIN codes etc. Thanks.

The easiest way to do this on the N95 is to put them all in a text file that you can subsequently zip up (see menu > office) with password protection.
Was this post helpful? If so, please click on the white "Kudos!" star below. Thank you!

Similar Messages

  • Sample Javacard 2.2.1 Electronic wallet, Loyalty Points & StudentID applet

    Hi All,
    After nine months of researching and developing a java card applet and terminal side interface for my final year university project I was frustrated with the lack of sample code and tutorials available online.
    My applet is aimed at students as an id card containing a student id, all the features of an electronic wallet, loyalty point system protected by a pin number. Pin is changeable.
    The terminal interaction or host side application that communicates with this applet can be found in this forum under the heading "Sample Smartcardio (Host side) applet interaction application".
    As I have no finished my project I would like to share it with anyone that would like to see it.
    While I would love to write a tutorial I simply do not have the time however below is the applet I used in my project, I how for anyone that has read through java sun's tutorials this will be a help:
    package account;
    import javacard.framework.APDU;
    import javacard.framework.APDUException;
    import javacard.framework.ISO7816;
    import javacard.framework.Applet;
    import javacard.framework.ISOException;
    import javacard.framework.OwnerPIN;
    import javacard.framework.TransactionException;
    import javacard.framework.Util;
    * @Raymond_Garrett
    * DT 354-4
    *Applet ID 41 63 63 6F 75 6E 74 41 70 70 6C 65 74
    public class AccountApplet extends Applet {
         // codes of CLA byte in the command APDUs
         final static byte ACCOUNT_CLA = (byte)0xA0;
         // codes of INS byte in the command APDUs
         final static byte VERIFY_INS = (byte) 0x20;
         final static byte CREDIT_INS = (byte) 0x30;
         final static byte DEBIT_INS = (byte) 0x40;
         final static byte GET_LOYALTYPOINTS_BALANCE_INS = (byte) 0x45;
         final static byte CREDIT_LOYALTYPOINTS_INS = (byte) 0x47;
         final static byte GET_BALANCE_INS = (byte) 0x50;
         final static byte UPDATE_PIN_INS = (byte) 0x60;
         final static byte ADMIN_RESET_INS = (byte) 0x70;
         final static byte PIN_TRIES_REMAINING_INS = (byte) 0x80;
         final static byte STUDENT_NUMBER_INS = (byte) 0x90;
         // maximum Account balance
         final static short MAX_BALANCE = 10000;
         // maximum transaction amount
         final static short MAX_TRANSACTION_AMOUNT = 5000;
         // maximum number of incorrect tries before the
         // PIN is blocked
         //Changed to 4, as a safe guard all. All tests, messages and checks will use 3
         final static byte PIN_TRY_LIMIT =(byte)0x04;
         // maximum size PIN
         final static byte MAX_PIN_SIZE =(byte)0x08;
         // Applet-specific status words:
         final static short SW_NO_ERROR = (short) 0x9000;
         final static short SW_VERIFICATION_FAILED = 0x6300;
         final static short SW_PIN_VERIFICATION_REQUIRED = 0x6301;
         final static short SW_INVALID_TRANSACTION_AMOUNT = 0x6E83;
         final static short SW_EXCEED_MAXIMUM_BALANCE = 0x6E84;
         final static short SW_NEGATIVE_BALANCE = 0x6E85;
         final static short SW_PIN_TO_LONG = 0x6E86;
         final static short SW_PIN_TO_SHORT = 0x6E87;
    //     Student number (Ascii)d05106012 - (Hex)44 30 35 31 30 36 30 31 32
         private static byte[] STUDENT_NUMBER_ARRAY = {(byte)0x44, (byte)0x30, (byte)0x35, (byte)0x31, (byte)0x30, (byte)0x36, (byte)0x30, (byte)0x31, (byte)0x32};
         // instance variables declaration
         OwnerPIN pin;
         short balance = 1000; // Starting balance of decimal 1000 is 3E8 in hex
         short loyaltyPoints = 0; //Loyalty points
         // 1 Loyalty point awarded for every 100 cent spent.
          * install method
         public static void install(byte[] bArray, short bOffset, byte bLength) {
              // GP-compliant JavaCard applet registration
              new AccountApplet(bArray, (short) (bOffset + 1), bArray[bOffset]);
          * Constructor
          * @param bArray
          * @param bOffset
          * @param bLength
         private AccountApplet(byte[] bArray, short bOffset, byte bLength){
              pin = new OwnerPIN(PIN_TRY_LIMIT, MAX_PIN_SIZE);
              // bArray contains the default PIN initialization value (12345)
              bArray[0] = 01;
              bArray[1] = 02;
              bArray[2] = 03;
              bArray[3] = 04;
              bArray[4] = 05;
              bOffset = 0;
              bLength = 5;
              pin.update(bArray, bOffset, bLength);
              // register the applet instance with the JCRE
              register();
         } // end of the constructor
          * Boolean is selected
         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
          * deselect
         public void deselect() {
              // reset the pin
              pin.reset();
          * Key method the gets the APDU reads the INS and calls the appropiate method
          * Process APDUs
          * @param apdu
         public void process(APDU apdu) {
              // APDU object carries a byte array (buffer) to
              // transfer incoming and outgoing APDU header
              // and data bytes between the card and the host
              // at this point, only the first five bytes
              // [CLA, INS, P1, P2, P3] are available in
              // the APDU buffer
              byte[] buffer = apdu.getBuffer();
              // return if the APDU is the applet SELECT command
              if (selectingApplet())
                   return;
              // verify the CLA byte
              if (buffer[ISO7816.OFFSET_CLA] != ACCOUNT_CLA)
                   ISOException.throwIt(ISO7816.SW_CLA_NOT_SUPPORTED);
              // check the INS byte to decide which service method to call
              switch (buffer[ISO7816.OFFSET_INS]) {
              case GET_BALANCE_INS:                    getBalance(apdu);                return;
              case DEBIT_INS:                              debit(apdu);                       return;
              case CREDIT_INS:                         credit(apdu);                     return;
              case VERIFY_INS:                         verify(apdu);                    return;
              case UPDATE_PIN_INS:                    updatePin(apdu);               return;
              case ADMIN_RESET_INS:                    adminRest();                    return;
              case PIN_TRIES_REMAINING_INS:           getPinTriesRemaining(apdu); return;
              case STUDENT_NUMBER_INS:                getStudentNumber(apdu);       return;
              case GET_LOYALTYPOINTS_BALANCE_INS:     getLoyaltyPoints(apdu);      return;
              case CREDIT_LOYALTYPOINTS_INS:       creditLoyaltyPoints(apdu);      return;
              default:                    ISOException.throwIt
              (ISO7816.SW_INS_NOT_SUPPORTED);
         } // end of process method
          * verify then
          * withdraw money from the Account balance
          * @param apdu
         private void debit(APDU apdu) {
              // verify authentication
              if (!pin.isValidated()){
                   ISOException.throwIt(SW_PIN_VERIFICATION_REQUIRED);
              byte[] buffer = apdu.getBuffer();
              // get the number of bytes in the
              // data field of the command APDU
              byte numBytes = buffer[ISO7816.OFFSET_LC];
              //receive data
              //data is read into apdu buffer
              //at offset ISO7816.OFFSET_CDATA
              byte byteRead = (byte)(apdu.setIncomingAndReceive());
              short shortAmount = 0;
              if (numBytes == 2){
                   shortAmount = (short) Util.getShort(buffer, ISO7816.OFFSET_CDATA);
              else if (numBytes == 1) {
                   shortAmount = (short) buffer[ISO7816.OFFSET_CDATA];
              // check the debit amount
              if (( shortAmount > MAX_TRANSACTION_AMOUNT)     || ( shortAmount < 0 )) {
                   ISOException.throwIt(SW_INVALID_TRANSACTION_AMOUNT);
              // check the new balance
              if ((short)( balance - shortAmount)  < 0) {
                   ISOException.throwIt(SW_NEGATIVE_BALANCE);
              // debit the amount
              balance = (short)(balance - shortAmount);
              //Add loyalty points
              loyaltyPoints = (short) (loyaltyPoints + (short)(shortAmount/100));
              return;
         }          // end of debit method
         

    Code continued>>>>>>>>
          * Verify then
          * add money (credit) to the Account balance
          * @param apdu
         private void credit(APDU apdu) {
              // verify authentication
              if (!pin.isValidated()){
                   ISOException.throwIt(SW_PIN_VERIFICATION_REQUIRED);
              byte[] buffer = apdu.getBuffer();
              // get the number of bytes in the     
              // data field of the command APDU
              byte numBytes = buffer[ISO7816.OFFSET_LC];
              //receive data
              //data is read into apdu buffer
              //at offset ISO7816.OFFSET_CDATA
              byte byteRead = (byte)(apdu.setIncomingAndReceive());
              short shortAmount = 0;
              if (numBytes == 2){
                   shortAmount = (short) Util.getShort(buffer, ISO7816.OFFSET_CDATA);
              else if (numBytes == 1) {
                   shortAmount = (short) buffer[ISO7816.OFFSET_CDATA];
              // check the credit amount
              if (( shortAmount > MAX_TRANSACTION_AMOUNT)     || ( shortAmount < 0 )) {
                   ISOException.throwIt(SW_INVALID_TRANSACTION_AMOUNT);
              // check the new balance
              if ((short)( balance + shortAmount)  > MAX_BALANCE) {
                   ISOException.throwIt(SW_EXCEED_MAXIMUM_BALANCE);
              // credit the amount
              balance = (short)(balance + shortAmount);
              return;
         }                                                       // end of deposit method
          * Verify then
          * Update/change pin
          * byte[] bArray is the pin
          * short bOffset is the position in the array the pin starts in the bArray
          * byte bLength is the lenght of the pin
          * @param apdu
         private void updatePin(APDU apdu) {
              //     byte[] bArray, short bOffset, byte bLength){
              //           First check the original pin
              //          verify authentication
              if (! pin.isValidated())
                   ISOException.throwIt(SW_PIN_VERIFICATION_REQUIRED);
              byte[] buffer = apdu.getBuffer();
              // get the number of bytes in the
              // data field of the command APDU -- OFFSET_LC = positon 4
              byte numBytes = buffer[ISO7816.OFFSET_LC];
              // recieve data
              // data are read into the apdu buffer
              // at the offset ISO7816.OFFSET_CDATA
              byte byteRead = (byte)(apdu.setIncomingAndReceive());
              // error if the number of data bytes
              // read does not match the number in the Lc byte
              if (byteRead != numBytes) {
                   ISOException.throwIt(ISO7816.SW_WRONG_LENGTH);
              if ( numBytes > 8 )
                   ISOException.throwIt(SW_PIN_TO_LONG);
              if ( numBytes < 4 )
                   ISOException.throwIt(SW_PIN_TO_SHORT);
              short offset_cdata = 05;          
              pin.update(buffer, offset_cdata, numBytes);
              pin.resetAndUnblock();
          *  Admin method
          *  Rest the pin attempts and unblock
          *  @param apdu
         private void adminRest() {
              try {
                   pin.resetAndUnblock();
              } catch (RuntimeException e) {
                   // TODO Auto-generated catch block
              return;
          * Credit loyatly card pints in multiples of 100
          * @param apdu
         private void creditLoyaltyPoints(APDU apdu) {
              short creditAmount = (short) ((loyaltyPoints/ 100) * 100);
              balance = (short) (balance + creditAmount);
              loyaltyPoints = (short) (loyaltyPoints - creditAmount);
              return;
          * Get number of remaining pin tries
          * @param apdu
         private void getPinTriesRemaining(APDU apdu) {
              try {
                   byte[] buffer = apdu.getBuffer();
                   // inform the JCRE that the applet has data to return
                   short le = apdu.setOutgoing();
                   // set the actual number of the outgoing data bytes
                   apdu.setOutgoingLength((byte)2);
                   // write the PinTriesRemaining into the APDU buffer at the offset 0
                   Util.setShort(buffer, (short)0, pin.getTriesRemaining());
                   // send the 2-byte balance at the offset
                   // 0 in the apdu buffer
                   apdu.sendBytes((short)0, (short)2);
              } catch (APDUException e) {
                   // TODO Auto-generated catch block
              } catch (TransactionException e) {
                   // TODO Auto-generated catch block
              } catch (ArrayIndexOutOfBoundsException e) {
                   // TODO Auto-generated catch block
              } catch (NullPointerException e) {
                   // TODO Auto-generated catch block
         } // end of getPinTriesRemaining method
          * No verification needed
          * the method returns the Account’s balance
          * @param apdu
         private void getBalance(APDU apdu) {
              byte[] buffer = apdu.getBuffer();
              // inform the JCRE that the applet has data to return
              short le = apdu.setOutgoing();
              // set the actual number of the outgoing data bytes
              apdu.setOutgoingLength((byte)2);
              // write the balance into the APDU buffer at the offset 0
              Util.setShort(buffer, (short)0, (balance));
              // send the 2-byte balance at the offset
              // 0 in the apdu buffer
              apdu.sendBytes((short)0, (short)2);
          * No verification needed
          * the method returns the Account’s loyaltyPoints balance
          * @param apdu
         private void getLoyaltyPoints(APDU apdu){
              byte[] buffer = apdu.getBuffer();
              // inform the JCRE that the applet has data to return
              short le = apdu.setOutgoing();
              // set the actual number of the outgoing data bytes
              apdu.setOutgoingLength((byte)2);
              // write the loyaltyPoints balance into the APDU buffer at the offset 0
              Util.setShort(buffer, (short)0, (loyaltyPoints));
              // send the 2-byte loyaltyPoints balance at the offset
              // 0 in the apdu buffer
              apdu.sendBytes((short)0, (short)2);
          * No verification needed
          * the method returns the student number
          * @param apdu
         private void getStudentNumber(APDU apdu) {
              byte[] buffer = apdu.getBuffer();
              // inform the JCRE that the applet has data to return
              short le = apdu.setOutgoing();
              // set the actual number of the outgoing data bytes
              apdu.setOutgoingLength((byte)STUDENT_NUMBER_ARRAY.length);
              // write the balance into the APDU buffer at the offset 0
              apdu.sendBytesLong(STUDENT_NUMBER_ARRAY, (short)0, (short) STUDENT_NUMBER_ARRAY.length);
              //     Util.setShort(buffer, (short)0, STUDENT_NUMBER_ARRAY);
              // send the 2-byte balance at the offset
              // 0 in the apdu buffer
              try {
                   apdu.sendBytes((short)0, (short)STUDENT_NUMBER_ARRAY.length);
              } catch (APDUException e) {
                   // TODO Auto-generated catch block
         } // end of getBalance method
          * Verification method to verify the PIN
          * @param apdu
         private void verify(APDU apdu) {
              byte[] buffer = apdu.getBuffer();
              // receive the PIN data for validation.
              byte byteRead = (byte)(apdu.setIncomingAndReceive());
              // check pin
              // the PIN data is read into the APDU buffer
              // starting 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 verify method
    } // end of class AccountEdited by: Raymond.garrett-Dublin on Jun 17, 2009 11:30 PM

  • Comparing the iPhone 3G with my current Japanese iPhone (trying to decide)

    I'm trying to decide whether or not to switch to an iPhone 3G now that it has been released here in Japan. I currently use an AU cell phone by Casio. I would have to switch to Softbank, but you can keep your old phone number now, so that's no problem.
    The iPhone certainly has it's attractions. It also has it's drawbacks compared to phones here. I think it adds up differently for different people depending on which features they think are important. Here is how I have been currently thinking about it. Please tell me if I got any of the iPhone features wrong!
    iPhone = how I rank the iPhone feature on a 0-10 scale
    current = how I rank my current Japanese cell phone on a 0-10 scale
    weight = how important I think the feature is on a 0-10 scale
    (1) Web Surfing - iPhone 10 / current 3 / weight 10
    The iPhone's browser is clearly the best cell phone web browser anywhere.
    (2) Camera Still - iPhone 3 / current 5 / weight 8
    My current cell phone's quality has never been pleasing, and is the same 2 megapixel resolution of the iPhone. But it does have a flash and an image stabilizer, neither of which the iPhone has.
    (3) Camera Video - iPhone 0 / current 6 / weight 8
    It really is convenient to be able to shoot videos with your cell phone these days. The iPhone may be the ONLY cell phone in the world these days without that feature, which is very inexplicable. This might be the show-stopper for me. True, I usually shoot videos with my regular camera. In fact, I usually shoot still photos with my regular camera. Still, it is a very useful feature to have.
    (4) Electronic Wallet - iPhone 0 / current 10 / weight 5
    It really is convenient to just wave your cell phone at the train wicket, or at the convenience store, or vending machine and not fuss with cash. But the fact of the matter is there is also a card version of the e-money which I also have, so I can do the same thing by waving my unopened wallet at the same devices. So I could live without this feature. Recharging the e-money by cell phone is convenient though.
    (5) Cut and Paste - iPhone 0 / current phone 5 / weight 3
    I don't often use the feature, but it is relatively easy on my current phone to mark the begin and end of a section of text and then use copy/cut/paste. I can't believe the iPhone still doesn't have something as basic as that. It probably isn't a show stopper, but it does give me pause.
    (6) Digital TV receiver - iPhone 0 / current phone 9 / weight 1
    My Japanese friend really wants a new phone with a digital TV receiver so he can watch it on the trains to and from work. On the other hand, this isn't a show-stopper for me because I very rarely use the TV feature.
    (7) Replaceable battery pack - iPhone 0 / current phone 10 / weight 2
    Most Japanese seem to be very taken aback that you can't remove and change the battery pack yourself and switch to a spare when out for a long day. That sort of bothers me too, but the fact of the matter is I've never done that with any of my previous phones, so don't think I would worry about it. I am guessing there are portable rechargers available that run on batteries, right? I've used those before.
    (8) Applications - iPhone 10 / current phone 2 / weight 10
    The iPhone clearly has all the other cell phones beat in terms of applications. I've always been very disappointed with the lack of interesting apps available for my Japanese cell phones. I am assuming there is a PDF viewer available?
    (9) Email - iPhone 7 / current phone 7 / weight 10
    I haven't used the iPhone email app so I am just guessing. I assume you can have file attachments, right? Like send photos via email? Can you have multiple attachments in one email? iPhone email isn't "push" yet, right? You have to poll for new messages. My current phone uses push technology, like a Blackberry does, so it receives email automatically as soon as it is sent.
    (10) Keyboard - iPhone ? / current phone ? / weight 10
    I still can't figure out which is easier to use. My current cell phone is easy to input in Japanese, but hard to input in English! I suspect that the iPhone is the opposite - probably easier to input in English because of the full kb, but more difficult in Japanese. Also the lack of there being buttons or tactile feedback might make it harder to user.
    (11) Display - iPhone 8 / current phone 6 / weight 10
    The iPhone's display is larger and brighter. On the other hand, my current phone's display has a higher resolution.
    (12) Music features - iPhone 10 / current phone 2 / weight 7
    Having a built-in iPod is very nice. My current phone has the AU music system built in but it doesn't work well with Macs. A Windows person might find it more useful.
    I also read about a "yellow-ish tint" problem with the new iPhones. That's something I wouldn't want to get into. Another headache with Apple over some quality problem, like I had with my iPod nano 3G that I ended up getting a refund for. I don't think I could take that right now. Has that issue been resolved?
    Thanks!
    doug

    (3) Apple didn`t include video support because of the quality of the 2 MP camera, they are known as being the best in video and photography, so enabling video would result in a poor quality, Apple`s approach on this was all or nothing.
    (9) It supports loads of attachments such as PDF, DOC, images, that can be saved to the phone, or attached right after making them from the Camera Roll, and actually it supports push email, via the "Mobile Me" service from Apple (.Mac). This requires a anual payment, but it`s not that expensive, considering that you can use it with PC`s, Macs, and your phone.
    (10) The iPhones keyboard is the best I`ve ever used, i takes about a week to write fast, and about 2 to be a pro, and I mean really fast :))
    PS: What`s your current phone ?

  • BCE Spend $79 or more, get $15 back @ Walmart

    Has anybody done this ? It says excludes gift cards but how would they know what I'm buying ?It's online purchases only. DetailsGet a one-time $15 statement credit by using your enrolled Card to spend a total of $79 or more on a qualifying purchase online at Walmart.com by 8/31/2015. See terms for exclusions.TermsValid online only. Excludes phone orders. Valid only on US Website. Excludes corporate gift card purchases. VUDU video on demand is excluded. Gift card reloads are excluded. Excludes Walmartcontacts.com, Walmart Photo Services, Walmart Checks, Walmart’s Grocery Pickup/Delivery service, insurance services, Walmart.Moneygram.com, and BabyBox. Excludes Sam’s, Neighborhood Market, Marketside, Walmart To Go, and Vudu. If you order an item during the offer period but it is not sent until after 8/31/2015, it may not count towards determining whether the purchase qualifies for the offer. Enrollment limited. Offer is non-transferable. Only U.S.-issued American Express® Cards are eligible for this offer. Limit 1 statement credit per American Express online account. Must add offer to Card and use same Card to redeem. Statement credit will appear on your billing statement within 90 days after 8/31/2015, provided that American Express receives information from the merchant about your qualifying purchase. Note that American Express may not receive information about your qualifying purchase from merchant until all items from your qualifying purchase have been provided/shipped by merchant. Statement credit may be reversed if qualifying purchase is returned/cancelled. If American Express does not receive information that identifies your transaction as qualifying for the offer, you will not receive the statement credit. For example, your transaction will not qualify if it is not made directly with the merchant. In addition, in most cases, you will not receive the statement credit if your transaction is made with an electronic wallet or through a third party or if the merchant uses a mobile or wireless card reader to process it. By adding an offer to a Card, you agree that American Express may send you communications about the offer.

    kdm31091 wrote:
    If it states it excludes gift cards id assume theyre going to somehow track what youre buying.
    More importantly it makes no sense to go out of your way to spend the money if you werent already going to. 15 bucks off doesnt mean anything if you werent planning a purchase there anyway. Dont spend just to get a reward.Well, a bit of a stretch, as CCC often put restrictions that they have no way of enforcing.   But anyway, if those are the T&Cs they are not prohibiting most gift card purchases: corporate gift card purchases mean purchasing as a corporation, not purchasing random giftcards.   SO you can buy a walmart gift card, or a starbucks, dominos etc ETA: As ILBrian says!

  • Which java Api for Java Wallet Subtitute

    Hello,
    i would like make a web site who make secure transaction beween applet and a bank remote using credit Card.
    I don't know which technology to use since Java Wallet has been discontinued.
    Does someone know a official Sun Java platform for use Secure Transfert Electronic (SET) Protocol on web site???
    Thank you.

    Hello,
    i would like make a web site who make secure transaction beween applet and a bank remote using credit Card.
    I don't know which technology to use since Java Wallet has been discontinued.
    Does someone know a official Sun Java platform for use Secure Transfert Electronic (SET) Protocol on web site???
    Thank you.

  • One person on one computer adding multiple electronic IDs or signatures to one document

    I recently created a simple form in Adobe LiveCycle Designer 8.  It has several places for signatures.  I sent along with the form the Adobe user guide instructions for creating electronic IDs and signatures.  However, in several instances, our executives have given their administrative assistants permission to sign for them.  The assistants are also required to add their own signatures.  Apparently, when they click on any signature field, their bosses' signatures come up.  Can someone tell me how one person can create multiple electronic signatures and be able to select from among them in order to fill out one of these forms?

    When a user is signing a form, the digital certificates that are installed (in Acrobat) on the computer being used to sign the PDF will be available to be used to create the signature.  If only the "bosses" certificate is on the machine, this will be the only on available.  Make sure all certificate that could be used to sign are installed on the machine being used to sign.
    This screen shot is from the security settings in Acrobat, it shows multiple certifcates are installed.
    And here is the signature dialog with the option to use one of the installed certificates on the machine...
    Hope this helps.
    Steve

  • How do you insert an electronically signed report as an appendix into a main report which will be signed electronically at a later date?

    How do you insert an electronically signed report as an appendix into a main report which will be signed electronically at a later date?

    You can add it as a file attachment. Exactly how you do this depends on the version of Acrobat you're using, but if you open the Attachments panel, you should see where you can add a file.

  • Multiple electronic signatures in PDF portfolio

    I Have a PDF portfolio that has multiple PDFs in it each requiring 1 or more electronic signatures.  The problem is that after the first person signs one of the PDFs no one else is able to and they receive an error saying it's already open or they have read only access

    Which Acrobat version do you have? I've heard that there is a bug in this area in Acrobat 11.0.7. I do not have personal experience with it and I do not know how soon it will be fixed.

  • Unable to import the user certificate into the Oracle Wallet Manager

    Hi,
    I am configuring the External Authentication plugin using the password filters.
    i am using the version 10.1.0.5.0 version of Oracle Wallet manager
    inorder to do that i am enabling the SSL mode.
    to enable the SSL mode i followed the some steps in OWM and OCA admin and user console.
    when i approved a certificate as admin and importing to the Oracle Wallet Manager, i got an error that
    User Certificate Installation failed.
    Possible errors:
    - Input was not a valid certificate
    - No matching certificate request found
    - CA certificate needed for certificate chain not found.
    Please install it first
    can anyone help me how to resolve this problem.

    hi,
    thanks for your reply pramod
    I tried to import the two certificate files(rootca.crt and server.crt). but i am got the same error.
    what may be the problem.

  • Electronic Bank Statement Determining Incorrect Business Partners

    Have an issue with some electronic bank statements we import into SAP. Several of the line items we get from the bank identify the incorrect business partner when creating the payment advice. We are using intepretation algorirthm 001 to interpret the Note to Payee field in the statment.
    We do have 5 search strings in place which do successfully replace the text in the Note to Payee and replace with the vendor #. These work just fine.
    What is weird to me is that when I repeat the issue in another environment and simulate using FEBSTS, it is finding "document numbers" that are text strings and somehow determining the vendor from that. I cannot figure out what logic it is using to do this and why it thinks that when it sees ABCDEGF in the Note to Payee it should be for vendor 1234555, for example.
    These are files from Citibank and the Note to Payee field is in German if that make any difference. The easy solution is to setup search strings that correspond to the text found in there like we do for the other 5 instances which would solve it but we probably won't catch all instances upfront and this issue will still be present;
    Thanks in advance for any assistance.

    Anyone?

  • Wallet - without SSO File

    Hello
    I'd create a oracle wallet and i can connect without a password to the database. But now I'd delete the sso-file because I'll open the wallet with the statment "alter system.....". But I can't connect now als sys or system user. (Connect / as sysdba). I get always the message: "TNS: Wallet open failed".
    What's wrong?
    Thanks....
    roger
    Edited by: Street on 13.04.2012 01:45

    Hi Roger,
    you moust change sqlnet.ora. Disable wallet lines.
    FJH
    Sorry I did not read exactly. Above reply is invalid.
    FJH
    Edited by: user8684352 on 17.04.2012 04:49

  • How to print out wallet size photos on 6510 e-all-in-one series photosmart printer

    want to print out wallet size photos (size 3 and a half x 2 and a half).  I have windows XP and my printer is the photosmart 6510 e-all-in-one series

    You will have to change the settings in the photo editing software and put 2 wallets on a 4x6 or 9 wallets on a full page.  The photo tray will not take paper smaller than 4x6.
    SandyBob
    If I have solved your issue, please feel free to provide kudos and make sure you mark this thread as solution provided!
    Although I work for HP, my posts and replies are my own opinion and not those of HP
    1-800-474-6836

  • How do I use GarageBand as a amp/speaker to listen to my Electronic Drum set? I have a MIDI-USB cord already but I can't figure out how to listen to my set through the software using my computer speakers?

    How do I use GarageBand as a amp/speaker to listen to my Electronic Drum set? I have a MIDI-USB cord already but I can't figure out how to listen to my set through the software using my computer speakers?

    If you want to listen to the sounds of your drum set, you should use an audio cable and connect it to the computer's line-in, then create a real instrument track.
    If you use a Midi/USB interface, you'll have to create a software instrument track and select one of GB's drumsets as the instrument. Hopefully your drumset's midi notes are mapped to the right sounds in GB.

  • Error reading 'ods' passwd from wallet!!!!!

    I did:
    c:\>oidmon connect=hahldap start
    (No errors).
    C:\>oidctl connect=hahldap server=oidldapd host=192.168.1.100 instance=1 start
    gsluwpwaGetWalletPasswd: Opening 2 file failed with error 11005
    [gslusw]:Error reading 'ods' passwd from wallet
    [gsdsiConnect]:Error reading 'ods' passwd from wallet
    Could not connect to the Database.
    What could be the reason??? I am running on WinXP Is it the problem?
    Installation went fine for both Metadata repository and for the Oracle Internet Directory.
    Note: I couldn't find the service OracleDirectoryService_xxx at all, does that mean the installation is incorrect?
    thanks.

    Any resolution here :
    My listener is up
    My DB is up and accessible, but when issuing the following command I get following error .
    Any chance you can offer some advice ?
    oidmon start
    2006/03/01:12:58:32 * gsluwpwaGetWalletPasswd: Opening 3 file failed with error 11005
    2006/03/01:12:58:32 * [gslusw]:Error reading 'ods' passwd from wallet
    2006/03/01:12:58:32 * [gsdsiConnect]:Error reading 'ods' passwd from wallet
    2006/03/01:12:58:32 * [oidmon]: Unable to connect to database,
    will retry again after 20 sec
    Im on Unix

  • Issues with using utl_http with Oracle Wallet

    Hello Everyone,
    We are experimenting with Oracle wallet and utl_http and are attempting to do an https transfer and we are facing some problems. I will appreciate your help greatly if you can advise on what could be wrong. We are on db version 10.2.0.1 and Unix HP-UX. The intention ping an https url and get a simple 200 response. Future development would include get/post XML documents from that url and other interesting stuff. I understand that utl_http with Oracle wallet can be used for this purpose.
    The wallet has been created and the ewallet.p12 exists. We downloaded the SSL certificate from the url's website and uploaded into the wallet.
    Everything works if I put in a url with plain http. However, it does not work with an HTTP*S* url.
    With HTTPS when I run the below code I get the following error. Again, greatly appreciate your time and help because this is the first time we are using Oracle wallet manager and do not know where to go from here.
    ORA-29273: HTTP request failed
    ORA-06512: at "SYS.UTL_HTTP", line 1029
    ORA-29268: HTTP client error
    declare
    url varchar2(225);
    req utl_http.req;
    resp utl_http.resp;
    my_proxy BOOLEAN;
    name varchar2(2000);
    value varchar2(2000);
    V_proxy VARCHAR2(2000);
    v_n_proxy varchar2(2000);
    v_msg varchar2(100);
    v_len PLS_INTEGER := 1000;
    BEGIN
    -- Turn off checking of status code.
    utl_http.set_response_error_check(FALSE);
    --Set proxy server
    utl_http.set_proxy('my-proxy');
    utl_http.set_wallet('file:<full Unix path to the wallet on DB server>','wallet998');
    req := utl_http.begin_request('https://service.ariba.com/service/transaction/cxml.asp');
    --Set proxy authentication
    utl_http.set_authentication(req, 'myproxyid', 'myproxypswd','Basic',TRUE); -- Use HTTP Basic
    resp := utl_http.get_response(req);
    FOR i IN 1..utl_http.get_header_count(resp) LOOP
    utl_http.get_header(resp, i, name, value);
    dbms_output.put_line(name || ': ' || value);
    END LOOP;
    utl_http.end_response(resp);
    exception
    when others then
    dbms_output.put_line(sqlerrm);
    END;

    I tried this using plsql ...
    declare
    SOAP_URL constant varchar2(1000) := 'http://125.21.166.27/cordys/com.eibus.web.soap.Gateway.wcp?organization=o=WIPRO,cn=cordys,o=itgi.co.in';
    request      UTL_HTTP.req;
    begin
    dbms_output.put_line('Begin Request');
    request := UTL_HTTP.begin_request(SOAP_URL,'POST',UTL_HTTP.HTTP_VERSION_1_1);
    dbms_output.put_line('After Request');
    exception
    when others then
       dbms_output.put_line('Error : '||sqlerrm);
    end;The output was ...
    Begin Request
    Error : ORA-29273: HTTP request failed
    ORA-06512: at "SYS.UTL_HTTP", line 1029
    ORA-12535: TNS:operation timed outIt seems to be an issue with the webservice, plz check if its available & allowing requests.

Maybe you are looking for

  • Increasing memory on K8N-Neo2F

    I would like to increase the memory in a home built PC I inherited from a friend who emigrated – but as I am not that knowledgeable I would be very grateful for any advice on the following - The PC runs Windows XP & is fine but slow, it has 512 MB of

  • How can I download podcasts from new PC to my iPhone 4s?

    The phone had been using an iMac iTunes. I've now gone to a PC. (Forced to a PC because FCPX won't support my new video camera.) On new itunes, I registered new computer, backed up iphone, synced iphone (I think) and downloaded purchased music to new

  • Percentage based ONLY on a total in a crosstab report

    HI all, I created a report (crosstab), very simple, in which I show on the rows the STEPS and on the columns the SITUATIONS. So, for every intersection I have a value as usual (the TICKET_COUNT) Then, I added the Totals at the bottom and on the right

  • Slideshow pics in dreamweaver

    I have a Dreamweaver site under construction and on one of the pages I would like the main image section to have a slideshow of just 3 images. Fading from one to the other. Any ideas on the best and simplest way to do this?

  • Error in Oracle Lite Database connection

    Hi, I have installed the Oracle Application server 10.1.3.1.0 on my laptop (basic installation). I tried to define a database connection in the JDeveloper connection navigator to the Oracle lite database. When I test the connection I got an error: "I