Querry result not clear

I have a function f1 and one table rno1 :->
create or replace function f1(p1 number ) return number is
temp1 number := 0 ;
begin
select s3.nextval into temp1 from dual;
return temp1;
end;
SQL> desc rno1;
Name Type
DEPTNO NUMBER(2)
RNO NUMBER(4)
Data in table rno1 is like :->
SQL> select DEPTNO from rno1;
DEPTNO
20
30
30
20
30
30
10
20
10
30
20
30
20
10
20
20
20
20
20
19 rows selected.
When I am executing the below querry i am getting for Deptno 10 two DEPTNO1 values
1184 and 1185 For the deptno 20 one value 1186 and for Deptno 30 two values
1187 and 1188.
1 select r1.DEPTNO, r2.deptno1 from rno1 r1,
2 (select DEPTNO, f1(c.deptno) DEPTNO1 from rno1 c group by c.deptno) r2
3* where r1.DEPTNO = r2.DEPTNO
SQL> /
DEPTNO DEPTNO1
10 1184
10 1185
10 1185
20 1186
20 1186
20 1186
20 1186
20 1186
20 1186
20 1186
20 1186
20 1186
20 1186
30 1187
30 1187
30 1187
30 1188
30 1188
30 1188
19 rows selected.
Can any one explain this result querry.
I think for each deptno the should be one value only.

Hello,
Not exactly sure why it is happening but from the tests I did, it seems that a sort join/merge join combination causes the additional calls to the function. When the query uses a hash join, the problem does not ocurr. This can't be taken as a rule of thumb however as I've only tested it with this limited scenario:
SQL> select * from v$version;
Oracle9i Enterprise Edition Release 9.2.0.4.0 - 64bit Production
PL/SQL Release 9.2.0.4.0 - Production
CORE    9.2.0.3.0       Production
TNS for Solaris: Version 9.2.0.4.0 - Production
NLSRTL Version 9.2.0.4.0 - Production
SQL> select * from dt_test_tab;
    DEPTNO
        20
        30
        30
        20
        30
        30
        10
        20
        10
        30
        20
        30
        20
        10
        20
        20
        20
        20
        20
--No stats gathered
SQL> select
  2     r1.DEPTNO,
  3     r2.deptno1
  4  from
  5     dt_test_tab r1,
  6     (select
  7             DEPTNO,
  8             dt_test_f1(c.deptno) DEPTNO1
  9     from
10             dt_test_tab c
11     group by
12             c.deptno
13     ) r2
14  where
15     r1.DEPTNO = r2.DEPTNO;
    DEPTNO    DEPTNO1
        10        116
        10        117
        10        117
        20        118
        20        118
        20        118
        20        118
        20        118
        20        118
        20        118
        20        118
        20        118
        20        118
        30        119
        30        119
        30        119
        30        120
        30        120
        30        120
PLAN_TABLE_OUTPUT
| Id  | Operation            |  Name        | Rows  | Bytes | Cost  |
|   0 | SELECT STATEMENT     |              |       |       |       |
|   1 |  MERGE JOIN          |              |       |       |       |
|   2 |   VIEW               |              |       |       |       |
|   3 |    SORT GROUP BY     |              |       |       |       |
|   4 |     TABLE ACCESS FULL| DT_TEST_TAB  |       |       |       |
|*  5 |   SORT JOIN          |              |       |       |       |
|   6 |    TABLE ACCESS FULL | DT_TEST_TAB  |       |       |       |
Predicate Information (identified by operation id):
   5 - access("R1"."DEPTNO"="R2"."DEPTNO")
       filter("R1"."DEPTNO"="R2"."DEPTNO")
Note: rule based optimization
--Results after gather_table_stats appear to be correct:
    DEPTNO    DEPTNO1
        20        122
30 123
30 123
        20        122
30 123
30 123
10 121
        20        122
10 121
30 123
        20        122
30 123
        20        122
10 121
        20        122
        20        122
        20        122
        20        122
        20        122
