When to call DocumentInstance.refresh()

I have a jsp page that takes URL encoded prompt name/value pairs, opens reports, fills in the prompts from the name/value pairs, refreshes the reports, and returns the results as a PDF file.  It needs to be able to handle Web Intelligence reports and Desktop Intelligence reports. <br />  <br /> I&#39;ve seen conflicting documentation and example code showing when to make the "refresh()" call.  Some says before the prompts are set, some says after, some says both, and some says you don&#39;t need to do it at all. <br />  <br /> I had it working with Deski docs by filling in the parameters (DocumentInstance.setPrompts()), and then calling refresh().  But that wouldn&#39;t work with Webi.  What seems to work with Webi is calling refresh() first, then filling in the prompts and calling setPrompts().  Now I&#39;m seeing that work for Deski too.  But I can find nowhere that explains definitively what the right way is and I&#39;m a little uncomfortable with the lack of logic here.   <br />  <br /> Does anyone know what the answer is?  Below is a small sample program that I&#39;ve been using to test my hypotheses. <br />  <br />  <br /> Thanks ! <br />  <br />  <table border="0" cellspacing="1" cellpadding="3" width="90%" align="center"><tbody><tr>        <td><span class="genmed"><strong>Code:</strong></span></td>     </tr>     <tr>       <td class="code"> <br /> <%@ page language="java"%>  <br />  <br /> <%@ page import="com.crystaldecisions.sdk.exception.SDKException" %> <br /> <%@ page import="com.crystaldecisions.sdk.framework." %> <br /> <%@ page import="com.crystaldecisions.sdk.occa.infostore." %>  <br /> <%@ page import="com.crystaldecisions.sdk.plugin.CeKind" %> <br /> <%@ page import="com.businessobjects.rebean.wi." %> <br /> <%@ page import="com.businessobjects.rebean.wi.ReportEngines.ReportEngineType" %>  <br /> <%@ page import="java.io." %> <br /> <%@ page import="java.util.*" %> <br />  <br /> <%@ include file="./webitestHelpers.jsp" %>  <br />  <br /> <% <br />  <br /> // simple test program for testing refreshing Webi docs and Deski docs. <br />  <br /> String okayStatus = "OK"; <br /> String exceptionStatus = "Exception";  <br /> String status = okayStatus; <br /> String flocParamName = "Select Field Location"; <br /> String reportNameParamName = "reportName"; <br /> byte[] binaryContent = null; <br /> IEnterpriseSession boSession = null; <br />  <br /> try <br /> { <br />    // login and get a business objects session <br />    boSession = getBoSession(); <br />  <br />    String reportName = "report name not specified";  <br />    String floc = "field location not specified"; <br />  <br />    String param = request.getParameter(reportNameParamName); <br />    if (param != null)  <br />       reportName = param.trim(); <br />     <br />    param = request.getParameter(flocParamName); <br />    if (param != null)  <br />       floc = param.trim(); <br />     <br />    IInfoStore store = (IInfoStore) boSession.getService("InfoStore"); <br />  <br />    // get the ID of the folder that contains the report <br />    String folderQuery = "SELECT SI_ID FROM CI_INFOOBJECTS WHERE SI_NAME = &#39;OnDemand_ReadyQA&#39; AND SI_KIND = &#39;" + CeKind.FOLDER + "&#39;"; <br />  <br />    IInfoObjects folderObjs = (IInfoObjects) store.query(folderQuery);  <br />  <br />    // should be exactly one folder by that name <br />    if (folderObjs.size() == 1) <br />    { <br />       IInfoObject rootFolder = (IInfoObject) folderObjs.get(0);  <br />       int rootFolderId = rootFolder.getID();   <br />  <br />       // get the report named in the URL that lives in the reports folder <br />       String reportQuery = "SELECT SI_ID FROM CI_INFOOBJECTS WHERE SI_NAME = &#39;" + reportName + "&#39; AND SI_PARENTID = &#39;" + rootFolderId + "&#39;";  <br />  <br />       IInfoObjects reportObjs = (IInfoObjects) store.query(reportQuery); <br />  <br />       // should be exactly one  <br />       if (reportObjs.size() == 1) <br />       { <br />          IInfoObject reportIio = (IInfoObject) reportObjs.get(0);  <br />  <br />          ReportEngines engines = (ReportEngines)boSession.getService("ReportEngines"); <br />          ReportEngine engine; <br />  <br />          // get the right kind of engine based on the report type (webi vs deski) <br />          if ("FullClient".equals(reportIio.getKind()))  <br />             engine = engines.getService(ReportEngineType.FC_REPORT_ENGINE); <br />          else <br />             engine = engines.getService(ReportEngineType.WI_REPORT_ENGINE);  <br />  <br />          // and open the document <br />          DocumentInstance doc = engine.openDocument(reportIio.getID()); <br />  <br />           // The call that doesn&#39;t seem to make sense here.  Seems to work for Webi and Deski... <br />          doc.refresh(); <br />     <br />          // only 1 prompt exists in our little test case - fill it in with the value from the URL  <br />          Prompts prompts = doc.getPrompts(); <br />          Prompt p = prompts.getItem(flocParamName); <br />          if (p != null)  <br />          { <br />             String[] promptVals = new String[1]; <br />             promptVals[0] = floc;  <br />             p.enterValues(promptVals);          <br />             doc.setPrompts();  <br />  <br />             // we used to refresh here, and it worked for Deski, but not for Webi.   <br />             // doc.refresh(); <br />               <br />             // get a binary view of the document in pdf encoding <br />             BinaryView docbv = (BinaryView) doc.getView(OutputFormatType.PDF);  <br />             binaryContent = docbv.getContent(); <br />          } <br />          else  <br />             status = "No &#39;" + flocParamName + "&#39; parameter exists"; <br />       } <br />       else  <br />          status = "No report for query " + reportQuery; <br />    } <br />    else <br />       status = "No folder for query " + folderQuery;  <br /> } <br /> catch (Throwable t) <br /> { <br />    status = exceptionStatus; <br />  <br />    out.write("\r\n\r\n<html>\r\n<body>\r\n\r\n");  <br />        <br />    out.write("<h2>Exception</h2>"); <br />    out.write("<h3>Error:</h3> " + t.getMessage() + "<BR>");  <br />    out.write("<h3>StackTrace:</h3> "); <br />    out.write("<PRE>"); <br />    t.printStackTrace((new java.io.PrintWriter(out)));  <br />    out.write("</PRE> <BR>"); <br />     <br />    out.write("\r\n\t\t\r\n</body>\r\n</html>\r\n\r\n");  <br /> } <br /> finally <br /> { <br />    boSession.logoff(); <br />    session.invalidate(); <br /> } <br />  <br /> if (okayStatus.equals(status)) <br /> { <br />    response.setContentType("application/pdf"); <br />    ServletOutputStream os = response.getOutputStream();  <br />    os.write(binaryContent); <br /> } <br /> else if (!exceptionStatus.equals(status)) <br /> { <br />    out.write("\r\n\r\n<html>\r\n<body>\r\n\r\n");  <br />    out.write("<h2>Error</h2>"); <br />    out.write("<h3>" + status + "</h3>"); <br />    out.write("\r\n\t\t\r\n</body>\r\n</html>\r\n\r\n");  <br /> } <br />  <br /> %> <br /> </td></tr></tbody></table>

