How to Solve NullPointerException in WebService handling

hi experts,
>>  I am in initial stage in Web Dynpro
>>  I created one webservice ( just Add to number)
>> My Nodes Structure is
            AddNode
             !____AddInput_Node
                     !---Num1
                     !---Num2
             !____AddOutput_node
                    !---result
I set Cordinality 1-1 to all nodes
When I  run my application , i got NullPointerException error
how to solve this error
Pl can one help me...
Advance Thanks
Balaji

Hi ,
The problem is not with the model , in the context you have to intantiate the node to which the context is binded .
Kindly look at the following learning material
https://www.sdn.sap.com/irj/sdn/webdynpro?rid=/library/uuid/49f2ea90-0201-0010-ce8e-de18b94aee2d#63
regards
Dhawal

Similar Messages

  • How to solve nullPointerException in this code

    class p6f
         int i,j,x,fib[];
         public void fibonacy(int j)
              fib[0]=0;
              fib[1]=1;
              for(i=2;i<j;i++)
         fib=fib[i-1]+fib[i-2];
         System.out.println(fib[i]);
         public static void main(String args[])
    int x;
              p6f p=new p6f();
              x=Integer.parseInt(args[0]);
              System.out.println("U selected length as" + x );
              p.fibonacy(x);

    class p6f
         int i,j,x,fib[];
         public void fibonacy(int j)
    =0;
              fib[1]=1;
              for(i=2;i<j;i++)
         fib=fib[i-1]+fib[i-2];
         System.out.println(fib[i]);
         public static void main(String args[])
    int x;
    p=new p6f();
              x=Integer.parseInt(args[0]);
              System.out.println("U selected length as" + x );
              p.fibonacy(x);
    Your horribly named class p6f doesn't have a constructor, and likewise you never create an array for variable fib to point to
    Even if you fix those problems then you will still run into errors because in method fibonacy you are trying to assign an int value to an int array reference variable.
    Luckily I have the solution for you and it is at this link below...
    http://www.amazon.com/Beginning-Programming-Java-Dummies-Computer/dp/0764588745

  • How to solve a problem related with implementing Inheritance?

    Hello,
    So i come on this way to ask for help about implementing Inheritance on my application. So the problem is:
    I am making a Application which i need to capture audio and that analyze that capture by Spectrum Analyzer, Volumes etc.
    And I will use several microphones in this application so i will use same code in capturing audio.
    I have a class called Application which has the GUI and the events, like button events and update the values in the GUI. In my first version of the Application i had everything here but i don´t like that and is not good for the performance so i want to divide the code by other classes. Thats why i am trying the Inheritance.
    So i created a class called Equipment which is the superclass and in this class will have the method captureAudio(), calculateRMSLevel(), sendOutPresenceUpdates() etc.. And i have 3 variables:
    public abstract class Equipment {
        public AudioFormat format;
        public TargetDataLine line;
        public Mixer mixer;
        public EventListenerList listenerList = new EventListenerList();
        public Equipment(AudioFormat format, TargetDataLine line, Mixer mixer){
            this.format = format;
            this.line = line;
            this.mixer = mixer;
        public AudioFormat getFormat() {
            return format;
        public void setFormat(AudioFormat format) {
            this.format = format;
        public TargetDataLine getLine() {
            return line;
        public void setLine(TargetDataLine line) {
            this.line = line;
        public Mixer getMixer() {
            return mixer;
        public void setMixer(Mixer mixer) {
            this.mixer = mixer;
         public int calculateRMSLevel(byte[] audioData){
         // audioData might be buffered data read from a data line
            long lSum = 0;
            for(int i=0; i<audioData.length; i++)
                lSum = lSum + audioData;
    double dAvg = lSum / audioData.length;
    double sumMeanSquare = 0d;
    for(int j=0; j<audioData.length; j++)
    sumMeanSquare = sumMeanSquare + Math.pow(audioData[j] - dAvg, 2d);
    double averageMeanSquare = sumMeanSquare / audioData.length;
    return (int)(Math.pow(averageMeanSquare,0.5d) + 0.5);
    public void sendOutPresenceUpdates(int FullJIDAndResource, String NewPresence) {
         Object[] listeners = listenerList.getListenerList();
         Integer inputValue = _FullJIDAndResource;
         String convertedValue = inputValue.toString();
    // Empty out the listener list
         // Each listener occupies two elements - the first is the listener class and the second is the listener instance
    for (int i=0; i < listeners.length; i+=2) {
              if (listeners[i]==CustomPresenceListener.class) {
                   ((CustomPresenceListener)listeners[i+1]).presenceEventOccurred(new CustomPresenceEvent(this, convertedValue, _NewPresence));
    public void listenForPresenceEvents(CustomPresenceListener _listener) {
              listenerList.add(CustomPresenceListener.class, _listener);
    public void removeEventListener(CustomPresenceListener _listener) {
              listenerList.remove(CustomPresenceListener.class, _listener);
    public void captureAudio(){
    And i have questions about the constructor, is right the constructor that i created in the superclass?
    So i create a subclass called Microphone1 and in this class i make override from the method captureAudio() from the superclass and here i create the thread for the capture.class Microphone1 extends Equipment{
    public Microphone1(AudioFormat format, TargetDataLine line, Mixer mixer){
    super(format,line,mixer);
    public void captureAudio(){
    try{
    format = getFormat();
    Mixer.Info[] mixerInfo =AudioSystem.getMixerInfo();
    //DataLine.info get the information about the line.
    DataLine.Info info = new DataLine.Info(TargetDataLine.class,format);
    Mixer mixer = AudioSystem.getMixer(mixerInfo[3]);
    // get the info from the desired line.
    line = (TargetDataLine)AudioSystem.getLine(info);
    //Get a TargetDataLine on the selected mixer.
    line = (TargetDataLine) mixer.getLine(info);
    line.open(format);
    line.start();
    CaptureThread captureThread = new CaptureThread();
    captureThread.start();
    } catch (Exception e) {
    System.out.println(e);
    System.exit(0);
    }//end catch
    But now i have a problem in the class Application, because i want to start the capture when i click in the button so i created the actionPerfomed and inside of this event i create this:Microphone1 m1 = new Microphone1(format,line,mixer);
    m1.captureAudio();
    But when i execute the application and click in the button appears this: java.lang.NullPointerException :/ and i don't know how to solve this.
    Any help? Where i am wrong?                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

    Hello Kayaman,
    Well thinking in that way is not good creating the Microphone1 object every time i click in the button.
    So i put e.printStackTrace in the catch block the show me this error:
    java.lang.NullPointerException
    at com.sun.media.sound.Toolkit.isFullySpecifiedAudioFormat(Toolkit.java:137)
    at com.sun.media.sound.AbstractDataLine.open(AbstractDataLine.java:98)
    at com.sun.media.sound.AbstractDataLine.open(AbstractDataLine.java:139)
    at App.Microphone1.captureAudio(Microphone1.java:42)
    at App.Application.startBtnActionPerformed(Application.java:529)
    at App.Application.access$000(Application.java:29)
    at App.Application$1.actionPerformed(Application.java:152)
    at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:1995)
    at javax.swing.AbstractButton$Handler.actionPerformed(AbstractButton.java:2318)
    at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:387)
    at javax.swing.DefaultButtonModel.setPressed(DefaultButtonModel.java:242)
    at javax.swing.plaf.basic.BasicButtonListener.mouseReleased(BasicButtonListener.java:236)
    at java.awt.Component.processMouseEvent(Component.java:6267)
    at javax.swing.JComponent.processMouseEvent(JComponent.java:3267)
    at java.awt.Component.processEvent(Component.java:6032)
    at java.awt.Container.processEvent(Container.java:2041)
    at java.awt.Component.dispatchEventImpl(Component.java:4630)
    at java.awt.Container.dispatchEventImpl(Container.java:2099)
    at java.awt.Component.dispatchEvent(Component.java:4460)
    at java.awt.LightweightDispatcher.retargetMouseEvent(Container.java:4577)
    at java.awt.LightweightDispatcher.processMouseEvent(Container.java:4238)
    at java.awt.LightweightDispatcher.dispatchEvent(Container.java:4168)
    at java.awt.Container.dispatchEventImpl(Container.java:2085)
    at java.awt.Window.dispatchEventImpl(Window.java:2478)
    at java.awt.Component.dispatchEvent(Component.java:4460)
    at java.awt.EventQueue.dispatchEvent(EventQueue.java:599)
    at java.awt.EventDispatchThread.pumpOneEventForFilters(EventDispatchThread.java:269)
    at java.awt.EventDispatchThread.pumpEventsForFilter(EventDispatchThread.java:184)
    at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:174)
    at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:169)
    at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:161)
    at java.awt.EventDispatchThread.run(EventDispatchThread.java:122)
    at App.Microphone1.captureAudio(Microphone1.java:42):
    This error is about this line: line.open(format);at App.Application.startBtnActionPerformed(Application.java:529): m1.captureAudio();:/

  • Hi, when ever I'm using 3G, on my Iphone4 sim stops working and Network is lost, this started after I updated my phone with  6.0.1(10A523)version. Please help how to solve this problem.

    Hi, when ever I'm using 3G, on my Iphone4 sim stops working and network is lost, this started after I updated my phone with  6.0.1(10A523)version. Please help how to solve this problem. Thanks.

    Photos/videos in the Camera Roll are not synced. Photos/videos in the Camera Roll are not touched with the iTunes sync process. Photos/videos in the Camera Roll can be imported by your computer which is not handled by iTunes. Most importing software includes an option to delete the photos/videos from the Camera Roll after the import process is complete. If is my understanding that some Windows import software supports importing photos from the Camera Roll, but not videos. Regardless, the import software should not delete the photos/videos from the Camera Roll unless you set the app to do so.
    Photos/videos in the Camera Roll are included with your iPhone's backup. If you synced your iPhone with iTunes before the videos on the Camera Roll went missing and you haven't synced your iPhone with iTunes since they went missing, you can try restoring the iPhone with iTunes from the iPhone's backup. Don't sync the iPhone with iTunes again and decline the prompt to update the iPhone's backup after selecting Restore.

  • How to solve this problem 'Uncaught exception: dssma: invalid state(5): 25 in blackberry curve 8520?

    HELLO, I have blackberry curve 8520. i have got error in my phone. the error is "Uncaught exception: DSSMA: invalid state(5): 25. I am unable to open my Inbox messages and unable to view phone's call history. the phone shows the same message again and again 'Uncaught exceptionSSMA: invalid state(5): 25'. Please help me how to solve it? I am unable to read sms in my phone. Please help me.
    Solved!
    Go to Solution.

    Hi and Welcome to the Community!!
    There's pretty much no diagnosing those -- they are the equivalent of the random errors in Windows for which tracing the root cause is fruitless. Basically, these are the last out in the programming code -- some event occurred for which there is no handler in the code. The fix is a code update that handles the event...but, again, knowing what the event is is pretty much impossible. So, there are a few things to try:
    Sometimes, the code simply becomes corrupt and needs to be refreshed -- just like a reboot:
    Anytime random strange behavior or sluggishness creeps in, the first thing to do is a battery pop reboot. With power ON, remove the back cover and pull out the battery. Wait about a minute then replace the battery and cover. Power up and wait patiently through the long reboot -- ~5 minutes. See if things have returned to good operation. Like all computing devices, BB's suffer from memory leaks and such...with a hard reboot being the best cure.
    If it won't boot up cleanly, then you may need to try Safe Mode:
    KB17877 How to start a BlackBerry smartphone in safe mode
    There might be an updated code set from the carrier -- check them via this portal:
     http://na.blackberry.com/eng/support/downloads/download_sites.jsp
    The toughest possible cause is a badly behaving app. To find it, there are a couple of options. One is to see if you can read the log file:
    Go to the home screen. Hold down the "alt" key and type 'lglg'. (You will not see anything while you type).This will bring up the log file. Scroll down (probably many pages) untill you see a line that says 'uncaught execption'. Click on this line. The name of the app will be in the info. Alternative methods for bringing up the logs are in this KB:
    KB05349How to enable, access, and extract the event logs on a BlackBerry smartphone
    The other method is to remove apps one at a time, waiting a while in between (I usually recommend a week), until the problem ceases...thereby discovering the offending app. Still another method is to reload the BB OS cleanly, leaving some time between adding other apps onto the BB so as to be able to determine exactly which one is the cause.
    Good luck and let us know!
    Occam's Razor nearly always applies when troubleshooting technology issues!
    If anyone has been helpful to you, please show your appreciation by clicking the button inside of their post. Please click here and read, along with the threads to which it links, for helpful information to guide you as you proceed. I always recommend that you treat your BlackBerry like any other computing device, including using a regular backup schedule...click here for an article with instructions.
    Join our BBM Channels
    BSCF General Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

  • How are *Credit Card*--Cash Advances handled?

    How are *Credit Card*--Cash Advances handled? Can employees add that to their Expense report?
    Example: If the employee takes a $100 cash advance and reconciles the transaction in SAP Expense, we are expected to pay
    Credit Card Provider $100.
    However, how does the employee account for underutilizing that $100 (e.g. $20 remaining in their pocket).
    Does the individual create and link the $80 of expenses to that $100 cash advance and receive a $20 debit to their employee vendor?
    Also, we know that currently there is no MCC Code Mapping in the system for Cash Advance.
    Is there a work around this.

    Hi Rahul,
    I had a customer which had this situation. We solved this issue with a BAdI implementation in ERP.
    The traveler adds this withdrawal as a normal expense item which is assigned to special account alias code. The BAdI implementation recongnizes this alias code and removes the expenses and charges this costs to the employee.
    Example:
    Withdrawal        100 USD
    Taxi                     80 USD
    Bus                        5 USD
    Unused                15 USD
    Standard posting to FI:
    Taxi Costs                           80,00
    Bus Costs                            5,00
    Withdrawal                          100,00
    Employee Vendor                                85,00
    Credit Card Account                          100,00
    The correct  posting would be:
    Taxi Costs                           80,00
    Bus Costs                           5,00
    Employee                           15,00
    Credit Card Account                         100,00
    To achieve this posting it is required to
    map the withdrawal expense type to a special account alias code (in the coding
    example below: ADV)  and  to implement the following coding in BAdI
    BADI_DCFL_FIN_IDOC_DATA_TV:
      DATA: lr_item               TYPE REF TO dcfls_preproc_it.
      DATA: lr_vendor_item         TYPE REF TO dcfls_preproc_it.
    FIELD-SYMBOLS: <tv_item_adv>  TYPE dcfls_runtime_tv_item.
    FIELD-SYMBOLS: <tv_item_emp>  TYPE dcfls_runtime_tv_item.
    FIELD-SYMBOLS: <tv_header>    TYPE dcfls_runtime_tv_root.
      DATA: lt_string              TYPE TABLE OF string.
      DATA: ls_string              TYPE string.
      LOOP AT cs_preproc-item REFERENCE INTO lr_item.
        ASSIGN lr_item->bo_specific_item->* TO <tv_item_adv>.
        IF  <tv_item_adv>-tv_category = '03'  "Expense Item
        AND lr_item->ksymb = 'ADV'.
          CLEAR lr_vendor_item.
          LOOP AT cs_preproc-item REFERENCE INTO lr_vendor_item WHERE rtkey_it <> lr_item->rtkey_it.
            ASSIGN lr_vendor_item->bo_specific_item->* TO <tv_item_emp>.
            IF  <tv_item_emp>-tv_category = '01'  "Due Item
            AND <tv_item_emp>-pernr_d IS NOT INITIAL.
              EXIT.
            ELSE.
              UNASSIGN <tv_item_emp>.
            ENDIF.
          ENDLOOP.
          IF <tv_item_emp> IS ASSIGNED.
            <tv_item_emp>-wrbtr = <tv_item_emp>-wrbtr - <tv_item_adv>-wrbtr.
            DELETE cs_preproc-item WHERE rtkey_it = lr_item->rtkey_it.
          ELSE.
            "Create Vendor Item with negative amount
            <tv_item_adv>-tv_category = '01'.
            ASSIGN cs_preproc-bo_specific_root->* TO <tv_header>.
            SPLIT <tv_header>-note AT '/' INTO TABLE lt_string.
            READ TABLE lt_string INTO ls_string INDEX 4.
            IF sy-subrc = 0.
              <tv_item_adv>-pernr_d = ls_string.
            ENDIF.
            CLEAR: lr_item->ksymb,
                   <tv_item_adv>-note,
                   <tv_item_adv>-zuonr.
            <tv_item_adv>-wrbtr = <tv_item_adv>-wrbtr * -1.
          ENDIF.
        ENDIF.
      ENDLOOP.
      IF  <tv_item_emp> IS ASSIGNED
      and <tv_item_emp>-wrbtr IS INITIAL.
        DELETE cs_preproc-item WHERE rtkey_it = lr_vendor_item->rtkey_it.
      ENDIF.

  • How to start working with WebServices....?

    Hi there,
    Previosly I was working in EJBs.
    Now I need to warp the EJBs which I have developed in the WEB SERVICES.
    And I am new to Web Services. Except basic knowledge, i don't how to wrap EJB an WebService.
    How to do it ?
    Can u pls assist me or guide me accordingly.
    Thanks in Advance.
    - Siva Prasad

    Hi Siva Prasad,
    Though I am not familiar with Weblogic Web Service development , I can guide you using Axis.
    If it solves your problem give the acknowledgement.
    Regards,
    cpatra

  • How to solve the error 0xBFF6902B in Ni-Max??

    Hello,
    I am trying to communicate with Axis camera with Ni-vision , but I am getting the error as I mentioned.
    Here in attachment I have attached the screenshot of error.
    Would you please guide me how to solve this error.
    Thank you very much.
    Attachments:
    error.png ‏982 KB

    Hello,
    I have a camera in My robot its Axis camera and its working fine in when I connect my robot and handle with labview.
    But I am not able to detect that camera in Ni-Max as I want to develop some functionality of robot camera in Ni-IMQ.
    When I tried to connect then I Got the error Error - 1074360277 occurred at IMAQdx Open Camera.vi,
    would you please help me how to solve this problem.
    Ip address of camera also responding well.
    Please guide me what should be the possible way to solve this problem I am using labview 2012.
    Attachments:
    erro.png ‏231 KB

  • I recieve SMS and i hear established melody and I do't hear the person on all over SMS. How to solve this problem?

    Problem with an incoming message. For example, during my conversation the second line receives a call, I hear the sound in dynamics such as "piiiip piiiip," but when in this situation I recieve SMS and i hear established melody and I do't hear the person on all over SMS. How to solve this problem? Perhaps someone tell me? save in advance

    Not Charge
    - See:     
    iPod touch: Hardware troubleshooting
    iPhone and iPod touch: Charging the battery
    - Try another cable. The cable for 5G iPod (lightning connector) seems to be more prone to failure than the older cable.
    - Try another charging source
    - Inspect the dock connector on the iPod for bent or missing contacts, foreign material, corroded contacts, broken, missing or cracked plastic.
    - Make an appointment at the Genius Bar of an Apple store.
      Apple Retail Store - Genius Bar

  • How do I create an Event Handler for an Execute SQL Task in SSIS if its result set is empty

    So the precedence on my entire package executing is based on my first SELECT of my Table and an updatable column. If that SELECT results in an empty result set, how do I create an Event Handler to handle an empty result set?
    A Newbie to SSIS.
    I appreciate your review and am hopeful for a reply.
    PSULionRP

    Depends upon what you want to do in the eventhandler. this is what you can do
    Store the result set from the Select to a user variable.
    Pass this user variable to a Script task.
    In the Script task do whatever you want to do including failing the package this can be done by failing the script task, which in turns fails the package. something like
    Dts.TaskResult = Dts.Results.Failure
    Abhinav http://bishtabhinav.wordpress.com/

  • My Airport Time Capsule only works when I turn off and turn on, but I think this may end up with the unit. What can this happening and how to solve?

    Time Capsule Airport
    Hello to all, good day, sorry my english google, but it is the tool I have at the moment. I'm having trouble with my Time Capsule Airport, I made all the settings according to the manual, but there has been a connection problem with my iMac. When I finish my work I turn off the imac and then again when they return to work and care, it can not connect to Time Capsule Airport, making it impossible to remove the files and make back up by Time Machine only works when I turn off and turn on the Airport Time Capsule , but I think this may end up with the unit. What can this happening and how to solve? Thank you.
    Olá a todos, bom dia, desculpe meu inglês google, mas é a ferramenta que tenho no momento. Estou tendo dificuldades com a minha Airport Time Capsule, fiz todas as configurações de acordo com o manual, mas tem existido um problema de conexão com meu iMac. Quando termino meus trabalhos desligo o imac e depois quando retorno pra trabalhar novamente e ligo, ele não se conecta a Airport Time Capsule, impossibilitando retirar os arquivos e fazer o back-up pelo Time Machine, só funciona quando desligo e ligo a Airport Time Capsule, mas acho que isso pode acabar com o aparelho. O que pode esta acontecendo e como resolver? Obrigado.

    This is easier to do with pictures perhaps.. since we do not share a common language and machine translation leaves a lot to be desired.
    In the airport utility bring up your Time Capsule.
    Simply post the screenshots here.
    So here is mine.
    Click on the Edit button and give us the Internet and Wireless and Network tab..
    eg.
    Please also make sure you are set to ipv6 in your wireless or ethernet .. whichever is used.. and do tell which.
    This is wifi in your computer.
    The following are important..
    DO not use long names with spaces and non-alphanumeric names.
    Use short names, no spaces and pure alphanumeric.
    eg TC name. TCgen5
    Wireless name TCwifi
    Use WPA2 Personal security with 10-20 character pure alphanumeric password.
    read apple instructions to help with TM and TC.. they did finally admit it has issues in Mavericks.
    OS X Mavericks: Time Machine problems
    Mount the TC manually in finder.
    AFP://TCgen5.local
    When asked for the password .. that is the disk access password and save it in the keychain.
    Reset Time Machine
    See A4 here. http://pondini.org/TM/Troubleshooting.html

  • I'm trying to connect my 30" Cinema Display to my new Mac Pro along with a new Apple 23'" monitor.  The new Apple monitor is fine.  On the cinema monitor everything is blown up pretty large.  Any ideas on how to solve this?

    I'm trying to connect my 30" Cinema Display to my new Mac Pro along with a new Apple 23'" monitor.  The new Apple monitor is fine.  On the cinema monitor everything is blown up pretty large.  Any ideas on how to solve this?

    The 30" display needs a DUAL-LINK adapter.
    <http://store.apple.com/us/product/MB571Z/A/mini-displayport-to-dual-link-dvi-ada pter>

  • I Try to open an Indesign document. The message: it is made in a newer version. Go tot CC: Help/Give your Adobe id/Start Indesign again and try to open the document. This doesn't work. How to solve this problem?

    I Try to open an Indesign document. The message: it is made in a newer version. Go tot CC: Help/Give your Adobe id/Start Indesign again and try to open the document. This doesn’t work. How to solve this problem?

    What version are you running?
    What version was it made with?

  • I'm using i phone 3gs after upgraded to ios 5 few hours from shop my phone totally shutdown and cannot on.how to solve it.tq

    help..help...my i phone 3gs after upgrading to ios 5 for few hours thn my phone "pass away"total cannot on anymore.how to solve this problem.tq

    Thanks for the clarification.    Yes, I do access my email from 2 different sources. 
    FYI, I use the POP mailserver as I need most of the information to be loaded onto my PC while on a plane / not connected to the interenet.
    The primary use of mail on my iPhone is to be available as much as possible - even when I'm away from my office.
    Thanks again for your help.   I'll start deleting them in segments of 100.......

  • After installing Lion os I cannot see my desktop 1 nor can I see my open windows when I go to finder, I just get the grey/black background that comes with mission control. Any ideas as to how to solve this problem?

    The top picture is what my Desktop 1 looks like. And the picture below is what my desktop looks like after clicking mission control. Ive tried changing wallpapers, changing preferences, etc. and I still can't figure out what's wrong. As you can see, on mission control you can't see any of the open windows, or anything that I have placed on my desktop. Any ideas as to how to solve this issue?

    Hello cor-el, thanks for your reply. I changed my settings for downloads to desktop and it has appeared on there. When I double click I am asked which program I want to open file. I click firefox and another box "opening install" says I have chosen to open the file which is an application and do I want to save it. This is the only real option so I press save file. I get a box saying this is an executable file which may contain viruses - do you want to run. I press ok and the final box showing C drive file name and desktop appears stating application not found.
    This happens the same whenever I try to install.
    To my untrained eye the application is not being recognised as an application and I cannot work out how to get it to do that.
    My plugin is still showing as out of date.
    Is there anything you could suggest. Thanks for your time.

Maybe you are looking for

  • Why can't I update bootcamp software on my Macbook Air 2013?

    I'm running windows 8 on my 13" macbook air 2013. Apple sent me a notification of updated bootcamp support software and directions for installation. This web page included a list of the models that are supported by this software and mine is one of th

  • [Solved]How to upload / download BLOB images ADF - JSF

    Hi everyone. I am a newbe ADF - JSF developer and I need to do a web app. in which I have to upload jpeg images to a table (in an oracle 8 DB) that has a BLOB column, also I need to be able to download images from the same table and show them in the

  • Statement.getUpdateCount() is not working

    Hi I'm using the Thin driver, and getUpdateCount() is never returning -1, no matter how many times I do a getMoreResults() Thus I can't be sure if all results have been read. HELP!! null

  • Status groups in incompletion log

    can anybody explain what is the use of status group in incompletion log?

  • No Printer Job List and No AutoQuit

    I have a Canon i70 printer. When I print a document the Canon i70 application automatically opens on my computer. However, when the job finishes, the application does not automatically quit as it used to in previous versions of OS X. The other proble