Need  help on recording in lsmw

hi fnds dis is kamesh  ,,  i need  small help  if anybody know  abt multiple recordings in LSMW  let me know
thanks in advance

Hi Kamesh,
    First mention your both records in the first step of Batch Input recording in the LSMW object by clicking on Right Arrow button. After that in the Field Mapping and Conversion rules step, you can use Events i.e., Beginof_Record_,_End_of_Record_  to handle two different records. For example, in FS00 transaction we can have two types of G/L Accounts, one is P&L Statement account and another is Balance sheet account. So, I have two records for creation of the these different accounts.
Based upon the field value in the file, I need to trigger any one recording. So, we need to write the code in this fashion:
At the Beginof_Record_ of first recording, open the IF condition like
IF <acct_type> = 'P'
and in the Endof_Record_ event of first recording, after "transfer_record" statement, write "ENDIF".
Similarly, write IF condition for another recording. In this way you can handle both recordings in one LSMW object.
Note: If you are not able to see anything in blue colour with the events I am mentioning, press CTRL+F7, set the Global Data Definitions and Processing times indicator and save it. You will see the events.
Regards,
Adithya K
[email protected]
P.S: Reward points if its useful.

Similar Messages

  • Novice needs help: inconsistent recording volume ("flutter")?

    Hello All,
    I'm new to Audition and have been struggling with my recording quality: I'm on a newer dual core Toshiba Qosimio multimedia laptop running Win 7 (64bit) and using a standard desk mic. I read the faq and help files on recording but still remain baffled about this. I'd greatly appreciate some help:
    When recording music in Audition (for example: one strum of a guitar chord), I get a kind of fluttering: I don't hear the whole continous chord's sound. There are subtle 'dropouts' of the sound (like it has inconsistent volume). Now, I'm new at this so I'm probably not using the correct terminology..so I posted a wav file to let you hear:
    http://home.comcast.net/~samiri/director/trash/InconsistentAudio1.wav
    When using this same mic in my older PIV laptop running Win XP, the record quality is fine. Also, when I downloaded Audacity (free audio program) I think I hear the same fluttering..so maybe there is some way I need to set the recording (input) preferences on this machine.
    Thanks for any assistance you can offer.
    [email protected]

    Ah, I had a recent laptop with Connexant Smart Audio, but recently replaced it.
    There is a separate Smart Audio Control Panel that I think is accessible elswhere from the Windows Control Panel. I found it almost totally incomprehensible, but seem to remember that there was a way of switching between two options, one simpler than the other.
    I would also go into the advanced playback settings to see if there are "enhancements" there. Some of these may affect recording.
    As I said before, the only approach with all of this is to find all the various audio contol panels, switch off any effects or enhancements and set all the default sample rates for record and playback to the rate you will be using. Note that the various audio control panels may or may not stay in sync, so it's as well to go round the loop(s) a few times. Do check there is nothing hidden in the "enhancements" area by making sure you scroll down all the options if there are more than just one or two. Note that the Windows audio Control Panel  has to be closed and re-opened before you can trust what it says.
    None of this is the fault of Audition, which just records what is fed to it. It is the fault of Microsoft that there is a broken sample rate converter in Windows 7 and whoever designed the Connexant audio gui does need to be re-educated, I think.
    It would, of course, be very sensible to seek out an external decent usb or similar audio interface.

  • Need help for record deletion from custom table

    Hi friends
    I have to write a custom program which will be generic to delete any table record with date field.
    This program needs to be generic (should be able to delete records from any custom table) in nature with selection screen parameters as:
    Table Name and Number of Days prior to which records are deleted, both mandatory.
    Program Flow:
    1.     From number of days calculate date before which records are deleted, ( current date u2013 no. of days = past date).
    2.     Custom table have date field, delete records prior to that date.
    3.     Program may be scheduled for background job, put default values for both fields. No. of days should not be less than 60.
    4.     Classical Report output with number of records deleted.
    My query is how will I know the name of the Date field so that I can write a DELETE query.
    If I use 'DDIF_FIELDINFO_GET' it gives me all field names but how to filter out?
    with regards
    samikhya

    Hi
    I have added  field on the selection screen as p_fieldname and got the F4 help for it , so that the user will get the field name run time as per the table name.
    Now I am facing problem while writing the DELETE query.
    I wrote like
    DELETE (fp_tab)
    where (fp_fieldname) LE date
    It is not working. I also tried with taking a string to concatenate fp_fieldname, LE and date to l_string
    when I write like this:
    DELETE (fp_tab)
    where (l_string) , sy-subrc is getting 4 and no records are getting deleted.
    I do not understand where the dynamic Delete is failing??
    with reagards
    Samikhya

  • Need help updating records from a subset yielded by a subquery.

    Hi, retired, hobby coder needing (further) help in transact-sql scripting with a view to creating a stored procedure within a Sequel DB.  For the purposes of this investigation I have a table with 23 records.   I am trying to update a specific
    field for 10 of the records based on the (TOP 10) records selected from a sub query where I select the TOP 20 records based upon different field.
    I select my desired 10 records (TOP 10) from a sup query selecting the TOP 20 based upon the date field (latest 20) for a specific user (GID) as follows:
    I then attempt to update only these 10 records as follows:
    As you can see it updated all 23 rows in the table, not just the 10 I yielded by the underlying query.
    In reviewing the documentation it appeared that referencing the Scores_id column and using the 'IN' keyword would work, i.e., UPDATE Scores WHERE Score_id IN (SELECT TOP 10* ..... would be appropriate but I got the an error message, 'Only one expression
    can be specified in the select list when the subquery is not introduced with EXISTS.'
    Can someone assist me with the proper syntax for this script?  Additionally, since there are limitations on the number of variables which can be used any advice on how to structure a stored procedure where the GID is the initial variable and Score_id
    the second would be appreciated also.
    Regards,
    Minuend

    The query you have written will always update all or no rows in the table, since it says
    UPDATE Scores
    SET    ...
    WHERE  EXISTS (...)
    The EXISTS clause is, logically, evaluated for each row. Normally, when you use EXISTS you correlated the subquery with the surrounding query, so that the values the subquery works with are different for each row. But your subquery is uncorrelated, and will
    return the same value, TRUE or FALSE, for each row.
    IN can certainly work, but then you cannot have "SELECT TOP 10 *", but you need to have "SELECT TOP Score_id", since when you use IN, the subquery must be a single-column query.
    Another alternative, which is somewhat difficult to digest the first you see it, but which is more efficient, and more concise, once you have learn it, is to work directly from the query you have:
      WITH CTE AS (
         SELECT TOP 10 *
          FROM (SELECT TOP 20...
     UPDATE CTE
     SET    Used = '*'
    Erland Sommarskog, SQL Server MVP, [email protected]

  • Need help in recording multiple seperate tracks

    hello, i've used cool edit and now audition to record for the last eight years or so. however, i've never gone byond tracking more then one mic at a time in the past. with some upcoming projects i will be tracking a full band and need to record multiple mics (most challenging being drums) and i need to be able to assign each mic to its own seperate track in real time.
    i will be using a PreSonus firebox which was four inputs. i can make do with four mics just fine. my only problem is i can't find any info and i'm not even sure audition allows for simultaneous multi channel recording. it is imperative i be able to have separation for each mic for mixing. any advice/help? will i be forced to find another program?
    thanks in advance,
    joel

    Audition handles multitrack recording just fine.
    You don't say what version of Audition you have (there are variations in how to set up the recording) but if you're on the current 3.0 version, you'd:
    Under Edit/Audio Hardware Set up, click on the Multitrack tab at the top.  On the "Audio Driver" menu, select the appriopriate Presonus driver.  Under "Default Input" Select the Presonus interface.  Also select it on the Output menu if you want to outuput sound that way for monitoring.  Click Okay.
    Go to Multitrack view in the main programme.
    Work down the inputs for each track (marked with a right-facing arrow) and select "Mono" and the Presonus output you wish to go to that track.  If you want to output back to the Presonus, do the same with the output selection, otherwise just leave it to "Main".
    (At this point, I suggest you save a session as "Basic multi setup" or similar to make it faster for the next take--then do a "Save As" for the actual recording you're about to do.)
    Click the "R" button on each track you wish to record in (you don't have to do all tracks every time) to arm for record.
    Click the main Record button to actually start recording.
    If you have an earlier version of Audition or Cool Edit Pro, the procedure is similar but some of the controls are accessed in different ways.
    Bob

  • Need help getting record(s) from layered tables

    Greetings,
       The company database has what I can only describe as layered tables.  Table 1 has a record that references actual data in another table.  The data in Table 1 is a numeric reference to the data in Table 2.  I need to be able to get the referenced data from Table 2 based on the identifier in Table 1. 
       Hopefully this makes some sense.  I am on a very short deadline having spent the majority of the weekend trying to figure this out. 
       Any help would be greatly appreciated!!
    Thank you,
    Martin

    The join is in place.  The problem is that I can't get just the data for the record I want.  I think I need to provide more information here...
    diaryentries.did is linked to TNTEntry.did and medsentry.did and painentry.did
    for diaryentries.MID i want to get the related medsentry.medication and the painentry.painlevel and the TNTentry."treatmenttype"  but treatmenttype is a numeric value that is defined in the dropdown_items table.  This table is used for many drop down menus.  I need to be able to extract the corrosponding data to my TNTentry table based on the MID. 
    The TNTEntry table is linked to the dropdown_items table by TNTEntry.DID -> dropdown_items.dd_id.  The dropdown_items table then has several rows that basically translate the various items to different languages.  If I put dropdown_items.english in my report, I seem to get each and every possible entry in the dropdown_items table as opposed to only those entries that corrospond to the MID from diaryentries.

  • Need help with recording level!

    Hi,
    I am writing a tune on Garage Band. I have recorded several tracks. A few with hardware, a few with soft synths. I find I cannot adjust the recording level with the slider now (soft synth parts only). It seriously needs to be reduced, otherwise it sounds terrible. The slider simply wont move. Something must be wrong. Any ideas?
    HELP!

    Ratty, at some point you must have set a point on the volume curve by accident, that and/or setting a pan curve point are the only two things that will disable the volume (and pan) controls)
    Good to hear the issue is no longer a problem. Have Fun --Hang B-)>

  • Need help Updating Records in a Report Region

    We have created some javascript to check a drop down used in a report region.
    This is the way the report is supposed to work:
    The first time the user comes to this screen he will go down the list and select a value of '1' or '2' for col2.
    When col2 drop down has a value of 1 then we want to disable col3 and col4.
    Then the user will click on the Submit button.
    When he clicks on the Submit button then we want to set col4 to have a value of sysdate in the database table for any record where col2 had a value of 1.
    The next time the user comes to this screen he will select values for col3 and col4 of the records that col2 had a value of 2 (meaning col3 and col4 are enabled)
    This works fine if there is only one record in the report region.
    The problem is when we have more than one record.
    for example:
    Say we have two records...
    for record1 the user selects '1' for col2 and for record2 the user selects '2' for col2.
    When the user clicks on the Submit button col3 and col4 get disabled and col4 gets set to sysdate for record1, while col3 and col4 remain available but empty (because the user has not made a selection for these columns at this point) for record2.
    When the user comes back to this screen he now selects a value for col3 and picks a date for col4 for record2. When he clicks on the Submit button the value for col3 and the date entered in col4 for record2 should get updated in the database table and it is but the col3 value and the col4 date is being inverted with record1's data for some reason.
    Can you please tell me how to fix this?
    This is what the user has selected on the screen:
    (COL2) (COL3) (COL4)
    Requested? Granted? Response Date
    Record1 NO - 13-APR-09
    Record2 YES YES 20-APR-09
    After the user clicks on the Submit button this is how the screen displays it back:
    (COL2) (COL3) (COL4)
    Requested? Granted? Response Date
    Record1 NO YES 20-APR-09
    Record2 YES N/A 13-APR-09
    I am including the code from my update staement below:
    DECLARE
    A_ID NUMBER;
    requested NUMBER;
    grnted NUMBER;
    respdate DATE;
    f01 = AID ID
    f02 = REQUESTED YES OR NO
    F03 = GRANTED YES OR NO
    F04 = RESPONSE DATE
    BEGIN
    FOR i IN 1..HTMLDB_APPLICATION.G_F01.COUNT LOOP
    BEGIN
    A_ID      := HTMLDB_APPLICATION.G_F01(i); -- this is hidden
    requested := HTMLDB_APPLICATION.G_F02(i); -- (YES or NO)
    grnted := HTMLDB_APPLICATION.G_F03(i); -- (YES or NO)
    respdate := to_date(HTMLDB_APPLICATION.G_F04(i),'MM/DD/YYYY');
    EXCEPTION
    WHEN OTHERS THEN
    A_ID      := HTMLDB_APPLICATION.G_F01(i); -- this is hidden
    requested := HTMLDB_APPLICATION.G_F02(i); -- (YES or NO)
    grnted := 3; -- (YES or NO)
    respdate := sysdate;
    END;
    UPDATE TBL_AIT
    SET b_requested_id = requested,
    b_granted_id = grnted,
    b_response_date = respdate
    WHERE ait_id = A_ID;
    END LOOP;
    END;

    Hi,
    Any disabled items are not submitted with the page - therefore, your f03 and f04 collections would be one value short. This is a browser feature rather than an Apex feature.
    You can get around this by enabling all items before the submit takes place. Have a look at: Re: A better method of handling tabular forms with variable column type? This is for disabling items mainly, but includes an enableItems() javascript function that should help you.
    Andy

  • Need help accessing file on LSMW.

    Hi,
    I want to run an LSMW for direct input program RM06EEI0. This requires a logical file path. When I go to FILE transaction there is a TMP logical file path. The physical path assigned to this is <P=DIR_TEMP>\<FILENAME>.
    Can I use this in my LSMW, and if so then please explain how.
    Regards,
    Warren.

    hi, path in FILE is the folder in  Application Server, not for your local PC.
    in LSMW, if you want to use a local file, not need to search in FILE, just set folder in LSMW specify file step.

  • Need help: Flex  record webcam problem, how to setting Brightness,Contrast,Saturation and Sharpness

    Hello, dear all
    Please help me!
    Flex  record webcam problem, how to setting Brightness,Contrast,Saturation and Sharpness?
    nsOutGoing=new NetStream(nc);
    nsOutGoing.attachCamera(m_camera);
    nsOutGoing.publish(filename, "record");
    I want to control the Brightness,Contrast,Saturation and Sharpness for the recorded flv file.
    At present, I only can control the videodisplay object, but I can not able to control Camera.
    Thanks very much!!
    kimi
    MSN: [email protected]

    Can I change a Video object to to Camera object, If yes, How do??
    nsOutGoing.attachCamera(video as Camera);// it does not work rightly
    thanks

  • Need help for record/table type

    Hi, All,
    I have a table below and I need to use a procedure/function to return a list of values out and use anther procedure (array with multiple values in) to update the database. Could someone please give some examples?
    Here are my questions:
    1.     I need to create a user_defined_type to hold the list of info (array like, with more fields). Does the table type with %rowtype do that? If not, Could you please give an example?
    2.     if I do
    SELECT * INTO V_test(1) FROM PREO_profile
    where user_id = '1';
    can the 3 records of user_id 1 all be selected in the V_test table? If not, could you please tell me what to do?
    Thanks a lot.
    PREO_profile:
    User_id     N_id          M_id
    1      11 111
    1      22 222
    1      33 333
    2      11 111
    2      22 222
    2      33 333
    CREATE OR REPLACE PROCEDURE test_updatePro
    (user_id in varchar2,
    profile_info out T_Test)AS
    Type T_Test is table of PREO_profile%rowtype
    index by binary_integer;
    V_test T_Test;
    BEGIN
         SELECT * INTO V_test(1) FROM PREO_profile
         where user_id = '1';
    END;

    Here is one approach. This works in 9iR2. It's worth noting this functionality is evolving quite fast. Consequently, stuff that works in 9.2 may well not work in 9.0.1 and can probably be done much neater in 10g.
    Let's start by creating some tables....
    SQL> CREATE TABLE preo (user_id NUMBER, m_id NUMBER, n_id NUMBER);
    Table created.
    SQL> INSERT INTO preo VALUES (1, 11, 111);
    1 row created.
    SQL> INSERT INTO preo VALUES (1, 22, 222);
    1 row created.
    SQL> INSERT INTO preo VALUES (1, 33, 333);
    1 row created.
    SQL> INSERT INTO preo VALUES (2, 11, 111);
    1 row created.
    SQL> INSERT INTO preo VALUES (2, 22, 222);
    1 row created.
    SQL> INSERT INTO preo VALUES (2, 33, 333);
    1 row created.
    SQL> CREATE TABLE neo_preo AS SELECT * FROM preo WHERE 1=0;
    Table created.
    SQL> We'll need some types we need for communicating between processes....
    SQL> CREATE OR REPLACE TYPE preo_t AS OBJECT (u_id NUMBER, n_id NUMBER, m_id NUMBER);
      2  /
    Type created.
    SQL> CREATE OR REPLACE TYPE preo_nt IS TABLE OF preo_t;
      2  /
    Type created.
    SQL> Here are methods to populate an array (actually a nested table)....
    SQL> CREATE OR REPLACE FUNCTION get_preo (p_uid IN NUMBER) RETURN preo_nt
      2  AS
      3    return_value preo_nt := preo_nt();
      4  BEGIN
      5    SELECT preo_t(user_id, n_id, m_id)
      6    BULK COLLECT INTO return_value
      7    FROM   preo
      8    WHERE  user_id = p_uid;
      9    RETURN return_value;
    10  END;
    11  /
    Function created.
    SQL>... and consume that array....
    SQL> CREATE OR REPLACE PROCEDURE ins_neo_preo (p_newrows IN preo_nt)
      2  AS
      3  BEGIN
      4     INSERT INTO neo_preo
      5     SELECT * FROM TABLE(CAST(p_newrows AS preo_nt));
      6  END;
      7  /
    Procedure created.
    SQL> So now we're ready to rock!
    SQL> DECLARE
      2      nt  preo_nt;
      3  BEGIN
      4      nt := get_preo(1);
      5      ins_neo_preo(nt);
      6  END;
      7  /
    PL/SQL procedure successfully completed.
    SQL>
    SQL> SELECT * FROM neo_preo
      2  /
       USER_ID       M_ID       N_ID
             1        111         11
             1        222         22
             1        333         33
    SQL> A little bit of limbo, a little bit of samba!
    Cheers, APC

  • Need Help with "recording" audio to ADAT.

    This is what I'm working with. Logic 9 to Saffire Pro 14 interface to Alesis ADAT 24.
    I want to "record" audio to the adat. I want to have three tracks in a single song on the ADAT, lines 1,2,3. I have outputs 1,2,3 fromt the interface running to ADAT inputs 1,2,3.
    In logic I have the tracks outputs set to mono 1,2,3. the ADAT is picking up all three tracks (all three meters are showing life). However, I am getting no sound out of output 3 (and therefore it is not recording into the ADAT) and I believe that 1 and 2 are coming in as stereo. Anybody know what I am doing wrong? I need this to run our tracks live for our show tomorrow and am having the worst luck!
    (p.s. the interface only has four outputs.)

    The Saffire comes with a software applet (setup program) doesn't it. Maybe you have to set up the 4 individual outs there, it may be set to send only stereo out.

  • Need Help! Recording to External Drive

    I use MBox into Pro Tools Le 7.1.1 on my MBP and had some issues with Buffer Size where my recordings would stop on both record and playback telling me USB is withholding...change buffer size. I was told by the audio guys at Guitar Center that recording to the internal hard drive is just not good for audio recording and this is why I'm having that problem. So I plugged in my external drive (80 gb USB) and selected it when I was setting up a new Pro Tools Session. I then got a message saying something like "please select a drive where you can record audio." How can I record audio onto my external drive instead of my internal drive? Do I have to format the drive in a specific way? Any help is appreciated!
    Thanks-
    J

    Hi Jay,
    First, launch Protools and then the workspace browser within PT. If you look next to the icon of your new exernal drive, in one of the columns you will see either a "T", or an "R", or maybe a "P". ( I'm not at my system and am drawing a brain spasm at the moment.) At any rate, if the letter is anything other than an "R", click on it and you should be able to select the option to make that drive a recordable volume. Now when you go to create a new session you should be able to put it on your external drive. Give it a shot and let me know.
    Tommy

  • Need help: updating records from a node to another node.

    Hi Gurus,
    I guess most of you would be laughing at me but I'll not from Java background but.
    scenario:
    I have a node (eg. Node A) containing some records, say...with keys A,B,C,D,E.
    I also having anothe node (eg Node B) containing the update records of some of the Keys, eg. A,D,E
    How do I update node A with the updated values of node B.
    a ABAP representation would be:
    LOOP AT NODE_B.
      LOOP AT NODE_A.
        IF NODE_A-KEY = NODE_B-KEY.
          MOVE-CORRESPONDING NODE_B to NODE_A.
          MODIFY NODE_A.
        ENDIF.
      ENDLOOP.
    ENDLOOP.
    thanks.

    Hi Jansen,
    Are you using model node or value? If it is model node you need store in Node B just reference to model class from Node B. If it is value node then you can store keys of elements from Node A moved to Node B in some java Map implementation.
    Best regards, Maksim Rashchynski.

  • Help with records.

    Im nw to java and I need help with records. Can you please tell me how to make a record called car, store the make and model and display them like the structure chart below( yes its a structure chart).
    ================ main =========
    =============== / === \ ========
    ============= / ======= \ ======
    =========== / ========== \ =====
    ========= get car ======= display =
    ========= record ===============
    ======== / ===== \ ==============
    ======= / ======= \ =============
    ====== / ========= \ ============
    === get car ======= get car ========
    === make ======== model ========
    ==============================

    welcome to world of java...
    here is a skeleton structure of what you want..
    class myCar{
    public static void main(String args[]){
    myCar car = new myCar();
    car.displayCar();
    System.out.println(getCarRecord());
    void displayCar(){
    // display your car image here
    String getCarMake(){
    // returns String containing make of car
    String getCarModel(){
    // returns String containing model of car
    String getCarRecord(){
    return getCarMake() + " " +getCarMake();
    maybe this helps

Maybe you are looking for

  • Can I use a gift card to make a purchase on iTunes on my iPod?

    I can't access iTunes store on my windows 7 pc since the last iTunes update and I'd like to make a purchase with a gift card. Can I do this on my iPod touch?

  • Embed with full screen

    Hi, i will try to sum this up... what i need help with is embedding with full screen, how do i do that? like for ins-tents a youtube video, now i know they don't have any "full screen" button on their video as you embed it, but i want to make a costu

  • Finder message: serial port in use by another application

    After giving a print command, I had a power outage with my application open. The computer tells me I cannot print my document because the serial port is in use by another application. I have opened and closed each application to no avail. The printer

  • How to stream JPG Images?

    Hello, I am looking to stream jpg images from a program my friend made. The format he sends is 4 bytes header then the jpg image, and I would prefer not to change this if I don't have to. I have created some code to do this, but I am unable to get to

  • Can anyone offer info on why/how to upload raw files from Nikon D610 to latest version of aperture?

    I just upgraded to the latest operating system AND Aperture software program so I could import raw files from the Nikon D610, but the files are still being imported as unsupported image format.  Is there a setting that I need to set to get this to wo