I tried to mimic your codes with my existing Deski report in CMS and run in my local machine. My purpose is to run deski report, pass parameter, mutiple format and save output report to unmanaged disk (network/local destination).
My connection was successfull using "Connection with userID".
However, it stops and encountered error on this line of code...
ReportEngines engines = (ReportEngines)boSession.getService("ReportEngines");
Error Message below:
Entering getRASConnection()
Error Message: No server was available to process the request. Please try again later. (Error: RFC 00101)
Any idea why it happens?
Please help me on this.
Thanks.

Similar Messages

  • Calling the refresh event of a portlet

    Hi
    Can I call the refresh event of a portlet in another page when I refresh the
    current page?
    Any thoughts?
    Raghu

    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    public class WindowClosingTest extends JFrame {
         public WindowClosingTest() {
              try {
                   setDefaultCloseOperation(JFrame.DO_NOTHING_ON_CLOSE);
                   JButton button = new JButton("Close");
                   button.addActionListener(new ActionListener() {
                        public void actionPerformed(ActionEvent ae) { performClose(); }
                   addWindowListener(new WindowAdapter() {
                        public void windowClosing(WindowEvent we) { performClose(); }
                   getContentPane().add(button);
                   pack();
                   setLocationRelativeTo(null);
                   setVisible(true);
              } catch (Exception e) { e.printStackTrace(); }
         private void performClose() {
              int n = JOptionPane.showConfirmDialog(null, "Close?", "Confirm", JOptionPane.YES_NO_OPTION);
              if (n != 1) { System.exit(0); }
         public static void main(String[] args) { new WindowClosingTest(); }
    }

  • My iTunes keeps crashing when i try to refresh the podcasts

    my itunes keeps crashing when i try to refresh the podcasts

    Fixed the problem!
    I tried to redownload itunes
    delete plist
    use time machine to get an old version of itunes
    no luck
    I called support
    they had me redownload itunes. And before I started itunes they had me drag itunes off the dock, then drag itunes from the applications folder onto the dock and presto no more crashes!
    Apparently the Mac will still use the old files unless you drag the icon off of the dock! She said a part of the upgrade must have been corrupted during download the first time

  • ValueChangeListener not firing when iterator set to refresh=never

    I have an iterator that I have recently added a child node to. This child node is tied to a view object without a backing entity. The fields in that view can contain user supplied data that I persist through a stored procedure. This mechanism works great accept when the page is refreshed. When that happens the fields in the child node are lost due to the view being reexecuted.
    To fix this problem, I thought I could set the iterator to refresh=”never” and then programmatically refresh it when I need to. This solution appears to work but with one small problem, a valueChangeListener in one of the parent iterator fields fails to execute when it is supposed to.
    It is very weird. I can remove the refresh=”never” from the iterator and the valueChangeListener functions properly, but if I add it back, it fails to get called. I have compared the html source on the browser and the element is generated the same in both instances, so it is definitely some issue on the server side.
    Anyone ever run into a similar problem?
    <af:table rows="#{bindings.ItemCountrySystemsVO.rangeSize}"
              emptyText="#{bindings.ItemCountrySystemsVO.viewable ? \'No rows yet.\' : \'Access Denied.\'}"
              var="row"
              value="#{bindings.ItemCountrySystemsVO.treeModel}">
       <af:selectBooleanCheckbox  id="selectDesc"
                                  value="#{row.CheckBox}"
                                  autoSubmit="true"
                                  immediate="true"
                                  valueChangeListener="#{itemItemCountryDataActionBean.onChangeSystemDescCheckBox}" />
    <iterator id="ItemCountrySystemsVOIterator" RangeSize="10"
                  Binds="ItemCountrySystemsVO" DataControl="RMSItemAMDataControl" Refresh="never"/>
    <tree id="ItemCountrySystemsVO" IterBinding="ItemCountrySystemsVOIterator">
          <AttrNames>
            <Item Value="Item"/>
            <Item Value="CountryId"/>
            <Item Value="SystemCd"/>
            <Item Value="Status"/>
            <Item Value="StatusDate"/>
            <Item Value="PrimarySupp"/>
            <Item Value="CheckBox"/> 
          </AttrNames>
          <nodeDefinition DefName="od.adf.mp.datamodel.views.item.ItemCountrySystemsVO"
                          id="ItemCountrySystemsVONode">
            <AttrNames>
              <Item Value="Item"/>
              <Item Value="CountryId"/>
              <Item Value="SystemCd"/>
              <Item Value="Status"/>
              <Item Value="StatusDate"/>
              <Item Value="PrimarySupp"/>
              <Item Value="CheckBox"/> 
            </AttrNames>
            <Accessors>
              <Item Value="ItemCountrySystemsLangVO"/>
            </Accessors>
          </nodeDefinition>
          <nodeDefinition DefName="od.adf.mp.datamodel.views.item.ItemCountrySystemsLangVO"
                          id="ItemCountrySystemsLangVONode">
            <AttrNames>
              <Item Value="Item"/>
              <Item Value="System"/>
              <Item Value="Lang"/>
              <Item Value="LangDescription"/>
              <Item Value="CountryId"/>
              <Item Value="ItemDescription"/>
              <Item Value="OrigItemDescription"/>
            </AttrNames>
          </nodeDefinition>
        </tree>

    Using the refresh condition was definitely the better approach and it worked great. Unfortunately not refreshing the parent iterator did not prevent the reexecuting of the child node. I am at a loss on how to prevent this from happening. I am at a loss to explain why the reexecuting of the child view object happens at all when the parent hasn't changed.
    Any help is appreciated.

  • EREC: Stars disappear when assigment page is refreshed.

    Hi Experts,
    I am really stuck on this and hope someone guides me.
    I am facing problem in Assignment page for the requisition. Where ranking details are displayed and stars are visible for the listed candidates. When assignment page is refreshed, stars which were visible earlier will disappear.
    Why refreshing making the ranking stars to disappear? Is there any note to address this issue? Please help out.
    Regards
    Savitha
    Edited by: SAPHCMRR on Aug 4, 2011 12:46 PM
    Edited by: SAPHCMRR on Aug 5, 2011 9:18 AM

    Hello Savitha,
    Note 1124565 originally had a correction instruction for EHP4 although this was not necessary (because the changes have been implemented before EHP4 was shipped). One of my colleagues came across this fact and we deleted the correction instruction for EHP4.
    It seems like someone tried to reapply the note in your system after it has been changed and that during this the LOOP-statement got lost. I had a look at the version history of GET_AUTO_SRCH_LST_BY_CDCY_LST and to me it seems like the coding had been there correctly (in the initial version 1), most probably because it was part of the initial shipment of EHP4.
    the code should be like this :
    method get_auto_srch_lst_by_cdcy_lst.
      data: lt_hit_list             type rcf_t_hitlist_with_rankv,
            ls_srch_mtch            type rcf_s_hitlist_with_rankv,
            lt_cdcy_list            type rcf_t_assignments,
            ls_cdcy_list            type rcf_s_assignments,
            ls_hidden_info          type rcf_s_name_value,
            lt_hidden_info          type rcf_t_name_value,
            lo_ex                   type ref to cx_hrrcf,
            lv_is_ranking_supported type boole_d.
      field-symbols: <ls_cdcy_slct> type rcf_s_mass_proc_activities,
                     <ls_hit_list>  type rcf_s_hitlist_with_rankv.
      clear pt_srch_mtch_list_slct.
    check if attribute ranking is supported
      if cl_hrrcf_switch_check=>hrerc_sfws_ui_enh_03( ) eq true.
        call function 'HR_RCF_CHECK_TREX_VERSION'
          importing
            ev_ranking_supported = lv_is_ranking_supported.
      endif.
      ls_hidden_info-fieldname  = 'REQUISITION'.
      ls_hidden_info-fieldvalue = ps_req_hrobject.
      append ls_hidden_info to lt_hidden_info.
      loop at pt_cdcy_list_slct assigning <ls_cdcy_slct>.
        ls_cdcy_list-cdcy_object = <ls_cdcy_slct>-hrobject.
        append ls_cdcy_list to lt_cdcy_list.
      endloop.
      unassign <ls_cdcy_slct>.
      try.
          call method cl_hrrcf_search_match_bl=>get_auto_srch_lst
            exporting
              p_search_compid    = p_search_compid
              ps_hrobject        = ps_req_hrobject
              pt_hidden_info_tab = lt_hidden_info
            importing
              pt_hit_list        = lt_hit_list
            changing
              pt_cdcy_list       = lt_cdcy_list.
          if lv_is_ranking_supported eq false.
            sort lt_hit_list by hrobject.
            loop at pt_cdcy_list_slct assigning <ls_cdcy_slct>.
              ls_srch_mtch-hrobject = <ls_cdcy_slct>-hrobject.
              read table lt_hit_list assigning <ls_hit_list>
                with key hrobject = <ls_cdcy_slct>-hrobject
                binary search.
              if sy-subrc eq 0.
                ls_srch_mtch-rankv = <ls_hit_list>-rankv.
              endif.
              append ls_srch_mtch to pt_srch_mtch_list_slct.
              clear: ls_srch_mtch.
            endloop.
          else.
            pt_srch_mtch_list_slct = lt_hit_list.
          endif.
        catch cx_hrrcf into lo_ex.
          raise exception type cx_hrrcf
            exporting
              previous = lo_ex.
      endtry.
    endmethod.

  • DLL Wrapper works when functions called out of main(), not from elsewhere?

    Hello all,
    I am currently trying the JSAsio wrapper out ( http://sourceforge.net/projects/jsasio )
    Support on this project is nearly unexisting and a lot of people seem to complain that it doesn't work well.
    It works very nicely here, I wrote a few test classes which called some functions (like playing a sound or recording it) and had no problems whatsoever.
    These test classes were all static functions and ran straight out of the main() method and printed some results to the console.
         public static void main(String[] args)
              boolean result = callFunction();
              .. end..
         public static boolean callFunction()
              initASIO();
              openASIOLine();
              return true;
         }The results were all great!
    Then I tried to implement these test classes into my swing-based applications. So I want to call these same functions, as in the test classes, as a result of any user action (for example, selecting the asio driver in a combobox) But then these asio driver functions just stop to work. I get errors saying that the ASIO driver is not available. (meaning that the dll wrapper loads the wrong asio driver or can't load one at all)
    The library path and classpath are all set correctly, exactly the same as the test classes. Even copied the test code word for word in to my swing applications but it still will not work. I am calling these functions in a new Thread, and even put them in a static methods to try and get that working. When calling these asio methods from the main() method AFTER I set up my components gives me the desired results as well. But as soon as I call these same methods (which are in the same class) from a swing event, it fails;
    public class ASIOTest
         public static void main(String[] args)
              ASIOTest test = new ASIOTest();
              test.callFunction(); // <-- WORKS
         public ASIOTest()
              initializeComponents();
         private void initializeComponents()
              frame = new JFrame();
              choices = new JComboBox();
              choices.addActionListener(new ActionListener() {
                public void actionPerformed(ActionEvent event)
                     // user made selection
                    new Thread(
                            new Runnable() {
                                public void run() {
                                    try
                                         callFunction(); // <-- DOES NOT WORK
                                    catch (Exception e)
                                        e.printStackTrace();
                            }).start();
         public void callFunction()
              initASIO();
              openASIOLine();
    }Is there something fundamental I am missing here?
    For what reasons can an application which uses JNI functions go wrong when working in a swing enviroment? (and out of a static context, although this does not seem to make any difference, eg. when calling these functions from static methods inside another class, inside a new thread when the user has generated an event)
    I am hoping someone could point me in the right direction :-)
    Thank you in advance,
    Steven
    Edited by: dekoffie on Apr 21, 2009 11:11 AM
    Edited by: dekoffie on Apr 21, 2009 11:16 AM

    jschell wrote:
    Two applications.
    And you probably run them two different ways.
    The environment is different so one works and the other doesn't.Thank you for your fast reply!
    Well, I am running the "updated" version from the same environment; I copied the jframe, and a jcombobox into my original test class which only ran in the java console. Consider my second code example in my original post as the "updated" version of the first code example. And as I pointed out, it works fine when I call the jni functions in the main method, but not when I call it from inside the ActionListener.
    Or am I again missing something essential by what you mean with a different environment? The classpath and the working directory is exactly the same, as is the Djava.library.path option. :-)
    Thanks again!

  • Help needed! Just want to cancel my year subscription. No answer from support via mail, noone answers when I call, support chat don't work.

    Help needed! Just want to cancel my year subscription. No answer from support via mail, noone answers when I call, support chat don't work.

    Hi there
    I'll pass your details to our Russian team and they'll contact you to assist further.
    Kind regards
    Bev

  • Why does my 3G iPhone no longer rings nor vibrates when receiving calls and text messages?

    Why does my 3G iPhone no longer rings nor vibrates when receiving calls and text messages?
    During a two weeks process, little by little I notice my phoe doesn't ring when I get a phone call.  So Far I have missed 22 calls that I am aware of.  Moreover, the phone does not alert me when I get a text message.  Sometimes I receive notice the next day that I received a call or a text message. 

    Follow the basic troubleshooting steps outlined in the user guide... reset, restore from backup, restore as new.

  • HT1414 Can anyone shed some light on my problem with iPhone 5 please? I am 'stuck' in recovery mode and do EVERYTHING that's been suggested online. (Even Apple at Bondi said 'Oh...um...oh that' doesn't sound too good.') when I called them for help.

    To say that I am livid would be the greatest understatement EVER made in the ENTIRE history of the planet. Last night my iPhone 5 decided it would go into Recovery Mode. (That is.....a Black screen showing the iTunes logo, a white 'up' arrow and with the white cable/plug at the bottom of the screen).
    (Hold onto your Samsung Galaxys people - do NOT throw/give them away when you 'update (yeh right) to an iPhone).
    So I turned it off and left it off all of last night. I arrived at work this morning to 'sync/restore' it with my computer where it asked me to install the latest version of 'whatever it is the latest version of.' HOWEVER, as I do not have the administrative rights to do such things on my work computer, I was unable to do so and now I have been riding the 'Apple Merry-Go-Round' since 0630hrs (WAST). It comes up with the following message in a window on the screen:-
    'The iPhone "iPhone" could not be restored. An unknown error occurred (14).'
    Gee - thanks for that - I'd never have known unless I saw that little window!!!! The fact that my screen has frozen and I am unable to install, sync or restore anything kind of gives it away!!!
    'Just go to the nearest Apple Store' I hear you say. That is a 'tad' hard as I work in The Pilbara Region of North West, Western Australia (for 4+ weeks at any one time) and won't be back in 'civilisation' until next Monday week (10th of Feb, 2014)........Talk about being held to ransom by technology!! I have asked other people at work (who ALL have iPhones) and when I showed them the screen (& the whole ridiculous process) they screwed their faces up as they had never seen such a thing. Some people NEVER get asked to update/install anything on their phones.....So, I have to wonder why mine 'asks me'.......constantly.
    I fear that my 'Apple' is not an apple but that it is actually a 'Lemon.'
    Hey 'Apple' - don't let me get a hold of you!!
    Oh yeh - the opening hours actually say Sun 10:00am til 4:00pm or even 6:00pm in some places.......how convenient - when you call (them on their landline FROM a landline) you get the engaged signal!

    Thanks for that 'sberman' - because my iPhone is backed-up to my work computer (only at this stage) I have had to call our IT Department in Adleaide. (4 times this morning). The last guy managed to get the phone into 'DFU Mode' - no more recovery mode screen - (kind of 'asleep' perhaps) from my understanding of same. I am awaiting a call again from IT so they can get my computer to actually recognise my iPhone on the C Drive. This also happened to  one of my colleagues in Newman (WA). She got so frustrated with the whole process that she bought another phone the next time she was in 'civilisation.' She hasn't had any problems since. (Cross fingers).
    Thanks again, Sandra2474.

  • I just downloaded the latest version of firefox (5.0). Can I delete all the older versions that are still on my drive? 2) When I call up some web sites sometimes the web site comes up 3 or 4 times...how do I stop this from happening?

    I just downloaded the latest version of firefox (5.0). Can I delete all the older versions that are still on my drive?
    When I call up some web sites sometimes the web site comes up 3 or 4 times...how do I stop this from happening? For example if I click on a link the exact same link comes up 3 or 4 times and I have to manually delete all of them but one.

    Do you organise your email into separate folders, or do you just let it accumulate in the Inbox?
    I would strongly advise you not to let it sit in the Inbox.
    When you see this happening, try right-click on the affected folder, select '''Properties''' then '''Repair Folder'''.
    Large folders (actually, a folder in Thunderbird is stored as a file, so it is sensitive to file size limits set by the underlying file system) can be problematic. This is one reason not to let messages collect in one folder. I use Thunderbird's Archive folders so that accumulated mails over several years can happily coexist because they are effectively stored in many small folders. No single mail store folder then exceeds the 2GB or 4GB sizes that have been known to stress the OS. I appreciate that current builds of Thunderbird and a modern 64-bit OS should be able to cope, but practically I find it slows down when given huge files, so I err towards a pragmatic solution; a large number of not very big files.
    Archives are searchable, and a Saved Search folder can give you a virtual composite folder allowing access to the entire Archive.

  • Why is it that when I call my MIL with FaceTime I end up calling another person?

    When I call my mother in law with FaceTime, I end up calling a total stranger. I use her number from my contacts and it is the right number, it works just fine if I make a regular phone call. Today, I called her and talked to her for some time and after a while we decided to switch to FaceTime. While on the phone with her, I pushed the FaceTime button on my screen, the call ended, FaceTime started and instead of my MIL it was a complete stranger that answered the call. What can I do to fix this problem?

    Check to see if you have an old phone number associated with this person in your address book. When you call someone on Facetime it calls ALL numbers/emails associated with that persons contact sheet! This was my problem, this stranger has my husband's old phone number!

  • Why is it that when someone calls my dad's phone, the incoming call shows up on both our screens?

    Whenever someone is calling my dad, we both get the call. It only happens when we are close. It only happens when the calls are for him. It happens even when the other person is not doing a multiple call. Does it have something to do with us having the same Wi-Fi? He has an iPhone 5 with iOS 8 and I have an iPhone 5c with iOS 8.

    It has to do with you and him sharing an Apple ID. This is not a good practice. Create a new Apple ID: http://appleid.apple.com.
    You could also go to Settings > FaceTime > iPhone Cellular Calls and turn if off, but ultimately you'll probably run into other problems down the road by sharing an ID.

  • How can I activate an old version of Photoshop that I've loaded on my new tablet? The web activation doesn't work, and when I call the number, it says it's not being used anymore. Meanwhile, I'm down to 13 days till it stops working due to not being activ

    How can I activate an old version of Photoshop that I've loaded on my new tablet? The web activation doesn't work, and when I call the number, it says it's not being used anymore. Meanwhile, I'm down to 13 days till it stops working due to not being activated. HELP?  I really need to continue using this product for my home business.It works fine not activated but the threat is that it will stop working in 13 more days if I don't get it activated, and none of the activation methods they list seem to work.

    The new serial number is to the right of your chosen download.

  • I got problem when trying to contact my iphone 4 using facetime,it did ringing,but my iphone 4 did not receive that call as if nothing happen.But,when the call ended,that call appeared in the missed call list.fyi both are connected to internet.

    i got problem when trying to call my iphone 4 using facetime with my Macbook Pro 13',it did ringing,but my iphone 4 did not receive that call as if nothing happen.But,when the call ended,that call appeared in the missed call list.fyi both are connected to internet.Help!! thank you in advance

    i got problem when trying to call my iphone 4 using facetime with my Macbook Pro 13',it did ringing,but my iphone 4 did not receive that call as if nothing happen.But,when the call ended,that call appeared in the missed call list.fyi both are connected to internet.Help!! thank you in advance

  • I cannot log onto the App Store, the page appears when I call it from the dock or the Apple menu. I can call the log-in box from the menu bar, but on signing in the spinning icon just keeps spinning,(not the beachball). Any suggestions? Using 10.6.7 and u

    I cannot log onto the App Store, the page appears when I call it from the dock or the Apple menu and I can call the log-in box from the menu bar, but on signing in the spinning icon just keeps spinning,(not the beachball).  Using 10.6.7 and up-to-date on all software. Any suggestions?

    Could be a third party app preventing you from being able to login.
    Mac App Store: Sign in sheet does not appear, or does not accept typed text
    If it's not a third party issue, follow the instructions here.
    Quit the MAS if it's open.
    Open a Finder window. Select your Home folder in the Sidebar on the left then open the Library folder then the Caches folder.
    Move the com.apple.appstore and the com.apple.storeagent files from the Caches folder to the Trash
    From the same Library folder open the Preferences folder.
    Move these files Preferences folder to the Trash: com.apple.appstore.plist and com.apple.storeagent.plist
    Same Library folder open the Cookies folder. Move the com.apple.appstore.plist file from the Cookies folder to the Trash.
    Relaunch the MAS.

Maybe you are looking for