Recursive Loops - How to implement "Lucas Numbers" Algorithm?

Hey,
I've seen other posts that are criticized to be more specific, so I hope I am clear in my questions.
I am trying to implement the Lucas Numbers series through a recursive loop. The formula is the following:
Ln = Ln-1 + Ln-2 for n>1
L0 = 2
L1 = 1
This is my first attempt at the code, which runs and gives horrible output for obvious reasons; my algorithm is probably incorrect.
//Based on the above algorithm, let Ln be L(int number)
public class RecursiveMethods{
    //int limit = 30;
    public RecursiveMethods(){
        //No Constructor Yet
    public int getLucasSequence(int number){ //Will print out
        if(number == 1){ //I don't know what to set the base case to.
            return number;
        else{
           // System.out.println(number);
            return number * getLucasSequence((number - 1) + number);  //Is this where the formula goes?  If so, how do I implement it?
public static void main(String [] args){
    //System.out.println("Test");
    RecursiveMethods myMethods = new RecursiveMethods();
    //System.out.println(myMethods.getLucasSequence(99));
    //for(int i = 0; i < 10; i++){ //Is this where you set the limit of iterations?
        System.out.println(myMethods.getLucasSequence(4)); //Value must not be one or two
}I have the following questions:
1) Based on the mathematical algorithm, how would I implement it in Java?
2) What would be the base case for a recursive loop that prints a series of Lucas Numbers
3) How would I set the limit on numbers?
I am a beginner programmer, so please explain these in terms I will be able to understand. I don't mind if you give hints too.
Thanks!
Chris

package recursives;
public class RecursiveMethods{
    public RecursiveMethods(){
        //No Constructor Yet
* @param number  specifies the index of the element in the Lucas sequence to be computed
    public int getLucasSequence(int number){ //Number should be Lnum
        if(number == 1){
            return number;
        else if(number == 0){ //The lucas sequence will always start off with 2...I forgot about this!
            return 2;
        else{
           // System.out.println(number);
            return getLucasSequence(number - 1) + getLucasSequence(number - 2); 
public static void main(String [] args){
    //System.out.println("Test");
    RecursiveMethods myMethods = new RecursiveMethods();
    //System.out.println(myMethods.getLucasSequence(99));
    //for(int i = 0; i < 10; i++){ //Is this where you set the limit of iterations?
        System.out.println(myMethods.getLucasSequence(3)); //Value must not be less than zero
}Sorry, I'm new to actually publishing code. Therefore, my coding style is very sloppy and usually uncommented. Thanks for the advice though, I will surely start implementing it in later projects!
Edited by: Chris.Y on Nov 3, 2008 4:38 AM

Similar Messages

  • How to implement Tiny Encryption Algorithm

    hi all,
    I am new to this cryptography, I need to implement the TinyEncryption Algorithm in MIDlet.
    Can anybody please give me some suggetions or Examples, which were explaining the Algorithm.
    Please help it was more important for me
    Thanks in advance
    lakshman

    Here's a page with plenty of TEA info:
    http://www.simonshepherd.supanet.com/tea.htm
    But TEA has some known weaknesses so you'd be better
    off with XTEA.
    http://www.simonshepherd.supanet.com/XTEA_java_td.txt
    There seems to be a newer version called XXTEA,
    I couldnt find it in java, but its on this page in javascript:
    http://www.farfarfar.com/scripts/encrypt/

  • How to implement line numbers in order acknowledge report

    Hi all,
            I am newbie to Oracle Reports.
    I have an order acknowledgement report in which i show columns like
    line number
    Ordered item
    ship from
    quantity
    unit price
    extended price
    In above table format i need to show line numbers as 1.1
                                                                                  1.2
                                                                                  1.3....                        
                                                                                   2.1
                                                                                   2.2
                                                                                   2.3....
    so, how can i achieve this functionality
    Thanks

    That still doesn't say much. How do you need to get from line number in your table to line number on the report? Give an example of your data.
    I can give you an example:
    with line_numbers as (
      select 11 lineno from dual
      union all
      select 12 lineno from dual
      union all
      select 13 lineno from dual
      union all
      select 21 lineno from dual
    select lineno /10 lineno
    from line_numbers
    order by lineno
    LINENO
    1.1
    1.2
    1.3
    2.1

  • CRM 2013 On-Premise How to implement sequential numbering for records?

    Hi All,
    I don't know if someone could advise me on the following.
    I have two entities, Transport Routes and Stops with a 1:N relationship. I want to auto-number the Stops records sequentially (1, 2, 3, 4, etc.)  but want to start at 1 within each Transport Route. How should go about it? Is it possible to achieve this
    with JS, or would that be a bit clumsy and would you recommend a plugin instead?
    I have an auto-numbering solution (AdvancedCRMAutoNumber from Xbitz) but that will not restart the counter position to 1 for each Transport Route - at least to me knowledge it cannot.
    Would appreciate any help!
    Thanks, Viktor

    hi Victor,
    I think you can write plugin by following below steps.
    -->Create one field in the Transport route entity to store the sequential number.
    -->As soon creating the Transport stop record get the sequential from the Transport route and create the sequential number for the transport stop.
    -->Update the Transport route record by incriminating the sequential number field.
    So every Transport route record will have sequential number which we can start with 1 as based on the stops we can increment the number.

  • How to implement this algorithm ?

    Hello all,
    can u help me in implementing the following algorithm in java?
    1.suppose we start with a single pixel p and wish to expand from that seed pixel to fill a coherent region. lets define a similarity measure s(i,j) such that it produces a high result if pixels i and j are similar and a low one otherwise.
    first, consider a pixel q adjacent to pixel p. we can add pixel q to pixel p's region if S(p,q)>T for some threshold T. we can the proceed to the othr neighbors of p and do likewise.The process will continue till all the pixels in the image are labelled or belong to one region or the other.

    You may want to look at the various Connected components algorithms out
    there. These (tend to) recursively search the neighbours of the seed
    pixel and check for similarity. If the neighbours are similar to the
    seed they are marked as being in the same region. These algorithms can in general be made to run using a stack and while loop rather then using recursion (which on large images can get you into memory trouble very rapidly).
    A basic algorithm does the following
    create a second image containing ints. This image is the output from the algorithm. different regions have different integer numbers assigned to them. Ensure all pixels have -1 as their value.
    from your seed pixel check each of its neighbours in turn
    // the output image of integers
    private Image output;
    // the input image to process
    private Image input;
    // origin of the image is in the top left
    // assuming input image is greyscale and getPixel() / setPixel()
    // return Pixel objects. regionvalue should be greater then 0
    public void processPixel(int x, int y, Pixel compareTo, int regionValue)
       // am I similar to the pixel passed in
       // if so set my corresponding pixel in the output image
       if(isSimilar(input.getPixel(x,y),compareTo))
          output.getPixel(x,y).setGreyValue(regionValue);
       } else
          // i am not similar so bail out at let the caller check its
          // other neighbours
          return;
       //check north
       if( output.getPixel(x,y-1).greyValue() == -1)  // -1 means that its not been processed
          // this compares new pixel to this pixel
          processPixel(x,y-1,input.getPixel(x,y), regionValue);
       //check north east
      if( output.getPixel(x+1,y-1).greyValue() == -1)  // -1 means that its not been processed
          // this compares new pixel to the seed pixel
          // achives a different goal then the search for north given above
          // choose which goal suits you best
          processPixel(x+!,y-1,compareTo, regionValue);
       // check east
       //check south east
        //check north west
    // nope you are not mistaken all 8 neighbours may need to be checked if
    //  processing a greyscale image.
        return;
    }matfud

  • How to implement State of charge kalman filter algorithm in C code

    hi,
    I am going to implement kamlan filter algorithm in C code. Is anyone here did this before. Please share your ideas and tell me how i can implement this. Give me some ideas. It would be highly apreciate. thanks in advance
    here i attached the kalman filter algorithm file.
    regards,
    usman
    Attachments:
    1.docx ‏74 KB

    Hi,
    did you already have a look at some implementations of the Kalman filter ? For example, that one : 
    Kalman filter c code implementation. How to tune required variables?
    http://forums.udacity.com/questions/1021647/kalman-filter-c-code-implementation-how-to-tune-required...
    or that one :
    http://alumni.media.mit.edu/~wad/mas864/psrc/kalman.c.txt
    Hope it helps!
    Aurelie

  • How to implement reading data from a mat file on a cRIO?

    Hi all!
    I am not even sure, this is plausible, but I'd rather ask before i start complicating. So far, I have not found any helpful info about reading in data to a RT device from a file (kind of a simulation test - the data is simulated). 
    I have the MatLab plugin that allows the data storage read a MAT file, which has a number of colums representing different signals and lines representing the samples at a given time (based on the sample time - each sample time has it's own line of signal data). 
    I have no idea of how to implement this to cRIO.
    The idea is:
    I have some algorithms that run on the RIO controller in a timed loop. As the inputs to these algorithms, i would need to acces each of the columns values in the line, that corresponds to the sample time (kind of a time series - without the actual times written).
    I am fairly new to RT and LV development, so any help would be much appreciated.
    Thanks, 
    Luka
    Solved!
    Go to Solution.

    Hi Luka!
    MAT file support in LabVIEW is handled by DataPlugins. Here you can find the MATLAb plugin:
    http://zone.ni.com/devzone/cda/epd/p/id/4178
    And here you can find information on how to use DataPlugins to read or write files of a certain format:
    http://www.ni.com/white-paper/11951/en
    There is also an open-source project that addresses the problem, you can find it at
    http://matio-labview.sourceforge.net/
    Unfortunately, RT systems are not supported by DataPlugins, so fist you'll have to write a VI on the Host computer to convert your files to a usable format (I suggest TMDS for compactness and ease of use), and the work on the converted files in the cRIO VI. If you have other questions about DataPlugins or anything else, please get back to me.
    Best regards:
    Andrew Valko
    National Instruments
    Andrew Valko
    National Instruments Hungary

  • Recursive Loop Error while doing standard cost estimate

    SAP Gurus,
    We are trying to do standard cost estimate on a material and we are getting error because it is going in recursive loop even though we have used "recursive allowed" indicator for item components in the BOM. The error message numbers are CK 730 and CK 740. We are using 4.6c. I have tried the same scenario in ECC 6.0 and still I get the same problem.
    Below is my BOM structure:
    Material 10890345 (has low-level code 012)
            ---> 10867220 (has low-level code 013) and has recursive allowed indicator
    10867220
            ---> 10846733  (has low-level code 014) and has recursive allowed indicator
    10846733
            ---> 10890345 (has low-level code 012) and has recursive allowed indicator
    According to me, the BOM for material 10846733 is causing the problem.
    For some weird reason while doing the costing run for material 10890345, it s not stopping and going in a loop.10890345  and 10846733 should ideally have the same low-level code as they are recursive.
    Please help to provide some solutions at the earliest on how to avoid recursive loop during costing.
    Regards,
    Swapnil

    Dear,
    I have 2 things to shear with you.
    The method we followed to solve the iteration is as below
    1.Config change -
    Valuation variant in the costing variant, we changed the sequence as below
    material valuation
    4 planned price 1
    2 std price
    3 Mov ave price
    2. Material master change
    made all the semi finished goods and finished goods
    procurement type = E,
    costing with qty structure,
    Enter the planned price1
    By doing this what happens is
    when system first start the iteration, takes the planned price 1 and start iterating and next time in the second iteration it takes the calculated price from qty structure till it finds the difference between the value calculated is less than .001. Then it gives the result
    Why lot size is important is, in our case in some levels the usage is very less compared to the first material header qty and system used to stop in between  and not even reaching the last level as during the cycle it was reaching less .001 difference. may be in your case it may not be the case...just check
    Please come back after trying this. this was the only last option i had to solve the issue in my client.
    Another alternative is to have a different material for costing purpose to stop the iteration which i will not recommend as we need to do some calculation for each stage and input the cost of dummy material in each stage.
    My client is happy with the result as the difference between manual calculation and system calculation is less then .1%...this is because SAP will not consider the difference beyond .001, but in excel you get as many as decimals you want.

  • How to implement boolean comparison and event structure?

    Hello all,
    I'm currently developing an undergraduate lab in which a laptop sends out a voltage via USB-6008 to a circuit board with an op-amp, the voltage is amplified, and then sent back into the laptop. The student is going to have to determine an "unknown" voltage which will run in the background (they can do this by a step test, graph V_in vs V_out and extrapolate to the x-axis).
    Currently, I have two loops that are independent in my VI. The first loop is used to "Set the zero." When 0 voltage (V_in) is sent out of the laptop it returns a value around -1.40V (V_out) typically. Thus, I created the first loop to average this value. The second loop, averages the V_out values that come into the laptop as the V_in numeric control changes. Then I take the "set zero" value from the first loop and subtract it from the second loop average to get as close to 0V for V_out when V_in is 0V.
    The problem I'm facing is, the event structure waits for the V_in numeric control value change, but after "SET ZERO" is pressed, if there is an unknown value, it will not be added to the average for V_out until V_in is changed by the user. So, I tried implementing a comparison algorithm in the "[0] Timeout Case." This algorithm works for step tests with positive values for V_in, but there are two problems.
    1) Negative values cannot be used for V_in
    2) If a user uses increasing positive values for V_in there is no trouble, but if they try to go back to 0, the value change event has been called and it is added to V_out as well as the timeout case.
    Sorry for the extremely long post, but I've been banging my head over this and can't figure out how to properly implement this. I'm using LabVIEW 8.0.
    Attachments:
    Average Reset Test.vi ‏371 KB

    OK you have bigger problems than Raven's Fan is pointing out.
    When the first event loop stops ( after pressing "") (the boolean text is "Set Zero")  The second loop may start- (AND PROCESSES all of the events it was registered to process before the loop started!)  that would enclude the value change event from "" (The boolean text is Stop) Being pressed bebore the loop started.  Of course, since the labels of "Set Zero" and Stop are identical nulls....................................................BOTH event trigger at the same time and are processed as soon as the event loop they are registerd to is available.
    Get it ... The two buttons labeled "" both queue Value change events to both loops registered to act on the value change of the control labled ""!
    Both loops will do what you programmed in the case of "" Value Change!  This can, (as you have observered) lead to confusing code actions.
    Do avoid controls with duplicate labels (There is a VI Analizer test for that!)  Do avoid multiple event structures in the same hierarchy. 
    DO NOT bring this to your studients to help you learn LabVIEW!  We get enough studii asking embarassing questions
    VI Analizer will help you provide sound templates.  If you need help with that hit my sig line- e-mail me and I'll always be willing to help.
    Jeff

  • AS2.0 : Infinite recursion loop error when launching debugger

    I want to debug a project:
    When I run it from Flash, it doesn't work as expected but it
    doesn't display
    any compiling nor runtime error.
    But when I want to debug it and press the Play button of the
    debugger, it
    displays an infinite recursion loop error.
    I get this error even when I set a breakpoint at the first
    line of the
    script.
    How can I debug the debugger? lol!
    If you know Flash debugger's internal behavior, can you tell
    me how it can
    display an infinite recursion loop while a classic preview
    does not.
    Thanks.
    Henri

    What you are trying to do is not supported on Windows.
    You mention a thin client.  This has nothing to do with thin clients.  Thin clients are just dumb monitors that run a remote RDP session.
    If you are connecting to a terminal server there is a configuration in GP or in the terminal server configuration that let you specify an alternate shell.  If you are running this as a remote to a workstation then you need to specify the shell in the
    user profile.  THis can be done through group policy or via a registry edit.
    You cannot use a script for this and you cannot use an Office program without Explorer.  Office requires Explorer to run which is why you are getting that error.
    Redirecting userinit for the whole machine will likely create many bad side effects as it is a fundamental process.  It is called multiple times during logon.  Replacing it with a batch file will cause you script to be executed multiple times. 
    Usually userinit is called at least three times.  In a domain with Group Policy it can be called a dozen times.  I am pretty sure the only reason for it being in the registry is to allow for debugging.
    Another this folder.ng to knowis that userinit has to complete before many things in Office will work correctly dependin on you implementation.
    You can load the powerpoint viewer and directly launch that with the file name from the
    "startup"  .  You can also try and set the powerpoint viewer as the alternate shell.  It just might work because it is designed to run completely stand alone with no Office and is used in kiosks which generally run without Explorer. 
    You can also try to use IE to launch the ppt as it can host this with the viewer installed.  It can be set to fullscreen and it will re-launch  when exited just like Explorer does,
    ¯\_(ツ)_/¯

  • Help needed in making a Recursive loop( loops into loops)

    Hi i have a situation, i need to make loop into loop into loop....undecided loop.
    i have a object list which are parent.........eg.
    i query to get my 1st list is A, B and C....i loop it to display in table
    while looping i query A to get its child AA, AB, and AC, i loop it in table..
    while looping i query AA to get its child AAA, AAB and AAC...
    i have to check for the child till it has child level donw level...but i dont know how can i make a dynamic loop...i cant write a loop it for 15 to 20 .
    Is there any way to make a recursive loop so tht it checks for child into child.
    thanks

    my code is such......
    Corres[] objCorresBean = correspondence.getCorrespondence(objectId);
    for (int i = 0; i < objCorresBean.length; i++) {
    CorrespondenceBean corresBean = objCorresBean;
    String parent_object_id = corresBean.getObjectId();
    childCorresBean = correspondence.getChildCorrespondence
    (parent_object_id);
    for (int j = 0; j < childCorresBean.length; j++) {
    CorrespondenceBean childBean = childCorresBean[j];
    String child_object_id = childBean.getChildObjectId();
    may be child_object_id have some childrens.......i want to make it recursive

  • How do i sync numbers between my ipad and imac. i dont even know how to do this via itunes

    Hi,
    i just downloaded numbers to my ipda, thinking that as i use it on my mac, i would be able to use it on my ipad, and that the lates version would be saved automatically, however i have no idea how to sync the numbers on both devices

    Thanks, I've reset it a lot, but nothing changes.  I can get the iPhone and the iPad to talk with each other, I want to have the iMac in the loop.
    I got a note on another forum to change the "Send & Receive" setting. I now have 2 Addresses - my cell phone and my email. I'm hoping that will work.  When DH gets home I'll have him test it.

  • How to implement Strategy pattern in ABAP Objects?

    Hello,
    I have a problem where I need to implement different algorithms, depending on the type of input. Example: I have to calculate a Present Value, sometimes with payments in advance, sometimes payment in arrear.
    From documentation and to enhance my ABAP Objects skills, I would like to implement the strategy pattern. It sounds the right solution for the problem.
    Hence I need some help in implementing this pattern in OO. I have some basic OO skills, but still learning.
    Has somebody already implemented this pattern in ABAP OO and can give me some input. Or is there any documentation how to implement it?
    Thanks and regards,
    Tapio

    Keshav has already outlined required logic, so let me fulfill his answer with a snippet
    An Interface
    INTERFACE lif_payment.
      METHODS pay CHANGING c_val TYPE p.
    ENDINTERFACE.
    Payment implementations
    CLASS lcl_payment_1 DEFINITION.
      PUBLIC SECTION.
      INTERFACES lif_payment.
      ALIASES pay for lif_payment~pay.
    ENDCLASS.                 
    CLASS lcl_payment_2 DEFINITION.
      PUBLIC SECTION.
      INTERFACES lif_payment.
      ALIASES pay for lif_payment~pay.
    ENDCLASS.                   
    CLASS lcl_payment_1 IMPLEMENTATION.
      METHOD pay.
        "do something with c_val i.e.
        c_val = c_val - 10.
      ENDMETHOD.                   
    ENDCLASS.                  
    CLASS lcl_payment_2 IMPLEMENTATION.
      METHOD pay.
        "do something else with c_val i.e.
        c_val = c_val + 10.
      ENDMETHOD.  
    Main class which uses strategy pattern
    CLASS lcl_main DEFINITION.
      PUBLIC SECTION.
        "during main object creation you pass which payment you want to use for this object
        METHODS constructor IMPORTING ir_payment TYPE REF TO lif_payment.
        "later on you can change this dynamicaly
        METHODS set_payment IMPORTING ir_payment TYPE REF TO lif_payment.
        METHODS show_payment_val.
        METHODS pay.
      PRIVATE SECTION.
        DATA payment_value TYPE p.
        "reference to your interface whcih you will be working with
        "polimorphically
        DATA mr_payment TYPE REF TO lif_payment.
    ENDCLASS.                  
    CLASS lcl_main IMPLEMENTATION.
      METHOD constructor.
        IF ir_payment IS BOUND.
          me->mr_payment = ir_payment.
        ENDIF.
      ENDMETHOD.                  
      METHOD set_payment.
        IF ir_payment IS BOUND.
          me->mr_payment = ir_payment.
        ENDIF.
      ENDMETHOD.                  
      METHOD show_payment_val.
        WRITE /: 'Payment value is now ', me->payment_value.
      ENDMETHOD.                  
      "hide fact that you are using composition to access pay method
      METHOD pay.
        mr_payment->pay( CHANGING c_val = payment_value ).
      ENDMETHOD.                   ENDCLASS.                  
    Client application
    PARAMETERS pa_pay TYPE c. "1 - first payment, 2 - second
    DATA gr_main TYPE REF TO lcl_main.
    DATA gr_payment TYPE REF TO lif_payment.
    START-OF-SELECTION.
      "client application (which uses stategy pattern)
      CASE pa_pay.
        WHEN 1.
          "create first type of payment
          CREATE OBJECT gr_payment TYPE lcl_payment_1.
        WHEN 2.
          "create second type of payment
          CREATE OBJECT gr_payment TYPE lcl_payment_2.
      ENDCASE.
      "pass payment type to main object
      CREATE OBJECT gr_main
        EXPORTING
          ir_payment = gr_payment.
      gr_main->show_payment_val( ).
      "now client doesn't know which object it is working with
      gr_main->pay( ).
      gr_main->show_payment_val( ).
      "you can also use set_payment method to set payment type dynamically
      "client would see no change
      if pa_pay = 1.
        "now create different payment to set it dynamically
        CREATE OBJECT gr_payment TYPE lcl_payment_2.
        gr_main->set_payment( gr_payment ).
        gr_main->pay( ).
        gr_main->show_payment_val( ).
      endif.
    Regads
    Marcin

  • How to implement this function in JSP/Servlet env?

    Hi all,
    I working on a project, it provides functionality to upload file using JSP/Servlet. In the first JSP page, there is file location and submit button. After user select a file to upload and click submit button, a message, like "sending file to XXXX", will be shown on the screen. Once uploading and validation are done on the server-side, a successful/error msg will be shown to user.
    Here I have a question for the "sending..." msg and the successful/error msg. They should be put in one jsp page or in two separate page? how to implement them?
    Thanks for any help!
    Tranquil

    For the sending message... Well, the thing is, when you click submit, it's sending the file to the server and the server is processing it, and this is all done before the "complete" page is sent to the server. So one would need to use some Javascript on the page before the actual submit happens to show some message. This is done on Ebay when you put something for sale, you can upload an image, and there is a little popup message telling you that it's uploading, and it is removed when the process is done. Now, I'm not sure the exact details of how this works, but my educated guess is this:
    1) The onsubmit function of the form checks that the file upload fields have a value (no need to popup a message if no file upload, since that's what usually takes the time, although it could just be assumed there is a file). If a file is to be uploaded, or just want to show the message anyway, a new popup window is opened with the window.open method and the "sending" message is shown (either written via Javascript or just load a small web page to the window).
    2) The popup window, since you can't transfer the window object from the form page to the next page, has to check window.opener for some value that the success/error page would have to set. The success/error page could use it's body onload function to set a variable in it's own window object to denote that the page is loaded. The popup window can use a looping check using setTimeout or setInterval in Javascript to check for window.opener.isLoadedVariable to be present, and if so, close itself.
    I've never done that, but I see no reason why it wouldn't work.

  • How to implement this code in labview?

    How do implement this pseudo code in labview? Please keep in mind "a" and "c" in the code below ARE VARIABLES
    for i =0 to i=maxvalue
           if i <= a 
               output = output2
           else if i > a AND i<=c
               output = output2
           else if i < c 
               output = output3
           else i = d
               output = output4
    I understance i can use a case structures and modify the label, but i do not know how to make the label dependent on a variable value. 
    Thanks 

    Try an array of boudaries and use threshold array. See this old example:
    Now just iterate over an array of values using a FOR loop.
    LabVIEW Champion . Do more with less code and in less time .

Maybe you are looking for

  • Making an iPhone 4S manual backup to a MacBook Pro does not work in iTunes?

    Hello. I am helping a client's iPhone 4S (iOS 5) to back up his data to his 13.3" MacBook Pro (Mac OS X 10.8.2 with updates including the latest iTunes v11 without iCloud). We told iTunes not to automatically synchronize when connected. We did tell i

  • Need you guys to test something for me on your MBP

    i have had my MBP for a week now. its been great. but today i just noticed something. wanted to know if it was just mine or all of them. also was wondering if it was hardware or software related. the probelm is simple. when i use the trackpad it work

  • Validation for creating check in T-code FCH5

    Hi All, I have created payment docuemnt t-code F-48. Then for creating check in T-code FCH5, system allows me to assign different House Bank and Account ID. How can this be controlled through validation, kindly guide on creating validation for the sa

  • Best Practices for sending meeting link in advance?

    Greetings, So our client is asking for the meeting login link well in advance of the meeting (to distribute to his staff), but of course we're still testing and setting pods up in the meeting room. Can we provide the link/invite, but prohibit their a

  • Rwrun60.exe problem when generating matrix delimited reports

    when i am generating reports in delimited format with matrix stayle i am getting following error: ProgramError: RWRUN60.exe has generated errors and will be closed by windows.you will need to restart the program. please advice me urgently .