Calling VO from Controller to display employe details

Hi
select papf.full_name
,hr_general.DECODE_ORGANIZATION(paaf.organization_id) organization_name
,hr_general.DECODE_JOB(paaf.job_id) Job
,HAPF.name Position
,PAAF.ASS_ATTRIBUTE6 cost_Center
,PAPF.employee_number
,hr_general.decode_grade(PAAF.grade_id) Grade
,PBG.name
,PPOS.DATE_START DOJ
,xxhr_loan_workflow_pkg.get_account_number(PAPF.person_id) account_number
FROM per_all_people_f PAPF
,per_all_assignments_f PAAF
,hr_all_positions_f HAPF
,per_business_groups PBG
,per_periods_of_service PPOS
WHERE 1 = 1
AND PAPF.person_id = :1
AND PAAF.Person_Id = PAPF.person_id
AND HAPF.position_id = PAAF.position_id
AND PBG.business_group_id = PAPF.business_group_id
AND PPOS.person_id = PAPF.person_id
AND PPOS.business_group_id = PAPF.Business_Group_Id
AND TRUNC(SYSDATE) BETWEEN PAPF.Effective_Start_Date AND PAPF.Effective_End_Date
AND TRUNC(SYSDATE) BETWEEN PAAF.Effective_Start_Date AND PAAF.Effective_End_Date
AND TRUNC(SYSDATE) BETWEEN HAPF.Effective_Start_Date AND HAPF.Effective_End_Date
CO
public void processRequest(OAPageContext pageContext, OAWebBean webBean)
super.processRequest(pageContext, webBean);
OAApplicationModule applicationModule = pageContext.getApplicationModule(webBean);
Serializable methodParams[] = { pageContext.getEmployeeId()+""};
applicationModule.invokeMethod("initializeEmpDtlsVO",methodParams);
AM
public void initializeEmpDtlsVO(String personId){
XXHREmployeeDtlsVOImpl empDtlsVO = getXXHREmployeeDtlsVO1();
empDtlsVO.initQuery(personId);
VO
public XXHREmployeeDtlsVOImpl() {
public void initQuery(String personId){
setWhereClauseParams(null);
setWhereClauseParam(0,personId);
executeQuery();
}

Set default values to flex field in OAF programmatically
Business requirement
When you navigate to create new vacancy page from i-recruitment you will see below screen. When user select value from BCN pick list then other values should get defaulted like vacancy type, Organization, job title of flex field segments.
To achieve above requirement I used below code in custom controller which will attach fire action to the pick list and in processFormRequest it will assign values to the another segments of flex field
package xxclt.oracle.apps.irc.vacancy.webui;
import oracle.apps.fnd.framework.OAApplicationModule;
import oracle.apps.fnd.framework.OAException;
import oracle.apps.fnd.framework.webui.OAPageContext;
import oracle.apps.fnd.framework.webui.OAWebBeanConstants;
import oracle.apps.fnd.framework.webui.OAWebBeanUtils;
import oracle.apps.fnd.framework.webui.beans.OADescriptiveFlexBean;
import oracle.apps.fnd.framework.webui.beans.OAWebBean;
import oracle.apps.fnd.framework.webui.beans.message.OAMessageCheckBoxBean;
import oracle.apps.fnd.framework.webui.beans.message.OAMessageChoiceBean;
import oracle.apps.fnd.framework.webui.beans.message.OAMessageLovChoiceBean;
import oracle.apps.fnd.framework.webui.beans.message.OAMessageLovInputBean;
import oracle.apps.irc.vacancy.webui.VacNewDetsPageCO;
import oracle.cabo.ui.action.FireAction;
import oracle.jbo.ViewObject;
public class XXVacNewDetsPageCO extends VacNewDetsPageCO {
public XXVacNewDetsPageCO() {
public void processRequest(OAPageContext pageContext, OAWebBean webBean) {
super.processRequest(pageContext, webBean);
OADescriptiveFlexBean dffBean =
(OADescriptiveFlexBean)webBean.findIndexedChildRecursive("FndFlexField");
dffBean.processFlex(pageContext);
OAMessageChoiceBean segment1 =
(OAMessageChoiceBean)dffBean.findChildRecursive("FndFlexField0");
segment1.setRequired("yes");
segment1.setFireActionForSubmit ("selectBCN",null, null,true, true);
public void processFormRequest(OAPageContext pageContext,
OAWebBean webBean) {
super.processFormRequest(pageContext, webBean);
if ("selectBCN".equals(pageContext.getParameter(OAWebBeanConstants.EVENT_PARAM))) {
// The Position poplist PPR change event has fired.
OAApplicationModule am = pageContext.getRootApplicationModule();
String vStatus;
OADescriptiveFlexBean dffBean =
(OADescriptiveFlexBean)webBean.findIndexedChildRecursive("FndFlexField");
dffBean.processFlex(pageContext);
OAMessageChoiceBean bcnSegment =
(OAMessageChoiceBean)dffBean.findChildRecursive("FndFlexField0");
String vBCNValue = bcnSegment.getSelectionValue(pageContext) ;
pageContext.writeDiagnostics("XXCLIENT",vBCNValue,1);
String vacancyInfoQuery =
"SELECT bcn, grade, job_title, vacancy_type, ORGANIZATION FROM xxclt_mbd_bcn_info_v";
//Specify the Where Clause for the same
vacancyInfoQuery = vacancyInfoQuery + " WHERE bcn = :1 ";
//First see if this VO is already attached to view object
ViewObject vacancyInfoVO = am.findViewObject("XXVvacancyInfoVO");
if (vacancyInfoVO == null)
vacancyInfoVO =
am.createViewObjectFromQueryStmt("XXVvacancyInfoVO",
vacancyInfoQuery);
//By now we are sure that the view object exists
vacancyInfoVO.setWhereClauseParams(null);
//Set the where clause
vacancyInfoVO.setWhereClauseParam(0, vBCNValue);
vacancyInfoVO.executeQuery();
oracle.jbo.Row row = vacancyInfoVO.first();
//get the value of description column from View Object record returned
String vGrade = "";
String vJobTitle = "";
String vVacancyType = "";
String vOrganization = "";
if (row != null) {
vGrade = row.getAttribute(1).toString();
vJobTitle = row.getAttribute(2).toString();
vVacancyType = row.getAttribute(3).toString();
vOrganization = row.getAttribute(4).toString();
OAMessageLovInputBean vGradeBean =
(OAMessageLovInputBean)webBean.findChildRecursive("FndGrade");
OAMessageLovInputBean vJobTitleBean =
(OAMessageLovInputBean)webBean.findChildRecursive("FndJobTitle");
OAMessageChoiceBean vVacancyTypeBean =
(OAMessageChoiceBean)dffBean.findChildRecursive("FndFlexField1");
OAMessageLovInputBean vOrgBean =
(OAMessageLovInputBean)webBean.findChildRecursive("FndOrganization");
vVacancyTypeBean.setSelectedValue(vVacancyType);
vGradeBean.setText( vGrade);
vJobTitleBean.setText(vJobTitle);
vOrgBean.setText(vOrganization);
// vOrgBean.set
OAMessageCheckBoxBean vEmpChkBox;
OAMessageCheckBoxBean vCntrChkBox;
vEmpChkBox =
(OAMessageCheckBoxBean)webBean.findChildRecursive("FndEmployee");
vCntrChkBox =
(OAMessageCheckBoxBean)webBean.findChildRecursive("FndContractor");
if (vVacancyType.equals("PMR") ) {
vEmpChkBox.setChecked(true);
vCntrChkBox.setChecked(false);
}else if(vVacancyType.equals("TMR") ) {
vCntrChkBox.setChecked(true);
vEmpChkBox.setChecked(false);
//Remove the view object, as this is no longer required
vacancyInfoVO.remove();
}

Similar Messages

  • Call  RFC from ECC and display the values in  AET

    Hi ALL,
    I had an RFC in ECC ( Z_CRM_SPEC_DATA) this should be called into my AET Fields in getter method.
    In getter method of tat AET field what code should i write?
    Plz help me on this.

    HI,
    1) Call the  RFC(Z_CRM_SPEC_DATA) from ECC and display the values as mentioned in below AET fields.
    AET FIELDS :    zzfld00000M    zzfld00000N
    Description  :    Budget Quan    Forecast Quan
    values         :    (--5.0)(6.0--
    2) (Fetch Budget and Forecast data from ECC ),you would need to pass Material Number(MATNR) as well as Ship to party info to fetch the budget and forecast data as one material may be assigned to 2 or more SH with specific budget and forecast data for each.
    Edited by: venkatabharathv on May 23, 2011 2:44 PM
    Edited by: venkatabharathv on May 23, 2011 2:49 PM

  • Call EJB3 from Controller

    Hi everybody,
    my post here is intended to clarify couple of things i might have misunderstood specially with my lack of experience in UI5 technology
    Is it possible to call an EJB session bean from Controller without exposing it as a web service, or it must be exposed as Restful service since the SAP UI5 is running on browser and not on server. if it's possible is there example somewhere?
    as far as I understood from SAPUI5 framework, the code will run on the browser and not on the application server. is this right?
    Thanks for your relpies
    Sam

    Hi,
    I do not have much information on calling EJB from sapui5 but found out this blog Todos application with SAPUI5, Jersey, and JPA
    Please go through it...may be useful for your requirement.
    Regards,
    Chandra

  • Call procedure from form which displays HTML

    I have a form based on a table with three columns. When I press the insert button, I want to insert the data into the table and then pass the data to a procedure (wihtin a package), which will call an external java procedure and get a passcode returned to it. I then need to display the passcode to the user's screen (which I am currently attempting to do via htp/htf calls within a procedure in the package).
    I tried to put the call to the package in a trigger. It succeeded in calling the external procedure, but did not display anything to the browser afterwords.
    I then tried to put the call to the PL/SQL code on my Insert button. I have tried various flavors of this call, but here is the current version:
    declare
    v_user_key_id lcams_db.user_token_link.user_key_id%TYPE;
    v_tkn_ser_no lcams_db.user_token_link.tkn_ser_no%TYPE;
    v_actv_ind lcams_db.user_token_link.utl_actv_ind%TYPE;
    blk varchar2(10):='DEFAULT';
    begin
    v_user_key_id:=p_session.get_value_as_number(
    p_block_name=>blk, p_attribute_name=>'A_USER_KEY_ID');
    v_tkn_ser_no:=p_session.get_value_as_varchar2(
    p_block_name=>blk, p_attribute_name=>'A_TKN_SER_NO');
    v_actv_ind:=p_session.get_value_as_varchar2(
    p_block_name=>blk, p_attribute_name=>'A_UTL_ACTV_IND');
    lcams_db.otp.set_otp_user_key_id(v_user_key_id);
    lcams_db.otp.set_otp_tkn_ser_no(v_tkn_ser_no);
    lcams_db.otp.set_otp_actv_ind(v_actv_ind);
    doInsert;--- This is the default handler
    lcams_db.otp.otp_utl('INSERTING');
    end;
    otp is the package. I have three variables in my package otp_user_key_id, otp_tkn_ser_no, and otp_actv_ind which I pull from session storage and put into the package variables. the otp_utl sets a variable and calls otp_add_user, which gets more data from the table and calls the pl/sql wrapper for the java routine to actually add the user into the external OTP database. The java routine returns the status and initial passcode and then I call a routine internal to the package to display the results to the user via htp and htf calls.
    The best result was getting the table to update and the external database to update, but I never got the resulting html to diplay. With the current code, the browser goes away with a message of Connecting to... and nothing gets updated and my browser eventually comes back with a 'No data...' message.
    Is there a way to do what I want? Ideally I would like to call the package, display the results, and provide a back link so the user can get back to the original form after the user has read the passcode message.
    null

    Okay. I put the following code in the 'On successful submission of the form...'
    section of the form and I tinkered with it until it works; however, it currently assumes
    the Insert button was the button clicked.
    declare
    v_user_key_id lcams_db.user_token_link.user_key_id%TYPE;
    v_tkn_ser_no lcams_db.user_token_link.tkn_ser_no%TYPE;
    v_actv_ind lcams_db.user_token_link.utl_actv_ind%TYPE;
    blk varchar2(10):='DEFAULT';
    my_url VARCHAR2(200);
    return_url VARCHAR2(200);
    begin
    v_user_key_id:=p_session.get_value_as_number(
    p_block_name=>blk, p_attribute_name=>'A_USER_KEY_ID');
    v_tkn_ser_no:=p_session.get_value_as_varchar2(
    p_block_name=>blk, p_attribute_name=>'A_TKN_SER_NO');
    v_actv_ind:=p_session.get_value_as_varchar2(
    p_block_name=>blk, p_attribute_name=>'A_UTL_ACTV_IND');
    my_url := 'lcams_db.otp.otp_utl?' | |
    'p_user_key_id=' | | TO_CHAR(v_user_key_id) | |
    '&p_tkn_ser_no=' | | v_tkn_ser_no | |
    '&p_actv_ind=' | | v_actv_ind;
    call(my_url,return_url);
    end;
    How do I determine which button was clicked for the 'On successful submission...' section so I can call the correct routine?
    null

  • How to call a custom controller method from view

    Hi,
    I ve created a simple web service and consumed it in a model. Mapped the input & output parameters to custom controller context which in turn mapped to component controller's context which in turn to view's contexts.
    How to call a custom controller method from view?
    Please explain the syntax.
    Regards,
    Manoj.

    Hi Patralekha,
    Give some idea for the below scenario:
    I ve created a simple web service and consumed it in a model. What I did was
    1) for the input parameters, mapped the node from view->custom controller->model
    2)for the output parameter, mapping from model->custom controller->view.
    It works fine.
    But I don't want to access model nodes directly, rather I want to set the input param in somewhere else (like custom controller) before calling the appropriate method, same for the response also.
    Share me your thoughts.
    Regards,
    Manoj.

  • Caller ID for incoming calls NOT displaying name from contacts (only displays phone # on BB Z10)

    on the Z10 Whenever I receive an incoming call, the caller ID only shows the phone #, even when I have that number matched to a contact in the phone, even the call log it show the number and not the name.  How do I get the caller ID to recognize and display the appropriate contact name with the phone fro an incoming call? Any help would be greatly appreciated!  Thanks, Akhanbilal

    Thank you Arsen but, as with everyone else : (1) When you get an in-coming call, it has no call log on the phone app call log that allows you do a thing under the sun except to touch the number of the last call, and when you do, it CALLS THEM BACK. (2) On every other BlackBerry I have owned, about 10 to-date, I simply selected the last in-coming call and had a button at the bottom of the screen to allow me to ADD TO CONTACTS. (3) This does NOT exist on the Z10, and there certainly is no "Click on number, little slider pops on the right, select add to contact."  Instead it dials them.  Frustrating other uses have described Arsen. Further, while on the topic : (4) None of this has anything to do with 10-digit national dialing plan or anything else on swipe finger down from top in Phone App, Arsen. (5) When you swipe Phone App down, you see SETTINGS. Then, there are 13 items.  I have looked at all 13 items and see nothing as you describe to select, nor any instructions on what to set the SMART DIALING to when there are 3 area codes local for my city and country code shows +1. Further, while on topic here : (6) Visual Voice Mail has been turned-on and whatever visual voice mail is, never supported on any previous BlackBerry including my 9780 before this, I have it with T-Mobile and have it turned on on the BlackBerry Z10 and it too does not work.  On the positive side, I do have a work-around for BlackBerry Z10 to 2013 Toyota entune. (7) I first took a vm msg .wav file of just hello (blank will not send) and saved it on BlackBerry Z10.  The Toyota entune is LOOKING for a music and will LOCK-UP if none are found.  By giving it this, it worked on my 2013 Toyota entune for the 1st time ever.  Yeah !  It is a little frustrating every few minutes listening to myself say HELLO.  But, hey no one really notices it with all the other stuff going on NAVIGATION, radio, cell phone calls, and all the computerized alerts on 2013 Toyota even without entune. (8) What I did now was to go into Navigation and remove SYNC with MUSIC.  I accomplished that after pairing to Z10 to 2013 Toyota, by CANCELLING ALL CONNECTIONS leaving only the pairing itself.  Then, you must choose some connections in the pairing section of SET-UP within Navigation itself.  If you cannot even get to that point, try depressing on the Navigation Screen, INTERNET at which point it will allow you access to SET-UP when you see the message NO ENTUNE APP FOUND ON YOUR BlackBerry Z10.  Red-headed step-child is what we all are.  Have to help each other.  Arsen I appeciate you helping all of us.  Seems the list is about 20 who have voiced it here in this one thread.  We voice it for the 200 million BlackBerry users worldwide, all left out in the cold despite a pretty cool Z10 product. Far better than iPhone 5.  I chose phone and internet.  Internet comes back no BLACKBERRY Z10 TOYOTA ENTUNE APP.  But, at least now I don't have to hear the music HELLO and do not also have the BlackBerry Z10 LOCKED-UP with pop up message you have to say OK to 10 million times to clear and never can actually do a thing on the BlackBerry Z10 as  a result.  Cannot add an in-coming call to Contacts Z10. Cannot see name and number calling me, just the bloody number, no clue who is calling ridiculous. Cannot do diddle-e-squat on BlackBerry Z10 on Toyota entune.  No App.  Horrendous. TAGS : Z10 no caller-id name, Z10 no app Toyota 2013 entune, Z10 add call to Contacts

  • Display employees details in the stacked canvas from the content canvas

    Hi all,
           I want to display employees details in the stacked canvas from the content canvas,where i passed the empno & click on the find button , i have 2 blocks(emp,control), in control block only find button there, I have only one table i.e;emp
    BEGIN
        GO_BLOCK('EMP');
        Set_block_property('EMP', default_where, 'Empno = :EMP.EMPNO');
         Show_view('EMP_DET_CAN');
        execute_query;
    END;
    Thank You

    Hi Andreas Wieden,
    Andreas Weiden wrote:
    When you query on the EMP-block, yiou cannot include a WHERE-condition to that block as the block is cleared when the EXECUTE_QUERY starts. If you want to have a different find-block where you enter your search-condition, you have to include that item in your separate find-block. Otherwise use the standard-search-mechanism with ENTER_QUERY and EXECUTE_QUERY.
    You are right, so where clause is not possible in the same block, right?.I have to take empno column where it is a search column into the control block right?
    Please suggest me i want to retrieve records into the stacked canvas when i pass the empno & click on the find button in the content canvas? Is this not possible? If possible please let me know? I mean i want to take the search column in the EMP Block & find button in the control block..
    Thank You

  • Calling an MVC controller from a BSP

    Hello,
    I'm trying to call an MVC controller from a BSP (Page with flow logic) using bsp:call / bsp:goto and am also passing a parameter. There are two problems:
    - parameter is not available to the do_init method of the controller class but is available to the do_request method
    - do_init is being called at every event (button click, dropdown etc.)
    I've checked that my BSP application, controller and bsp page are all set to stateful (with lifetime = session where applicable).
    Please suggest what I can do in this case?
    Thanks and regards.
    Rajendra Tewani

    for the precise solution the exceprts :
    in the DO_REQUEST method of the controller class just use
    <variablename> = request->get_form_field( '<url param name>' ).
    suppose the url is init.do?node=ABC to read the value within the controller
    data: nodevar type string .
    nodevar = request->get_form_field( 'node' ).
    with due thanks to raja for this

  • Call methods from view controller to another (enhanced) view controller!

    Dear All,
    Is it possible to use/call methods from view controller to another (enhanced) view controller? Iu2019ve created a view using enhancement in standard WD component. I would like to call one method from standard view controller in the enhanced view controller.
    Is it possible to include text symbols as enhancement in standard class?
    u2026Naddy

    Hi,
    If you have just enhanced an existing view then you can call the standard methods in one of the new methods which you will create as part of enhancement.
    If you have created a totally new view using enhancement framework option ( Create as Enhancement ) then in this new view you won't be able to use existing methods in other view as a view controller is private in nature. So all the view attributes, context nodes and methods are Private to that view only.
    Regarding text elements, I guess adding a new text element is just a table entry in text table and is therefore not recorded as enhancement.( Not very sure about this, need to double check )
    Regards
    Manas Dua

  • OrgChart: calling WDA from Details

    Hi guys,
    I have a specific need: call WDA from employee Detail. It should be able also to pass personnel number into WDA like parameter.
    Any idea, how to do that?
    Best regards,
    Sergey Aksenov

    Hi Sergey,
    Do you have any experience of using XSL or customizing VSN solutions? If not this might prove a bit tricky. You should try and use existing examples in the application. Meanwhile, I will try to help.
    2. Create file 'zhr_tmc_employee_profile.xsl' with content:
    <a href="http://myhost:myport/sap/bc/webdynpro/sap/zhr_tmc_employee_profile?PERNR={/cds/data/record/field[@name=PERNR]}&sap-rtl=&sap-accessibility=&sap-wd-configid=ZHR_TMC_EMPLOYEE_PROFILE">Press here</a>
    If this is the only code in the document then the document will not work. Look at other XSL documents in the Templates folder to understand how they work.
    4. Edit PresentationResources.xml in my build (.delta folder, and root folder of build as well). Added this:
    <presentation name="zhr_tmc_employee_profile">
    <file name="MyTemplates\zhr_tmc_employee_profile.xsl">
    Did you add the </presentation> tag after it?
    5. Change 'presentation' tag in my detail xml in folder Detailconfiguration, replace content with 'zhr_tmc_employee_profile'.
    What detail configuration are you using? The change should look something like this:
    <section enable="true" name="647308B3-0C68-4829-50AF-30C5668EDC40">          <fieldsetname>6abf642e58534f80942731270cb37b67</fieldsetname>
         <presentation>zhr_tmc_employee_profile</presentation>
    </section>
    Can you check the cds.log file after you open the details panel? The problem is likely to be the XSL file is not a correct XSL file.
    Best regards,
    Luke

  • How to call another view controller's method from a view controller?

    Hi,
    Iam new to webdynpro . so pls clarify my doubt.
    How to call another view controller's method from a view controller in the same Web Dynpro Component?
    Thanks,
    Krishna

    Hi,
         The methods in a view are only accessible inside same view. you cannot call it outside the view or
         in any other view although its in same component.
         If you want to have a method in both views, then create the method in component controller and
         from there you can access the method any where in whole component.

  • Calling Oracle API from controller

    Hi,
    I need to call a Public API from controller.
    API procedure is having 85 parameters,but only few are manadatory. can someone tell me whether i need to pass all the parameters with default values or null or is there anyway i can pass only required parameters.

    Hi,
    import oracle.jdbc.OracleCallableStatement;
    import oracle.jdbc.OracleTypes;
    You create a callable statement like,
    OracleCallableStatement callableStatement = null;
    String callStr = " BEGIN mypackage_pkg.add_ite, "+
    "(p_organization_id => :1, " +
    " p_batch_id => :2, " +
    " p_reason_code => :3, " +
    " x_msg_count => :4); "+
    " END; ";
    callableStatement = (OracleCallableStatement)getOADBTransaction().createCallableStatement(addWriteOffItem,1);
    //Set in and out variables like,
    callableStatement.setNUMBER(1, organizationId);
    callableStatement.setNUMBER(2, batchId);
    callableStatement.setString(3, reasonCode);
    callableStatement.registerOutParameter(4,OracleTypes.VARCHAR,255);
    //Then execute the stmt
    callableStatement.execute();
    resultMessage = (String)callableStatement.getString(4);
    The code should be inside the try catch block.
    Thanks,
    With regards,
    Kali.
    OSSI.

  • Calling RFC from view/component controller

    I've got a model node in the component controller's context which is mapped to a node in a view controller. Now, when binding the model's input node with an array and executing the RFC from within an event handler in the view controller, everything goes just fine.
    Now, I want to put this functionality in the component controller, so I created a method there, copied the code and call it from the view controller's event handler. When the RFC is called, the input table always contains just 1 element, of which the fields are all initial.
    Any thoughts on what might be going on here?

    Hi friend,
    I too faced the problem what you faced.
    Near to it.
    Ill explain you .
    YOu have your model node.
    1st you will map that to component controller And from there to view controller.
    After that you will bind the elements in this node to some elements in your view after that .
    For example
    Model class name:-Lok_model.
    In the DOINIT method:-
    write this code.
         Lok_model k = new Lok_model();          wdContext.nodeLok_model().bind(k);
    Suppose you have a button in the onaction you write this code.
    wdContext.nodeLok_model().currentLok_modelElement().modelObject().get_details();
    Ill expalin you about this statement Lok_model() is the node in my view which is mapped from the model and by using that i am calling the method get_details() which is in my model class Lok_model.By this data will be automatically populated into the view elements which are being binded to the model attributes.
    Hope this helps you,
    Lokesh

  • I can't decline incoming call from my iphone display

    Dear friends,
    I'm using iPhone 6 but I can't decline incoming call from my iphone display. I saw YouTube video  to view reject/ decline incoming call I need to press power button twice. But seems odd to me. So now what I'll do or if there is no option for that then what'll Apple do?

    The Decline button will only appear if the phone is unlocked. If the phone is locked when you receive a call, the only option is to double-tap the sleep/wake button to send it directly to voicemail. If you tap the button once, it will silence the call, but it will continue the ring cycle before going to voicemail. If the screen is awake, then you will see the Decline button. Feedback to Apple goes HERE, and click on the appropriate link.

  • My call logs and SMS messages display the incorrect contact details on the BlackBerry q10

    Hello there!
    I met serious problem like in the subject. Is anybody know what is going on ?
    Best regards,
    Paweł

    Hi and Welcome to the Community!
    Here is a KB that discusses that error:
    KB34772 Call logs and SMS messages display the incorrect contact details on the BlackBerry 10 smartphone
    Unfortunately, it contains nothing useful -- except for formal recognition by BlackBerry of the issue. We would then hope that a future OS release will correct it.
    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

Maybe you are looking for

  • Can we do multiple blog summary pages instead of "go to archive"??

    Hello, I have about 50 blog entries in my iWeb blog. I have 15 loading onto the first page. Any more really slows the front page loading times a lot. The only way to see the other blog entries is to click on "go to archive" which just shows a simple

  • Import data from BW to PAS error.

    Hi, Everyone I am importing data from SAP BW to PAS using the BICA. I selected the LinkID, clicked on Get BW Cubes and query, the query appears in the list below. no problems. I selected the PAS model on combo below, clicked on Import query and the f

  • Oracle 10g database as Resource manager and heuristic transaction decision

    Hi, I have read in documents about distributed tarnsaction that resource manager like oracle databasecthat are involved in distributed transaction can take heuristic decision(unilateral decision) and can either rollback or commit the transaction asso

  • Query problem in EJb3.0 after migrating into Jdeveloper11g(Alpha)

    Hi All, After migrating my application from jdeveloper preview-1 to j-developer(Alpha version), we have a query "select o from 'EntityBean' o where trim(lower(o.BeanAttribute))" where we are getting the IllegalArgumentException which is working fine

  • What is meaning in help document?

    when i find something from help document of JDK,i notice signs of <E> and <T>.could you tell me what are the meaning of those?thank you.