| Id  | Operation            |  Name        | Rows  | Bytes | Cost  |
|   0 | SELECT STATEMENT     |              |    19 |   551 |     7 |
|*  1 |  HASH JOIN           |              |    19 |   551 |     7 |
|   2 |   VIEW               |              |     3 |    78 |     4 |
|   3 |    SORT GROUP BY     |              |     3 |     9 |     4 |
|   4 |     TABLE ACCESS FULL| DT_TEST_TAB  |    19 |    57 |     2 |
|   5 |   TABLE ACCESS FULL  | DT_TEST_TAB  |    19 |    57 |     2 |
Predicate Information (identified by operation id):
   1 - access("R1"."DEPTNO"="R2"."DEPTNO")
--Results after adding the order by to get the above results in the right order
SQL> select
  2     r1.DEPTNO,
  3     r2.deptno1
  4  from
  5     dt_test_tab r1,
  6     (select
  7             DEPTNO,
  8             dt_test_f1(c.deptno) DEPTNO1
  9     from
10             dt_test_tab c
11     group by
12             c.deptno
13     ) r2
14  where
15     r1.DEPTNO = r2.DEPTNO
16 order by
17 r1.deptno;
    DEPTNO    DEPTNO1
        10        124
        10        125
        10        125
        20        126
        20        126
        20        126
        20        126
        20        126
        20        126
        20        126
        20        126
        20        126
        20        126
        30        127
        30        127
        30        127
        30        128
        30        128
        30        128
| Id  | Operation            |  Name        | Rows  | Bytes | Cost  |
|   0 | SELECT STATEMENT     |              |    19 |   361 |     8 |
|   1 |  MERGE JOIN          |              |    19 |   361 |     8 |
|   2 |   VIEW               |              |     3 |    48 |     4 |
|   3 |    SORT GROUP BY     |              |     3 |     9 |     4 |
|   4 |     TABLE ACCESS FULL| DT_TEST_TAB  |    19 |    57 |     2 |
|*  5 |   SORT JOIN          |              |    19 |    57 |     4 |
|   6 |    TABLE ACCESS FULL | DT_TEST_TAB  |    19 |    57 |     2 |
Predicate Information (identified by operation id):
   5 - access("R1"."DEPTNO"="R2"."DEPTNO")
       filter("R1"."DEPTNO"="R2"."DEPTNO")I think the point is though that this isn't an reliable method of ensuring one call per deptno as the results change with the execution plan...the reasons for which however are beyond my understanding, although I'm sure someone else will have a better idea as to why this is happening.
HTH
David

