IRec partial implementation

I have an implementation that is going with all iRec, and only partly with HR depending on country, but still one business group.
I'm not aware of any implementation that has gone wholly with iRec but partially with HR, is anyone else?
For anyone implementing iRec without HR, how has this been accomplished? If HR/Recruitment person records aren't in the system, how can they make offers for candidates?
If supervisors aren't in the system, how can they raise requisitions for vacancies?
Any ideas would be gratefully received!

Will there be any problems giving access with FND accounts, which aren't attached to a person record for any iRec operations?
It should not give issue as my understanding. It could be issue of which applicant you will access. If a Number recruiter role are exist they may have access all applicants.
How can I give managers access to offer workbench without them having a person record? Isn't this really a recruitment task rather than supervisors?
You can user iRecruitment Administrator responsibility to access offer workbench. This responsibility could be given to other than supervisor.
Thanks,

Similar Messages

  • Extended stats partial implementation (multi-column stats) in 10.2.0.4

    Hi everyone,
    I saw a note today on ML, which says that new 11g's feature - [Extended statistics|http://download.oracle.com/docs/cd/B28359_01/server.111/b28274/stats.htm#sthref1177] - is partially available in 10.2.0.4. See [Bug #5040753 Optimal index is not picked on simple query / Column group statistics|https://metalink2.oracle.com/metalink/plsql/f?p=130:14:3330964537507892972::::p14_database_id,p14_docid,p14_show_header,p14_show_help,p14_black_frame,p14_font:NOT,5040753.8,1,0,1,helvetica] for details. The note suggests to turn on this feature using fixcontrol, but it does not say how actually to employ it. Because dbms_stats.create_extended_stats function is not available in 10.2.0.4, I'm curious how it is actually supposed to work in 10.2.0.4? I wrote a simple test:
    drop table t cascade constraints purge;
    create table t as select rownum id, mod(rownum, 100) x, mod(rownum, 100) y from dual connect by level <= 100000;
    exec dbms_stats.gather_table_stats(user, 't');
    explain plan for select * from t where x = :1 and y = :2;
    select * from table(dbms_xplan.display);
    disc
    conn tim/t
    drop table t cascade constraints purge;
    create table t as select rownum id, mod(rownum, 100) x, mod(rownum, 100) y from dual connect by level <= 100000;
    exec dbms_stats.gather_table_stats(user, 't');
    alter session set "_fix_control"='5765456:7';
    explain plan for select * from t where x = :1 and y = :2;
    select * from table(dbms_xplan.display);
    disc
    conn tim/t
    drop table t cascade constraints purge;
    create table t as select rownum id, mod(rownum, 100) x, mod(rownum, 100) y from dual connect by level <= 100000;
    alter session set "_fix_control"='5765456:7';
    exec dbms_stats.gather_table_stats(user, 't');
    explain plan for select * from t where x = :1 and y = :2;
    select * from table(dbms_xplan.display);In alll cases cardinality estimate was 10, as usually without extended statistics:
    | Id  | Operation         | Name | Rows  | Bytes | Cost (%CPU)| Time     |
    |   0 | SELECT STATEMENT  |      |    10 |   100 |    53   (6)| 00:00:01 |
    |*  1 |  TABLE ACCESS FULL| T    |    10 |   100 |    53   (6)| 00:00:01 |
    Predicate Information (identified by operation id):
       1 - filter("X"=TO_NUMBER(:1) AND "Y"=TO_NUMBER(:2))10053 trace confirmed that fix is enabled and considered by CBO:
    PARAMETERS USED BY THE OPTIMIZER
      PARAMETERS WITH ALTERED VALUES
      optimizer_secure_view_merging       = false
      _optimizer_connect_by_cost_based    = false
      _fix_control_key                    = -113
      Bug Fix Control Environment
      fix  5765456 = 7        *
    ...But calculations were typical:
    BASE STATISTICAL INFORMATION
    Table Stats::
      Table:  T  Alias:  T
        #Rows: 100000  #Blks:  220  AvgRowLen:  10.00
    SINGLE TABLE ACCESS PATH
      BEGIN Single Table Cardinality Estimation
      Column (#2): X(NUMBER)
        AvgLen: 3.00 NDV: 101 Nulls: 0 Density: 0.009901 Min: 0 Max: 99
      Column (#3): Y(NUMBER)
        AvgLen: 3.00 NDV: 101 Nulls: 0 Density: 0.009901 Min: 0 Max: 99
      Table:  T  Alias: T    
        Card: Original: 100000  Rounded: 10  Computed: 9.80  Non Adjusted: 9.80
      END   Single Table Cardinality Estimation
      Access Path: TableScan
        Cost:  53.19  Resp: 53.19  Degree: 0
          Cost_io: 50.00  Cost_cpu: 35715232
          Resp_io: 50.00  Resp_cpu: 35715232
      Best:: AccessPath: TableScan
             Cost: 53.19  Degree: 1  Resp: 53.19  Card: 9.80  Bytes: 0Any thoughts?

    Jonathan,
    thanks for stopping by. Yes, forcing INDEX access with a hint, disabled fix for bug and more correctly gathered statistics shows INDEX access cardinality 1000:
    SQL> alter session set "_fix_control"='5765456:0';
    Session altered
    SQL> exec dbms_stats.gather_table_stats(user, 't', estimate_percent=>null,method_opt=>'for all columns size 1', cascade=>true);
    PL/SQL procedure successfully completed
    SQL> explain plan for select /*+ index(t t_indx) */ * from t where x = :1 and y = :2;
    Explained
    SQL> select * from table(dbms_xplan.display);
    PLAN_TABLE_OUTPUT
    Plan hash value: 4155885868
    | Id  | Operation                   | Name   | Rows  | Bytes | Cost (%CPU)| Time     |
    |   0 | SELECT STATEMENT            |        |    10 |   100 |   223   (0)| 00:00:03 |
    |   1 |  TABLE ACCESS BY INDEX ROWID| T      |    10 |   100 |   223   (0)| 00:00:03 |
    |*  2 |   INDEX RANGE SCAN          | T_INDX |  1000 |       |     3   (0)| 00:00:01 |
    Predicate Information (identified by operation id):
       2 - access("X"=TO_NUMBER(:1) AND "Y"=TO_NUMBER(:2))but it still isn't correct for TABLE ACCESS. With default statistics gathering settings dbms_stats gathered FREQUENCY histogram on both X & Y columns and computations for cardinality estimates were not correct:
    SQL> alter session set "_fix_control"='5765456:0';
    Session altered
    SQL> exec dbms_stats.gather_table_stats(user, 't', cascade=>true);
    PL/SQL procedure successfully completed
    SQL> explain plan for select /*+ index(t t_indx) */ * from t where x = :1 and y = :2;
    Explained
    SQL> select * from table(dbms_xplan.display);
    PLAN_TABLE_OUTPUT
    Plan hash value: 4155885868
    | Id  | Operation                   | Name   | Rows  | Bytes | Cost (%CPU)| Time     |
    |   0 | SELECT STATEMENT            |        |    10 |   100 |     4   (0)| 00:00:01 |
    |   1 |  TABLE ACCESS BY INDEX ROWID| T      |    10 |   100 |     4   (0)| 00:00:01 |
    |*  2 |   INDEX RANGE SCAN          | T_INDX |    10 |       |     1   (0)| 00:00:01 |
    Predicate Information (identified by operation id):
       2 - access("X"=TO_NUMBER(:1) AND "Y"=TO_NUMBER(:2))I believe this happens due to CBO computes INDEX selectivity using different formula for that case:
    BASE STATISTICAL INFORMATION
    Table Stats::
      Table:  T  Alias:  T
        #Rows: 100000  #Blks:  220  AvgRowLen:  10.00
    Index Stats::
      Index: T_INDX  Col#: 2 3
        LVLS: 1  #LB: 237  #DK: 100  LB/K: 2.00  DB/K: 220.00  CLUF: 22000.00
        User hint to use this index
    SINGLE TABLE ACCESS PATH
      BEGIN Single Table Cardinality Estimation
      Column (#2): X(NUMBER)
        AvgLen: 3.00 NDV: 100 Nulls: 0 Density: 0.003424 Min: 0 Max: 99
        Histogram: Freq  #Bkts: 100  UncompBkts: 5403  EndPtVals: 100
      Column (#3): Y(NUMBER)
        AvgLen: 3.00 NDV: 100 Nulls: 0 Density: 0.003424 Min: 0 Max: 99
        Histogram: Freq  #Bkts: 100  UncompBkts: 5403  EndPtVals: 100
      Table:  T  Alias: T    
        Card: Original: 100000  Rounded: 10  Computed: 10.00  Non Adjusted: 10.00
      END   Single Table Cardinality Estimation
      Access Path: index (AllEqRange)
        Index: T_INDX
        resc_io: 4.00  resc_cpu: 33236
        ix_sel: 1.0000e-004  ix_sel_with_filters: 1.0000e-004
        Cost: 4.00  Resp: 4.00  Degree: 1
      Best:: AccessPath: IndexRange  Index: T_INDX
             Cost: 4.00  Degree: 1  Resp: 4.00  Card: 10.00  Bytes: 0To give a complete picture, this is 10053 excerpt for "normal stats" + disabled bug fix + forced index:
      BEGIN Single Table Cardinality Estimation
      Column (#2): X(NUMBER)
        AvgLen: 3.00 NDV: 100 Nulls: 0 Density: 0.01 Min: 0 Max: 99
      Column (#3): Y(NUMBER)
        AvgLen: 3.00 NDV: 100 Nulls: 0 Density: 0.01 Min: 0 Max: 99
      Table:  T  Alias: T    
        Card: Original: 100000  Rounded: 10  Computed: 10.00  Non Adjusted: 10.00
      END   Single Table Cardinality Estimation
      Access Path: index (AllEqRange)
        Index: T_INDX
        resc_io: 223.00  resc_cpu: 1978931
        ix_sel: 0.01  ix_sel_with_filters: 0.01
        Cost: 223.18  Resp: 223.18  Degree: 1
      Best:: AccessPath: IndexRange  Index: T_INDX
             Cost: 223.18  Degree: 1  Resp: 223.18  Card: 10.00  Bytes: 0And this one for "normal stats" + enabled bug fix:
      BEGIN Single Table Cardinality Estimation
      Column (#2): X(NUMBER)
        AvgLen: 3.00 NDV: 100 Nulls: 0 Density: 0.01 Min: 0 Max: 99
      Column (#3): Y(NUMBER)
        AvgLen: 3.00 NDV: 100 Nulls: 0 Density: 0.01 Min: 0 Max: 99
      ColGroup (#1, Index) T_INDX
        Col#: 2 3    CorStregth: 100.00
      ColGroup Usage:: PredCnt: 2  Matches Full: #0  Partial:  Sel: 0.0100
      Table:  T  Alias: T    
        Card: Original: 100000  Rounded: 1000  Computed: 1000.00  Non Adjusted: 1000.00
      END   Single Table Cardinality Estimation
      ColGroup Usage:: PredCnt: 2  Matches Full: #0  Partial:  Sel: 0.0100
      ColGroup Usage:: PredCnt: 2  Matches Full: #0  Partial:  Sel: 0.0100
      Access Path: index (AllEqRange)
        Index: T_INDX
        resc_io: 223.00  resc_cpu: 1978931
        ix_sel: 0.01  ix_sel_with_filters: 0.01
        Cost: 223.18  Resp: 223.18  Degree: 1
      Best:: AccessPath: IndexRange  Index: T_INDX
             Cost: 223.18  Degree: 1  Resp: 223.18  Card: 1000.00  Bytes: 0Tests were performed on the same machine (10.2.0.4).

  • Css only partially implemented in HS

    In my css document I have the tag "body" calling for a
    background image, along with text color, font etc. All of them show
    in the Browse area of HS, except the background image.
    Also, I have a class for main_heading that seems to be
    totally ignored. Other class definitions are shown correctly.
    When I open the html document in either Netscape or MSE,
    everything looks as it should including the background and
    main_heading.
    When it stopped working, I had been looking in the Options
    sub menu for something else -- I may have accidentally changed
    something, but can't tell what.
    I did reinstall HS, but that didn't solve the problem.

    Hello to all who has, or are, reading this post:
    Just a few things added to the "Some pre-work I have done":
    I have read up this issue on "the Flash height problem" and have changed the parent <div> to also accommodate style:"height=100%". No, problem still persists.
    I am using SWFObject 1.5 to insert the flash movie on the page and I have studied their issue/bug reports. I have not finished reading the list of bugs, but so far have not found any useful information. However, please kindly let me know if you know an issue with SWFObject making flash contents disappear.

  • SOlman_setup issue at implement SAP Note Step

    Hi Friends,
    While i am performing the solman_setup (system preparation) facing once issue at Implement SAP Note step.
    In this step while i am performing  the post processing step (3rd step) giving the red signal The system only partially implemented the manual activities for note 1856234.
    And i followed the note 1856234 as per the note i ran the report AI_CRM_ANALYZE_IBASE_SORTF and i got the error messages.
    The Ibase component 000000000000003598 has deviceid: SID 00XXXXXXX
    Sort string is needed!
    Comp. with same device id:
    Replace Sort string with (from LMDB):
    The Ibase component 000000000000003272 has deviceid: SID 00XXXXXXX Etc.
    Sort string is needed!
    Comp. with same device id:
    Replace Sort string with (from LMDB):
    And as per the note
    when i am executing IB_GEN i am getting below errors.
    Object not found - will be created.
    No changes made; Saving not allowed
    Failed to save object %   1 (Object family 7001).
    Kindly suggest on this.
    Thank you,
    Chowdary.

    Please refer to SAP Notes 1694004 - Dealing with duplicate technical system names (SIDs) and 1747926 - Dealing with duplicate technical system names (old SLD)

  • Error in IMPORT statement: Change of length on conversion.

    Hi this is an error i had when creating a source system for a client.
    Runtime Errors CONNE_IMPORT_CONVERSION_ERROR
    Occurred on 21.02.2005 at 14:08:20
    The error probably occurred when installing the
    R/3 system.
    When importing an object, conversion would result in a length change.
    You may able to find an interim solution to the problem
    in the SAP note system. If you have access to the note system yourself,
    use the following search criteria:
    "CONNE_IMPORT_CONVERSION_ERROR" C
    "CL_W3_API_TEMPLATE============CP " or "CL_W3_API_TEMPLATE============CM007 "
    "IF_W3_API_TEMPLATE~LOAD"
    Can anyone please help me .
    Thanks in Advance
    SHASH

    Hi All,
    Above mentioned note will help but this will help you....
    I got the solution for this issue for my kind of problem.
    In program RPU600BT_CONV_SINGLE_CL we commented the following
    START-OF-SELECTION.
    IF 1 = 0. MESSAGE e567(3g). ENDIF. "#EC *
    PERFORM append_message USING 1
    space
    '567' "report not necessary
    space
    space
    space
    space
    'P'.
    STOP. "check note 1314769 whether conversion is necessary
    After this execute the same program and we will get the old results get converted.
    And one more is we should be careful in checking SAPU & SPAD transaction codes. There shouldn't be any partially implemented notes.
    Think will help at least one.
    Regards
    Aditya Surapaneni

  • How do I get Verizon to unlock my iPhone4s for use in the US (NOT overseas)

    12/13/13 Huffington Post
    WASHINGTON (Reuters) - Major U.S. wireless carriers on Thursday pledged to make it easier for consumers to "unlock" their mobile phones for use on competitors' networks, responding to pressure from consumer groups and the top U.S. communications regulator.
    Verizon Wireless, AT&T Inc, Sprint Corp, T-Mobile US and U.S. Cellular agreed to "clearly notify" customers when their devices are eligible for unlocking and to process unlocking requests within two business days, said wireless industry group CTIA.
    U.S. wireless carriers often "lock" smartphones to their networks as a way to encourage consumers to renew their mobile contracts. Consumers often get new devices at a heavily subsidized price in return for committing to longer contracts.
    The top carriers have long allowed consumers to unlock devices and take them to another network at the end of a contract term - commonly, two years - though the process varies by company and can be quite painstaking.
    Then in late 2012, the Library of Congress, the minder of U.S. copyright law, completed a new triannual review of exemptions to the law that effectively made phone unlocking illegal, even after the consumer completed the contract.
    The ruling surprised many telecom observers, outraged phone users, and finally landed on the White House's agenda thanks to an online citizen petition that gathered 114,322 signatures, more than the 100,000 needed to spur a response. The White House sided with the petitioners.
    I have been a Verizon customer for a decade (10 years).  Verizon is now misleading me about having my iPhone 4s unlocked. After a long discussion they finally unlocked my families phones leading me to believe it was nationally.  I just found out that they are REFUSING to unlock my phones in an effort to keep me with Verizon and very large monthly payment plan.  If my phones were unlocked, I might stay with Verizon, however, in light of their deliberate attempt to lie to me and keep me hostage, I will most like buy new phones and move away from Verizon within the week.
    Can anyone tell me if they have had success in having Verizon unlock their iPhone 4s?

    I believe that the carriers have 3 months to partially implement this "pledge" and 12 months for it to be fully implemented.
    I have not heard of anyone getting a Verizon iPhone 4s unlocked yet for use in the US.

  • Showing and hiding dropdowns on product page, based on selected values

    Hello.
    I would like my product page to show different subsequent dropdowns based on individual dropdown values.
    I've managed to achieve this via JavaScript, but I do not like how it works.
    As far as I can tell, there is no proper identifier for each individual dropdown to determine which one it is, so all I can do at the moment is to rely on their order in the DOM, which is bad and makes it difficult for me to create a solution that would work for all products.
    For instance, if the following is a single attribute:
    <div class="catProductAttributeGroup" style="display: none;"><div class="catProdAttributeTitle">Metallic Foiling</div><div class="catProdAttributeItem"><select><option value="">-- Please select --</option><option value="6051720">Not required </option><option value="6051721">Foil ONE side + £45</option><option value="6051722">Foiling BOTH sides + £75</option></select></div></div>
    I would like the outer-most div to have some sort of html attribute that holds the product attribute id. Something like, data-attribute-id="XXXXXXX". Is that possible?
    Here's what I have up to this point:
    I use {tag_attributes_json}, {tag_product_json} and {tag_currency} to get these values into javascript on page load, so I can use them later.
    Then, I hook to change events of the drodpowns I have and then toggle their visibility based on which ones are selected. I rely on the jequery ':eq(n)' selector to achieve this, which I do not like. Is there an option for the {tag_attributes} helper which would make it add some extra information (such as attribute ID on the dropdown) on the generated HTML?
    All of this works initially, but If I then 'Add to cart', the product element get's ajax-reloaded and the events are suddenly unhooked, so it doesn't work anymore. For that one, there are two options:
    1. I could hook to an event that triggers once the product has been added to cart and the page is ready again. Is there such an event?
    2. I could implement my own add to cart using bcInternals.shop.addToCart. I tried doing this, but I have two problems with it.
    a. addToCart seems to add my selection twice, for some reason. Any ideas what I might be doing wrong?
    b. the cart info in  the top right corner doesn't refresh. it seems it tries to refresh, but there's some sort of access error in the script. This part is not yet fully added to the page, but there's a function that would do the adding to cart at the bottom of the bigger script block. Am I using the built in addToCart function incorrectly?
    This is the page I have the partially implemented functionality added on:
    Matt Laminated Business Cards
    The scripts are currently embedded inside the HTML. Once I have it properly implemented, I'd like to extract it into a separate file. Search for "$productAttributesElement" to find the block with the functionality and for "productInfo" to find the part where I store the product data with the _json tags.

    Hi,
    No worries, Didnt know if you solved or the answer wasnt helpfull
    You need to trigger you script within the product details template layout, or you could add a listener to the product container and trigger the script if any changes are detected.
    Regards

  • Deploying web service ear file

    Hi,
    I've developed a simple web service using NetWeaver Developer studio 2.0.5 and created an .ear file for deployment to SAP WAS 6.2.  While trying to load ear file from the deploy tool it throws an error - "Unable to load ear file".  Has anyone seen this error before?  Any problems with the NetWeaver and SAP WAS versions? Any suggestions on how to deploy a web service on SAP J2EE 6.2?

    Hi Dipesh,
    well, if you are using J2EE Engine 6.20 you cannot deploy directly from the NetWeaver Developer Studio (as far as I know, this feature is available only after 6.30/6.40 versions).
    Also, web services are only partially implemented on J2EE Engine 6.20! So it is possible that the web service you've developed with the Developer studio depends on features that are not available on J2EE Engine 6.20. My recommendation is to give a try to the J2EE Engine 6.40, if possible for you at all.
    Finally, there is an alternative to Deploy Tool for deployment on the J2EE Engine 6.20. This is the DEPLOY shell command that you can execute in the server console. For more info about that, refer to the Shell Commands Reference section in the Administration Manual for J2EE Engine 6.20 located here: https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/com.sapportals.km.docs/documents/a1-8-4/administration manual for sap j2ee engine 6.20.pdf
    Hope that helps!

  • Windows Vista won't start or install - firmware or EFI problem?

    I am running Snow Leopard on a 2.4GHz MacBook Pro, late 08 - early 09 model. I have been using boot camp to run Vista for the past year with no problem. This morning, I tried to start up Vista and it wasn't working. I got the option key screen to choose between OSX and Vista, but after choosing vista, the cursor blinks once and I get a black screen. The computer is quiet and nothing seems to be running.
    At first I thought it was a boot camp problem. So I went into OSX, de-partitioned the drive, and repartitioned it. I then stuck the Vista install disk in, and clicked through the boot camp assistant to reinstall. The computer restarted to begin the reinstall process, but instead of starting the install disk, it did the same thing - a single blip of cursor, and then a black screen.
    I'm not technically savvy, but that seems like it's not a Windows problem, but a firmware or EFI problem. The computer will run OSX, but it won't run boot camp and it won't start from a CD-ROM. The only other steps I've taken are to run Software Update and the Disk Utility from Safari. Neither helped. I'm out of warranty and would love to be able to fix it without spending tons of money. Any help is appreciated.

    open terminal, run the following command:
    sudo gpt -r show -l /dev/disk0
    (press return, enter admin password, press return again)
    output should look something like this:
    Betsy7:~ kj$ sudo gpt -r show -l /dev/disk0
    Password:
    gpt show: /dev/disk0: Suspicious MBR at sector 0
    start size index contents
    0 1 MBR
    1 1 Pri GPT header
    2 32 Pri GPT table
    34 6
    40 409600 1 GPT part - "EFI System Partition"
    409640 316879664 2 GPT part - "RAPTOR"
    317289304 262144
    317551448 200889128 3 GPT part - "RAPTOR2"
    518440576 262144
    518702720 67287033 4 GPT part - "XP"
    585989753 82582
    586072335 32 Sec GPT table
    586072367 1 Sec GPT header
    The first line:
    "gpt show: /dev/disk0: Suspicious MBR at sector 0"
    should be identical to mine. If the "Suspicious MBR"
    line is missing, then it is a GPT problem, which indicates
    that the MBR information is missing or more likely corrupt.
    also the second and third lines will read:
    start size index contents
    0 1 PMBR
    instead of:
    start size index contents
    0 1 MBR
    If the MBR info in the GPT partition is corrupt or missing,
    then (obviously) Windows won't be bootable.
    The only tool reliably capable (that I know of) of repairing (rebuilding) the GPT/EFI
    without wiping off all partitions and repartitioning the drive
    is iPartition:
    http://www.coriolis-systems.com/iPartition.php
    The command line program "gpt" is incomplete, so use
    it at your own risk:
    BUGS
    The development of the gpt utility is still work in progress. Many necessary features
    are missing or partially implemented. In practice this means that the manual page,
    supposed to describe these features, is farther removed from being complete or useful.
    As such, missing functionality is not even documented as missing. However, it is believed
    that the currently present functionality is reliable and stable enough that this tool can be used
    without bullet-proof footware if one thinks one does not make mistakes.
    http://17.254.2.129/library/mac/#documentation/Darwin/Reference/ManPages/man8/gp t.8.html
    Kj ♘

  • Short dump CONNE_IMPORT_CONVERSION_ERROR in PC00_M14_CALC and PC00_M28_CALC

    Hi expert,
    We just upgrade to ECC6 EHP4 SP12.
    When first testing the payroll driver for China and Malaysia, I got short dump:
    Runtime Errors CONNE_IMPORT_CONVERSION_ERROR
    Exception CX_SY_CONVERSION_CODEPAGE
    Error in IMPORT statement: Change of length on conversion.
    The error that occur for Malaysia is in include RPCHRTL9, form IMPORT-OLD-NATIO.
    When trying to call the macro RP-IMP-C2-RL-O, the short dump raised.
    The error that occur for China is in include PCHRTCN9, form IMPORT-OLD-NATIO.
    When trying to call the macro RP-IMP-C2-CN-O, the short dump raised.
    I have tried to debug into the program, but I could not find the root cause since we are not allowed to debug macro.
    I had crawled the SDN forum and SAP notes, and still can't find the appropriate solution.
    Do anyone has any idea about the short dump I got? Please kindly advice.
    thank you.
    Br,
    Edison

    Hi All,
    I  got the solution for this issue for my kind of problem.
    In program RPU600BT_CONV_SINGLE_CL we commented the following
    START-OF-SELECTION.
    IF 1 = 0. MESSAGE e567(3g). ENDIF.                        "#EC *
    PERFORM append_message USING 1
                                  space
                                 '567' "report not necessary
                                 space
                                 space
                                 space
                                 space
                                 'P'.
    STOP.  "check note 1314769 whether conversion is necessary
    After this execute the same program and we will get the old results get converted.
    And one more is we should be careful in checking SAPU & SPAD transaction codes. There shouldn't be any partially implemented notes.
    Think will help at least one.
    Regards
    Aditya Surapaneni

  • How to subdivide 1 large TABLE based on the output of a VIEW

    I am searching for a decent method / example code to subdivide a large table (into a global temp table (GTT) for further processing) based on a list of numeric/alphanumeric which is the resultset from a view.
    I am groping with the following strategy in PL/SQL:
    1 -- set up cursor, execute the view (so I have the list of identifiers)
    2 -- create a second cursor (or loop?) which:
    accepts each of the identifiers in turn
    executes a query (EXECUTE IMMEDIATE?) on the larger table
    INSERTs (or appends?) each resultset into the GTT
    3 -- Then the GTT contains just the requires subset of the larger table for further processing and eventual import into iReport for reporting.
    Can anyone point me to code that would "spoon feed" me on this? Or suggest the best / better way to go about it?
    The scale of the issue here -- GTT is defined and ready to go, the larger table contains approx 40,000 rows and I need to extract a dozen subsets or so which add up to approx 1000 rows.
    Thanks,
    Rob

    Welcome to the forum!
    >
    I am searching for a decent method / example code to subdivide a large table (into a global temp table (GTT) for further processing) based on a list of numeric/alphanumeric which is the resultset from a view.
    Can anyone point me to code that would "spoon feed" me on this? Or suggest the best / better way to go about it?
    The scale of the issue here -- GTT is defined and ready to go, the larger table contains approx 40,000 rows and I need to extract a dozen subsets or so which add up to approx 1000 rows.
    >
    No - there is no code to point you to.
    As many of the previous responses indicate part of the concern is that you seem to have already chosen and partially implemented a solution but the information you provided makes us question whether you have adequately analyzed and defined the actual problem and processing that needs to happen. Here's why I have questions about your approach
    1. GTT - a red flag issue - these tables are generally not needed in Oracle. So when you, or anyone says they plan to use one it raises a red flag. People want to be sure you really need one rather than not using a table at all, or just using a regular table instead of a GTT.
    2. Double nested CURSOR loops - a DOUBLE red flag issue - this is almost always SLOW-BY-SLOW (row-by-row) processing at its worst. It is seldom needed, doesn't perform well and won't scale. People are going to question this choice and rightfully so.
    3. EXECUTE IMMEDIATE - a red flag issue or at least a yellow/warning flag. This is definitely a legitimate methodology when it is needed but may times developers resort to it when it isn't needed because it seems easier than doing the hard work of actually defining ALL of the requirements. It seems easier because it appears that it will allow and work for those 'unexpected' things that seem to come up in new development.
    Unfortunately most of those unexpected things come up because the developer did not adequately define all of the requirements. The code may execute when those things arise but it likely won't do the right thing.
    Seeing all three of those red flag issues in the same question is like waving a red flag at a charging bull. The responses you get are all likely to be of the 'DO NOT DO THAT' variety.
    You are correct that a work table is appropriate when there is business logic to be applied to a set of data that cannot be applied using SQL alone. Use a regular table unless
    1. you plan to have multiple sessions working with the table simutaneously,
    2. each session needs to work with ONLY their own data in that table and not data from other sessions
    3. the data does NOT need to be available after the session ends
    4. you actually need a GTT to take advantage of the automatic data preservation (ON COMMIT PRESERVE/DELETE) functionality
    Remember - when a session ends the data in the GTT is gone. That can makek it very difficult to troubleshoot data related problems since a different session can't see what data is in the table. Even if a GTT is needed for the final product it is very useful to use a regular table so that the data can be examined after test runs to help find and fix problems. Then after development is complete and initial testing is done a GTT would be substituted and final testing performed.
    So the main remaining question is why you need to perform multiple dynamic queries to get the data populated into the work table? Especially why is a nested cursor loop needed? My suspicion is that you have the queries stored in a query table and one of your loops extracts the query and executes it dynamically.
    How many queries are we talking about? Do these queries change from run to run? Please provide more detail of the process and an example query for the selection filtering as well as a typical dynamic query you plan to use.

  • ISE NODE NOT REACHABLE when building distributed deployment

    I am trying to build a distributed deployment with the following personas:
    2 policy admin nodes
    2 monitoring nodes
    4 policy service nodes
    This was a project that was partially implemented but never in production. It was in a distributed deployment, but half the nodes were no longer working (http errors or devices weren't reachable or could not sync). I decided to start from scratch. All nodes were:
    -de-registered
    -application was reset to factory defaults on all nodes
    -upgraded all 8 nodes to 1.1.4.218 patch 1
    -installed all new certs and joined all nodes to the domain
    -added to DNS forward and reverse lookup zones
    When I make 1 admin node primary and register the other nodes (secondary admin, monitoring, policy services) the nodes successfully register and show up in the deployment window of the primary; however, all the nodes show as NODE NOT REACHABLE. After registration, I've noticed that the registered nodes are still showing as STANDALONE if I access the GUI. I've tried rebooting them manually after registration and they are still unreachable. I have also tried resetting the database user password from the CLI on both admin nodes and the results are always the same.

    Originally I had added them all at the same time. I thought that maybe I just wasn't waiting long enough for the sync. I waited an entire day and all the nodes were still unreachable. At this point, I've de-registered all the nodes, rebooted all the nodes, converted the primary back to standalone (the remaining nodes never converted from standalone to distributed even when I rebooted them after registering despite a message that they were successfully registered), converted one node back to primary and tried to register just the secondary admin node giving it plenty of time to sync; this node is still not reachable from the primary.
    I've quadruple checked the certificates on all the nodes, these certs were all added on the same day (just last week) and the default self-signed certs were removed.
    I had restored from a backup on the primary so I might just rest the config on that node and try joining the other nodes before I restore again.

  • [svn] 4634: First part of glue code for allowing Halo components to use the new Text Layout Framework , in order to get functionality such as bidirectional text.

    Revision: 4634
    Author:   [email protected]
    Date:     2009-01-22 17:38:56 -0800 (Thu, 22 Jan 2009)
    Log Message:
    First part of glue code for allowing Halo components to use the new Text Layout Framework, in order to get functionality such as bidirectional text.
    Background:
    TLF is making this possible by implementing a TLFTextField class. It is a Sprite that uses TLF to implement the same properties and methods as the legacy TextField class in the Player. Thanks to the createInFontContext() bottleneck method in UIComponent, it can be used by a properly-written Halo component (such as those in Flex 3) without any modifications to the component.
    Note: Text should render similarly -- but is unlikely to render identically -- when a component uses TLFTextField vs. TextField. The width and height may be different, affecting layout; text could wrap differently; etc. This is a fact-of-life based on the fact that TLF/FTE and TextField are completely different text engines.
    Whether a Halo component uses TLF or not to render text will be determined in Flex 4 by a new style, textFieldClass. (Gumbo components always use TLF.)
    TLFTextField is currently only partially implemented. It does not yet support scrolling, selection, editing, multiple formats, or htmlText. Therefore it can only be used for simple display text, such as a Button label.
    Details:
    The TextStyles.as bucket 'o text styles now includes a non-inheriting textFieldClass style. It can be set to either mx.core.UITextField or mx.core.UITLFTextField. These are the Flex framework's wrapper classes around the lower-level classes flash.text.TextField (in the Player) and its TLF-based workalike, flashx.textLayout.controls.TLFTextField.
    The global selector in defaults.css currently sets it to mx.core.UITextField using a ClassReference directive. For the time being, all Halo components will continue to use the "real" TextField.
    The new UITLFTextField is a copy of UITextField, except that it extends TLFTextField instead of TextField. This class has been added to FrameworkClasses.as because no classes in framework.swc have a dependency on it. It will get soft-linked into applcations via the textFieldClass style.
    The TLFTextField class currently lives in a fourth TLF SWC, textLayout_textField.swc. This SWC has been added to various build scripts. The external-library-path for building framework.swc now includes all four TLF SWCs, because UITLFTextField can't be compiled and linked without them. However, since they are external they aren't linked into framework.swc.
    Properly-written Halo UIComponents access their text fields only through the IUITextField interface, and they create text fields like this:
    textField = IUITextField(createInFontContext(UITextField));
    (The reason for using createInFontContext() is to support embedded fonts that are embedded in a different SWF.)
    The createInFontContext() method of UIComponent has been modified to use the textFieldClass style to determine whether to create a UITextField or a UITLFTextField.
    With these changes, you can now write code like
    to get two Buttons, the first of which uses UITextField (because this is the value of textFieldClass in the global selector) and the second of which uses UITLFTextField. They look very similar, which is good!
    Currently, both Buttons are being measured by using an offscreen TextField. A subsequent checkin will make components rendering using UITLFTextField measure themselves using an offscreen TLFTextField so that measurement and rendering are consistent.
    QE Notes: None
    Doc Notes: None
    Bugs: None
    Reviewer: Deepa
    Modified Paths:
        flex/sdk/trunk/asdoc/build.xml
        flex/sdk/trunk/build.xml
        flex/sdk/trunk/frameworks/projects/framework/build.xml
        flex/sdk/trunk/frameworks/projects/framework/defaults.css
        flex/sdk/trunk/frameworks/projects/framework/src/FrameworkClasses.as
        flex/sdk/trunk/frameworks/projects/framework/src/mx/core/UIComponent.as
        flex/sdk/trunk/frameworks/projects/framework/src/mx/styles/metadata/TextStyles.as
    Added Paths:
        flex/sdk/trunk/frameworks/projects/framework/src/mx/core/UITLFTextField.as

    Many of your points are totally legitimate.
    This one, however, is not:
    …To put it another way, the design of the site seems to be geared much more towards its regular users than those the site is supposedly trying to "help"…
    The design and management of the forums for more than five years have driven literally dozens of the most valuable contributors and "regulars" away from the forums—permanently.
    The only conclusion a prudent, reasonable person can draw from this state of affairs is that Adobe consciously and deliberately want to kill these forums by attrition—without a the PR hit they would otherwise take if they suddenly just shut them down.

  • Unable to change the status of a project to approved

    Dear Members,
    I am using the Oracle Vision Instance version 12.1.3 and Database 11.2.0.3.0
    I have created a project. I am unable to change the status of the project to APPROVED. I am getting the below error:-
    Please enter an active project manager for this project in order to change or update this information._
    Can any one please help me in resolving this issue.
    Many thanks in advance.
    Regards.

    R4S wrote:
    Dear Members,
    I am using the Oracle Vision Instance version 12.1.3 and Database 11.2.0.3.0
    I have created a project. I am unable to change the status of the project to APPROVED. I am getting the below error:-
    Please enter an active project manager for this project in order to change or update this information._
    Can any one please help me in resolving this issue.
    Many thanks in advance.
    Regards.Please see these docs.
    CMRO Partially Implemented Visit Errors with "Please enter an active project manager for this project in order to change or update this information" [ID 864812.1]
    Update_Project Erroring With PA_PR_INSUF_PROJ_MGR While Creating Task For Templates [ID 1085068.1
    Thanks,
    Hussein                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

  • Use of parameter sets with prepared INSERTS via Oracle's ODBC driver 8.1.6.4

    Oracles ODBC driver, version 8.1.6.4, allows for driver configuration of three different batch auto commit modes. If I select COMMIT ALL SUCCESSFUL STATEMENTS and cause my app to execute a prepared and parameterized INSERT statement that makes use of parameter value sets, all records up to the first record that causes an error are committed. What is happening? The driver returns only one diagnostic record, with SQLGetDiagField returning the index of the bad record through the [SQL_DIAG_ROW_COUNT] field. Regardless of whether SQLExecute executed successfully or not, the [SQL_ATTR_PARAM_OPERATION_PTR]/ [SQL_ATTR_PARAM_STATUS_PTR] buffers are not initialized by the driver. Even more so, the drive returns SQL_PARC_NO_BATCH for SQLGetInfo when [SQL_PARAM_ARRAY_ROW_COUNTS] is passed. Does anyone know if the driver fully or partially or does not support use of parameter value sets. If it is only partial implementation, ignoring the parameter operation and status buffers, in my opinion, greatly diminishes any real use of parameter value sets. Does anyone known if the above problems disappear with use of Oracles ODBC driver, version 8.1.7.3.0?
    All help is greatly appreciated,
    Chris Simms
    null

    <BLOCKQUOTE><font size="1" face="Verdana, Arial, Helvetica">quote:</font><HR>Originally posted by Justin Cave ([email protected]):
    What version of the database do you have on the back end?
    Justin<HR></BLOCKQUOTE>
    Oracle8i version 8.1.6. Looking at the specs that come with the ODBC driver upgrades, version 8.1.7.3.0 [which requires Oracle*i version 8.1.7] and 8.1.6.4, it seems that similar enhancements/fixes were made to both. I honestly do not know if what I am attempting is possible with either of the ODBC drivers. I really would prefer not to have to drop down to programming using OCI.
    Chris
    null

Maybe you are looking for

  • Unable to update apps in-phone or via iTunes after updating iOS

    Hello! I'm using an iPhone 4S, jailbroken with redsn0w, with an Orange SIM card in France. I've tried using three country settings for my Apple ID (same email address, linked to my bank accounts in the US, UK, and France). The phone was working perfe

  • Cannot connect to shares after upgrade to Tiger

    Hi, I work at an IT company that manages both Macs and PCs. We just performed a site-wide upgrade for one of our clients from 10.3.9 to 10.4.6 (and on to 10.4.9). We have 2 iBooks, a PowerMac, and 2 iMacs in an Active Directory setup. One of the iMac

  • IPhoto title bar lameness

    So, I checked my system prefs and made sure that the "Minimize when double clicking a window title bar" checkbox was turned on in the Appearance Panel. It is. But, iPhoto, in all it's iLife 08 glory, refuses to minimize when clicking the title bar. H

  • Adding to RAF

    Hello, can anyone help me by modifying this method so that it simply writes something into a random access file? public static void addingtoRAF() {         UsernameRAF = Username.getText();         System.out.println(UsernameRAF);         try {      

  • Print dialog (Proof) Simulate Black Ink

    I got an Epson 4880 to do some tests for proofing.Its not serious proofing or anything like contract-proof,its just to serve as guideline for some customers but I think Im missing something. I plan to get a spectrophotometer some time soon but for no