Similar Messages

  • Role Comparison Results Not Clear

    I'm using transaction S_BCE_68001777, program RSUSR050 to compare a role in DEV to itu2019s PRD version.  The first screen for Compare Contained Authorizaitons  (500)  seems to report differences accurately.  But when I choose one of the different objects to see the detailed differences, the next screen (800) does not indicate the differences. It looks like each role has the same values, which is not true. 
    In a specific case, I removed Activity 01 in the DEV version.  The object has a yellow traffic light in screen 500 (good), but screen 800 shows the activities to be 01 through 04 (not good).
    The layout of this screen seems to have changed in ECC6.0 than in previous versions, so maybe I'm not using it correctly.  Did anyone else have trouble with this program's results?

    Are there other authorization instances of the object in the role?
    Yellow means it is different and not *
    Whether they amount to the same is then your problem if ranges are found (and used) and rsusr050 does not evaluate the valid values and whether or not they are in the range.
    --> Remove the ranging of field values and it will work.
    Another possible cause is profile name collisions. Search SDN for term "AGR_NUM_2" and take a closer look at the FAQ thread for common problems related to transporting roles.
    Cheers,
    Julius

  • APP Open Item Not cleared

    Hi All,
    I have strange issue. automatic payment run is executed and after that i have messgae
    Posting orders: 23 generated, 22 completed
    i have 23 clearing document but one document which is generated its not cleared the open item and even am not finding that
    document no in FB03 t code.
    can you give give me your overview on this issue
    "Posting orders: 23 generated, 22 completed" : Why this type of messgage genarated and what will be the reason
    Thank you

    With reference to the issue reported, as you have noticed the number of generated documents and the number of completed documents are different
    ->  "Posting orders: 23 generated, 22 completed". This is a clear indicator that there was something wrong with the update process and the payment document did not get posted. The reason why you have more documents generated than completed maybe due to update terminations on the executing the payment run. It means one of document was not posted
    in the database. You could find the terminated update using SM13. Here you can find an update termination found via sm13 when user processed the payment.
    Also please review the attached note 86578, especially the third recommendation and payment run processing option number 1. Comparison of 'Completed' orders to 'Generated' orders as stated will result in
    identification of incomplete posting problems. Also check this note 70085 which has very good information:
    If you have such terminations in future and documents were not posted, then please try the following
       F110 menupath: Edit   > Payments   > After termination   >
                      Draw up again.
    Else the correction to be taken is to recreate manually the missing document and update the relevant cleared line items with the
    payment document as the clearing document:
    1.Use report RFVBER00 to find document gaps:
    2.Pay the invoices manually.
    You should be able to avoid double payment by using the below option in the print program i.e.
    You should always select the flag "Payment doc.validation" on running your RFFO* report.
    It gives an option to check if the payment documents are already in the system or not, and if it's not the print program excludes this data for payment.
    Hope this information helps.
    Best Regards
    Soumya

  • Customer open item not cleared

    Hi experts
    For a customer open item,when deposited cheque in bank trough t code ff68
    the line item remains as open but not cleared.
    thanks in advance

    Hello,
    After the end of the process you should check the results in order to identify if the account informations were found in order to clear the item.
    Regards,
    REnan

  • Can you check my final setup? Two things not clear yet

    Hey guys,
    Just when I thought I got it all figured out, something new (at least to me) pops up and raises more questions than answers. So I go on and search more and more and more and now finally I think i've got my setup allmost ready to order. Could you check it and help me out on the final insecurities? Thanx a bunch.
    Oh and please, if you have a suggestions to change something I feel is allready o.k (so no questions)...make it a suggestion with enough info to let me make a choice in the matter. Give me a link to a Benchmarksite or e really good test. If the difference is minimal (seconds) on about 10 min. of final footage, than please don't send me on a chase again. My girlfriend would like me to bed with her at the same time now after a week or so
    and    I want to order the damn.. stuff and start.
    Camera:               Canon XF 100, uses Canon  MPEG-2 4:2:2 50Mbps codec            
    Software:             Adobe Premiere Pro CS5.53
    Motherboard:       ASUS P8Z68-V Pro
    Question: not to much benchmarks around on the Z68 combined with I 2700. Anyone who uses this board with the 2700 or 2700K step forward please and elaborate.
    Cpu:                     intel      core I7 2600
    Memory:               16 Gb    Kingston ValueRAM (2x 8 GB : 2 x 4 GB - DIMM 240-pins - DDR3 - 1333 MHz
    or
    Cpu:                     intel      core I7 2600K
    Memory:               16 Gb    Corsair Vengeance Blue 16GB DDR3-1600 CL9 quad kit
    Question:               I think I’d go for the first option. It’s cheaper and from what I’ve read there not a lot to gain. My videos mostly don’t exceed 10                               minutes of final footage. Anyone can acknowledge this (or not)?
    Videocard:           MSI        N570GTX-M2D12D5/OC
    Harddisk:             OCZ       Vertex 3 120GB   (sata 600) for my OS
    Harddisk:             S’sung  WD Caviar Green WD20EARS x3 (sata 300)
    To raid or not to raid is still not clear for me. 5 is definitely a no go
    I’m thinking I’d put 2 disks in a Raid 0 for more speed and on a regular base BAckup to the other one( and eventually go for external back-up)
    Is that ‘o.k. or mmh’, then fine. Is it a ‘oh no, what is he thinking’, please tell me.
    Cooler:                Scythe  Mugen                 2 Rev. B
    Housing:              Cooler Master  Xilencio
    Powersupply:       Seasonic 620
    Monitor:               Eizo       EV2333WH-BK
    Optische drive:     LG          BH10LS30
    Cardreader:          lexar     LEXAR PROFESSIONAL USB 3.0 DUAL-SLOT READER (for CF’s canoncamera)
    Speakers              Creative              GigaWorks T20 Series II
    Special :               Contour Design ShuttlePro2
    Thanx guys and girls(?) for hopefully making my life easier. Greeting from Nieuwegein, Utrecht, Holland

    Scott,
    Referring to your post #8.
    JCschild wrote:
    i have proven this to be false....
    This is a big concern to some of us end users who want to put our money where it counts.
    Is there a clear benchmark varifying your actual test results, which us newbies can view?
    Referring to your post #10 above.
    they are also end users not system builders and do not have the resources/access we have to multiple platforms, processors ram etc.
    How can we really know for sure if we go on word of mouth only, one swears by Ford, one swears by Chevy.
    What should us newbies believe,
    the feedback from end users who have the real world experience of the behaviour of their systems working regularly with large or complex projects, with strict timelines under time pressure, who cannot afford jerkiness nor delay of any kind, who must afford to save a lot of aggravation caused by less responsive systems, who cannot afford to be held back by hard disk failure or loss of data that took valuable time editing, who need lesser time requirements for regular backups, etc, who know what video editing involves in real practice,
    or the feedback from system builders who have “the resources/access to multiple platforms, processors ram etc.” to run hardware tests, but who do not have the experience of high end video editing in practice?
    Perhaps it is true that a video card running at PCIe-8x is not much slower than a video card running at PCIe-16x.
    I don't know for sure.
    What will happen if things change, sooner than we thought, with new drivers and CS6 PP utilizing the full bandwidth, and end users are stuck with systems that don't have the required PCI-e lanes to accomodate more than a 16 x PCI-e nVidia card?
    It appears to me that the i7-2600K is indeed a great processor, delivering great value for money, for the majority of general-purpose applications, but
    how does it perform when one works with large or complex projects, and multitask, such as having DW do a complete validation on multiple DHTML files, including SSE, running a resize action in PS on a couple of thousand images, encoding large files in FL and PR doing an export to a complex long form BRD?
    I was very tempted, and came very close, to buying an i7-2600K for myself, but after learning just how much high-end video editing can demand from a system, I became hesitant to buy the i7-2600K with its platform. I need to be sure that the system I buy has no limitations for the work I need to do with it.
    If Intel had video editing in mind when designing the i7-2600K, it would not have had integrated graphics, which is of no use when we need a nVidia card.
    Regardless of the fact that according to http://www.xbitlabs.com/articles/cpu/display/core-i7-2600k-990x.html the i7-2600K outperformed many pricier products for a higher-end LGA1366 platform (even the $1000 i7-990X Extreme Edition yielding significantly to Core i7-2600K within the majority of general-purpose applications, except during video processing and transcoding, final rendering and a few specific tasks, such as encryption and batch image processing), Intel still positioned this processor as a mid-level processor, for a reason.
    Intel knew before release what this mid-level i7-2600K was capable of, therefore releasing it positioned as a mid-level processor, they did so having the architecture to follow up with a mid-level processor that will outperform the i7-2600K, within the same price category, else who would buy Intel's next mid-level processors?
    I suspect that for those who are willing to hold out and wait just a bit longer, so they can put their money where it counts, Intel has a pleasant surprise coming soon, and that the new platform will not be evolutionary like it has been for years, but revolutionary with feature improvements from Sandy Bridge like Intel's tri-gate transistor technology, PCI Express 3.0 support and Graphics DirectX 11 and OpenCL support, a bigger graphics performance and bigger CPU performance boost compared to Sandy Bridge.
    what makes you think you need a raid controller.... the vast majority of Adobe users do not need one or an 8 drive raid array..
    Yes, for those who never need a hardware raid controller, using it for general-purpose applications, the 2600K and its P67 or Z68 platform is nice.
    The OP did not specify whether or not he will need a hardware controller, wherefore I cared to post my post #7 above,
    nor did he specify his source material, editing style, the nature of his timelines and the time pressure he is under with his projects (other than a mention in his original post of his girlfriend's time request), or how long he intends to use the system before upgrading to the next one.
    and why i finally posted the big cup of zip it thread.. to clear out some mis-leading comments. 
    Scott
    ADK
    Quoting from your original post in A big cup of "zip it" or the definative final P67 vs X58 answer thread :
    Now in all fairless of disclosure the drive benchmarks dropped from our previous tests on X58 which is odd, we are guessing the video card as its ramping up would take bandwidth from the controller even though its supposed to be running 8x.
    Scott
    ADK
    Since you wrote that “the direct replacement for X58 is X79” (System build for CS5.5. Contemplating whether or not to wait for Q1/Q2 2012.), I am eager to learn which exact motherboard(s) was/were used when you ran those previous tests on X58?
    Supposing the video card took bandwidth from the controller, even though its supposed to be running 8x, why do you think it would do that as it's ramping up?
    Is there a clear benchmark varifying your actual test results, which us newbies can view?

  • Posting balance is not cleared (Period 06 / 2011 A) error

    Mates
    I'm trying to do a Test run; no documents are created .system throws a the error message.I realize its a common error but hoping to fix this.
    "Posting balance is not cleared (Period 06 / 2011 A)
    Message no. 3G103
    Diagnosis
    The employee has been rejected because the balance of the generated posting items has not been balanced.
    Procedure
    Check the Customizing steps for the posting characteristics for the wage types that exist in the corresponding payroll result."
    it seems to point us to T52EZ -posting charcteristics of wagetype.
    i have mapped the cost centre in 27inftp and position is default one in 1inftp.
    my symboli accounts are d001,d002,d003,d004,d005
    account assignemtn type is c-posting to expense account
    posting characteristic i have mapped wagetypes to above symbolic accounts
    say 8000-d001
    8010-d002
    for ex
    Plus/Minus Sign for Posting-+ve amounts as debot and -ve as credtit
    generated posting date for payroll periods
    in the activitws in ac system
    have assigned the symbolic accounts to expense acocunts
    i have mapped the costcentre for that employee in 27 ,im using default position in 0001.
    there is a wagtype say food allowance that hasnt been mapped to G/l ?payroll result has an amount for that say 2000.
    i have created a symbolic account but when it comes to mapping to G/L ,i have excluded one.
    would that have an impact?
    kindly share your expert views.
    No Worries
    KG

    Mates,
    infact im doing this in sandbox client ...i deleted the payroll results  tcd pu00....i once again checked the g/l mapping ,,im still getting the posting error ..im not sure if im missing anything here ..
    payresults are like below
    Payroll Results
    Personnel No.     811 mustafa mohaammed - Other Countries
    Seq. number       00001 - accounted on 02.07.2011 - current result
    For-Period        06.2011 (01.06.2011 - 30.06.2011)
    In-Period         06.2011 (Fin.: 30.06.2011)
    Table RT - Results Table
    PCRlGr Wage Salary type               WC  C1 C2 C3  Assign: AltPa  CA  BT Abs.
    Var ss gn   Un t      Rate                     Number              Amount
         /101 Total gross amount
                                                                     6,075.00
         /203 Average basis 03
                                                                       450.00
         /550 Statutory net
                                                                     6,075.00
         /559 Payment                                                    01
                                                                     6,075.00
         /560 Payment Amount
                                                                     6,075.00
         /700 Wage/salary + ER contr.
                                                                     6,075.00
         /840 Diff. to avg. month       01
                                                   13.50
    3      /001 Valuation basis 1         01
                                 26.61
    3      8000 Monthly salary            01
                                                                     4,500.00
    3      8010 Housing Allowance(25% Bas 01
                                                                     1,125.00
    3      8030 Transport Allowance       01
                                                                       450.00
    i have maintained 0027 for that employee...kndly advice if im missing anything here ,....
    No Worries
    KG

  • Restrict Withholding Tax change in not cleared documents

    Hello,
    We want to adjust the Document chnage rules - OB32 in a manner that it restricts Withholding Tax fields from changing when the document is not cleared.
    We tested & found that the Withholding tax fields as below when defined in document change rules are giving strange results.
    BSEG-QBSHB          Withholding tax amnt
    BSEG-QSFBT          Wthld.tax-exempt amt
    BSEG-QSSHB          Withhold.tax base
    BSEG-QSSKZ          Withholding tax code
    BSEG-QSZNR          Exemption number
    Of these the field BSEG-QSZNR - Exemption number field remains unmodifiable in FB02 when the document is cleared & also when it is not cleared. We tested it for Vendor & the settings were made for Account type K.
    The field is always greyed out even if we make the field as modifiable in OB32.
    The rest of the fields are remaining modifiable when the document is not cleared & become non modifiable when the document is cleared. This behaviour is not affected by whatever settings we make in OB32.
    We tried to search for an SAP note for this peculiar behaviour but could not find one.
    Could you please help.
    Thanks & Regards
    Shreenath

    Dear Shreenath,
    if You want to retrict, please delete from V_TBAER table the entries I suggested and then go to IMG > Extended Withholding Tax>Calculation>Withholding Tax Type> Define Withholding Tax Type for Invoice Posting or  Define Withholding Tax Type for Payment Posting -->
    There will be a frame named  Control data; there please switch off the flag "W/tax base manual" and "Manual W/tax amount.
    Please do a test and let me know.
    Mauri

  • Pricing errors are not cleared after fixing the master data

    Hi All,
    Kindly go through the issue explained below.
    Pricing is determined properly in transaction level(Oppt) when the master data is correct. cool.  
    System shows pricing error (Mandatory condition 0PR0 is missing, Pricing could not be determined) when price(condition record) is not maintained in product. This is also fine.  Now the issue is, Pricing errors are not going away from Opportunity even after the master data(product) fixed with maintaining pricing.
    Scenario     :  Opportunity is saved with pricing errors. 
    Analysis     :  Price or/and Sales area are not maintained in Product that is maintained in Oppt.  That is why this error occurs.  So, we have maintained the Sales area/Price(condition record) in product. Now master data is corrected.
    Expected result: After maintaining the price/sales area in product, the errors should go off from the created Opportunities and pricing should be determined properly.
    Actual result: When we create a new opportunity with the same product, pricing is determined.  But the errors are not going away from the already created opportunity transactions.
    Please let me know if this scenario is not clear to understand. 
    Please help with your inputs.  Thank you for your time.
    Regards,
    Maddy

    Hi Luis,
    Thank you very much for your reply.  Could you please help me where is the button 'Redermine Pricing' available?  I have checked in Opportunity transaction but failed.
    Regards,
    Maddy

  • MQ Adapter does not clear the rejected message from the queue

    Hi All,
    I'm using a MQ Adapter to fetch the message from the queue without any Backout queue configured. However, whenever there is any bad structured message found in the queue, MQ adapter rejects the message and moves the message to the rejmsg folder but does not clear it off the queue, as a result of which it keeps retrying the same hence, filling the logs and the physical memory. Somehow we do not have any backout queue configured so I can move the message to blackout queue. I have tried configuring the jca retry properties and global jca retry as well but to no avail.
    - Is it not the default behaviour of MQ Adapter to remove the rejected message from the queue irrespective of Backout queue is configured or not? The same behaviour working well with the JMS and File Adapter though.
    - Is there any way I can make MQ Adapter delete the message from that queue once it is rejected?
    Regards,
    Neeraj Sehgal

    Hi Jayson,
    Check this URL which answers a problem with com.sap.engine.boot.loader.ResourceMultiParentClassLoader problem:
    http://209.85.175.132/search?q=cache:RnFZ9viwuKkJ:https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/pcd!3aportal_content!2fcom.sap.sdn.folder.sdn!2fcom.sap.sdn.folder.application!2fcom.sap.sdn.folder.roles!2fcom.sap.sdn.folder.navigationroles!2fcom.sap.sdn.role.anonymous!2fcom.sap.sdn.tln.workset.forums!2fforumtest!2fcom.sap.sdn.app.iview.forumthread%3FQuickLink%3Dthread%26tstart%3D45%26threadID%3D1020700+com.sap.engine.boot.loader.ResourceMultiParentClassLoader&hl=en&ct=clnk&cd=3&gl=in&client=firefox-a
    Please check that the JDK compliance level is at 5.0
    Window->Preferences->Java->Compiler->Compiler compliance level set this to 5.0
    Set the installed JRE to the one you have mentioned JDK 5.0 update 16
    Window->Preferences->Java->Installed JRE's->
    Click on the add button to select the path of your JDK.
    once completed click on the check box next to it.
    regards,
    AKD

  • Using comparison operators to solve several different mathematic​al expression​s is not clear

    Though I found LabVIEW very interesting , still some of its basic fundamentals are not clear, like using comparison operators (>,<,..) for solving different
    mathematical expressions. Please give example showing how to use such operators in advanced mathematical problems.
    Best Regards,
    Allawi

    allawi1 wrote:
    What I am looking for is how to use such functions in selecting different mathematical expressions i.e..(working like logical if statement).
    You need to be more specific. A comparison operation IS like a logical IF statement and the result is either TRUE or FALSE.
    What do you mean by a "mathematical expression"? What do you mean by "different"? Can you give an illustrative example?
    If two alternative mathematical expressions should depend on the comparison, wire the comparison output to a case structure and place the two different expressions in their own case, for example.
    LabVIEW Champion . Do more with less code and in less time .

  • Vendor Advance not cleared

    Hello Sir,
    I am doing vendor down payment t code:f-48 and clear from t code:F-54
    But entry shown in FBL1n with tick Spl.G/L ind.in credit balance ? its shows Red indicator?why not in Green indicator ?
    Waiting for Reply.
    Thanks
    J

    Dear J,
    what You' re reporting is the normal System behavior.                                                                               
    When a down payment is cleared with transaction F-54, the down payment                                     
    clearing document contains 2 vendor line items: one special G/L line                                       
    item and one 'credit memo' line item. The special G/L line item clears                                     
    the special G/L line item in the downpayment, whereas the 'credit memo'                                    
    line item remains open and does not clear the vendor line item in the                                      
    invoice.                                                                               
    But this is correct: Usually the amount of the vendor line item                                            
    in the invoice (-> the amount of the 'final' invoice) is higher than the                                   
    amount in the 'credit memo' line item of the downpayment clearing (the                                     
    amount of the 'credit memo' line item of the downpayment clearing is the                                   
    amount of the downpayment), and so these two vendor line items cannot be                                   
    cleared with each other. But if they should, the customer could clear                                      
    them and post a residual line item with another clearing transaction.                                                                               
    If you want to get another result, like clearing the documents, you have                                   
    2 methods.                                                                               
    1) using F-53 (outgoing payment post) to clear the invoice and the                                         
    downpayment.                                                                               
    2) after using F-54, you have to run F-44 (account clear) to fully clear                                   
    the open item.      
    I hope this helps You.
    Mauri

  • Flagged photos not clearing

    This is a weird one that has never happened to me before.
    I fagged some photos but when I hit the "clear flagged" button, nothing happens.
    I have flagged another set of photos and when I hit "clear flagged" again, the newly flagged photos dissappear but the ones that did not clear originally are still there... as I said weird.
    Anyone had this happen or know how to fix?
    Thanks

    Option 1
    Back Up and try rebuild the library: hold down the command and option (or alt) keys while launching iPhoto. Use the resulting dialogue to rebuild. Choose to Repair Database. If that doesn't help, then try again, this time using Rebuild Database.
    If that fails:
    Option 2
    Download iPhoto Library Manager and use its rebuild function. (In early versions of Library Manager it's the File -> Rebuild command. In later versions it's under the Library menu.)
    This will create an entirely new library. It will then copy (or try to) your photos and all the associated metadata and versions to this new Library, and arrange it as close as it can to what you had in the damaged Library. It does this based on information it finds in the iPhoto sharing mechanism - but that means that things not shared won't be there, so no slideshows, books or calendars, for instance - but it should get all your events, albums and keywords, faces and places back.
    Because this process creates an entirely new library and leaves your old one untouched, it is non-destructive, and if you're not happy with the results you can simply return to your old one.  
    Regards
    TD

  • Quiz results not correct

    A number of users who are doing some elearning material I have created are having problems with the quiz.
    If they get any of the answers wrong they have to retake, however the answers are not clearing, and if they do get all the questions

    Hi
    I am using Captivate version 4
    Quiz Settings:
    Reporting is enabled
    LMS = SCORM
    Report status = pass / fail
    Report to LMS = Score
    Report date = quiz results only
    Reporting level = Interactions and score
    Settings
    Show progress
    Show score at end of quiz are set
    Pass/Fail
    100%
    If fail
    Infinite attempts
    Show retake button

  • HP Pavilion g4 Notebook PC microphone recording not clear.

    Dear Sir,
    My PC microphone voice recording is not clear and voice quality is poor and hearing very little with high volume and auto sound noise hearing very high.
    If I recording audio to PC and play back hearing sound very little with noises high.
    Please help me how to solve this problem.
    Product name: HP Pavilion g4 Notebook PC
    Product number: QJ542EA#ABV
    Serial number: [Edited for Personal Information]
    Windows 7 Home Basic 64-bit Service Pack 1
    Thank you

    Hello Uttara,
    Welcome to the HP Forums!
    I understand you are experiencing recording issues with your microphone. I will do my best to assist you! To start, please try all of the steps in this HP document: Resolving Microphone and Line-in Problems (Windows 7)
    Please let me know your results. Thanks and have a great day!
    Mario
    I worked on behalf of HP.

  • Posting Balance not clear

    Hi,
       I am doing posting to accounts for an employee, when i run posting it posts the retro payroll results also, is there anyway to avoid postind program taking into consideration the retro payroll.
       As it shows posting balance not clear when it compares the old periods.
    Regards
    Najeeb

    To stop the retro: Please maintain a suitable date in "Ear Retro Acc. Date" in PU03. System will not go beyond this date.
    Reward points appreciated.
    Message was edited by:
            Arun Sundararaman

Maybe you are looking for

  • Planning File Entry Not Created For MRP Run

    We are running MRP in backgroung at MRP area level as per scheduled. One material is missing from MRP run. We are expecting that we should get the proposals because stock is zero ( below reorder level) on the date of sheduled MRP run. Earlier it is w

  • éventement PinChanged port série

    Hello, My project is to establish a communication interface between my pc and motion control (MCS 32EX SERAD) via a serial port. I realized the interface with C #, for testing the communication I used a Hyper terminal and it works for now I can send

  • Displaying report header in spool

    Hi I need to find a way to display the my report header in the spool. Currently, the spool is only displaying the ALV grid of my report. In my report, I generate the header using the I_CALLBACK_HTML_TOP_OF_PAGE parameter of the REUSE_ALV_GRID_DISPLAY

  • How can "Digital Camera RAW Compatibility" 4.06 be removed so that 4.05 can be installed first?

    App Store currently shows "Digital Camera RAW Compatibility" 4.05 as an update.  When attempting to update the following dialog box appears stating "An error has occured - The operation couldn't be completed. (NSURLErrorDomain error -1012.)(-1012) Af

  • Howto make a KeyCombination with a Shortcut Modifier?

    Maybe I'm missing something really obvious but I can't seem to define a keycombination using the platform-independent shortcut modifier. According to http://docs.oracle.com/javafx/2.0/api/javafx/scene/input/KeyCombination.html the following should wo