BPM - Remove container from multiline container??

Hi all,
i can append a container object to a same type multiline container object.
Is it possible to remove a container object from  a same type multiline container object?
If yes, how?
Thanks

Not possible in standard.
One option would be to use a Block and then for each of the container element decide if another container operatin to a new Container Element should be done.
This way you will segeregate the Container Elements you want into a new MultiLine Container Element.
Regards
Bhavesh

Similar Messages

  • How to send message from multiline container to same webservice or bus. sys

    Hi All,
    I want to send message from multiline container to a syn web service sequentially.
    I am getting that multiline container after a transformations step (1: n mapping).
    where i dont known what will be the value for n (number of message in multiline container). This will vary; depend upon input message to BPM.
    Scenario is like this.
    1. Receive step
    2. Transfromation to 1: n
    3. Want to send message from multiline container to a web service (business service),default loop and block step doesn’t give desirable result.
    any help will be appreciable
    Regards,
    Adish

    Adish Jain wrote:>
    > where as, if I will use block, it will send the same message to multiple receivers which are present in multiline receiver container. So need to think in different manner.
    Not necessarily.
    When you use block step in ForEach mode, you can select the container variable from:
    - a receiver container;
    - an interface container;
    The line element can then be either a receiver or an interface.
    The problem is that for this to work, the interfaces need to be async (since they are to be used as containers) and hence you won't be able to make your scenario work.
    But again, explain why your scenario with loop step didn't work.
    The only gap here is how to determine the number of loops (defining the counter variable value). But that can be easily solved if you include a new message with occurrence 1 as a target message of your mapping and as a container in your bpm.
    This new message needs only 1 single field, that should be filled with the number of messages you've created in the mapping (you could use count standard function, f.ex.).
    In your bpm, make sure to pass this fields value into the counter container right after your transformation step.
    Regards,
    Henrique.

  • Can't remove Contains() handler from SqlFunctionCallHandler - why?

    I'm trying to amend some Entity Framework functionality at runtime by using reflection.
    The following code snippets I've been using to get some feeling for the Entity Framework's internal functionality. Please don't ask what I'm using this for - at this stage it's just a test anyway.
    My code is supposed to remove the Contains() handler from Entity Framework, so a query like this shall fail:
    foreach (T1 a in (from x in ctx.t1
    where x.Name.Contains("Man")
    select x).DefaultIfEmpty()) if (a != null) Console.WriteLine(a.Name);
    However, I don't seem to be able to remove the Contains handler at run-time.
    Can someone please enlighten me on why this doesn't work?
    Here's the code I've been using (I've omitted as much as I could to make the code snippet small):
    using System;
    using System.Data.Entity;
    using System.Data.Entity.SqlServer;
    using System.Diagnostics;
    using System.Linq;
    using System.Reflection;
    using System.Reflection.Emit;
    namespace EF_Contains_Override
    internal class Program
    static private void removeContains()
    Type type = Assembly.GetAssembly(typeof(SqlFunctions)).GetType("System.Data.Entity.SqlServer.SqlGen.SqlFunctionCallHandler");
    FieldInfo fi = type.GetField("_canonicalFunctionHandlers", BindingFlags.Static | BindingFlags.NonPublic);
    object functionHandlerList = fi.GetValue(null);
    MethodInfo method = functionHandlerList.GetType().GetMethod("get_Item", new Type[] { typeof(string) });
    object origContains = method.Invoke(functionHandlerList, new object[] { "Contains" });
    method = functionHandlerList.GetType().GetMethod("Remove", new Type[] { typeof(string) });
    Debug.Assert((bool)method.Invoke(functionHandlerList, new object[] { "Contains" }));
    static private void Main(string[] args)
    Database.SetInitializer<EFContains>(new MyInitializer());
    removeContains();
    using (EFContains ctx = new EFContains())
    foreach (T1 a in (from x in ctx.t1
    where x.Name.Contains("Man")
    select x).DefaultIfEmpty()) if (a != null) Console.WriteLine(a.Name);
    Console.WriteLine("Press any key to continue ...");
    Console.ReadKey();
    Given the following seed, the above select should throw an exception because a Contains() handler no longer exists:
    using System.Data.Entity;
    namespace EF_Contains_Override
    public class MyInitializer : DropCreateDatabaseAlways<EFContains>
    protected override void Seed(EFContains context)
    context.t1.AddRange(new[] { new T1("Hey Man"), new T1("No, woman, no cry") });
    context.SaveChanges();
    Still people out there alive using the keyboard?
    Working with SQL Server/Visual Studio/Office/Windows and their poor keyboard support they seem extinct...

    Hello BetterToday,
    With your provided code and the resource code of Entity Framework downloaded from
    here, I created a similar query with yours:
    using (DFDBEntities db = new DFDBEntities())
    var result = (from o in db.TestTables
    where o.TestName.Contains("1")
    select o).ToList();
    With the resource, the all method are called to help generate the T-SQL are:
    SqlGenerator.GenerateSql, SqlGenerator. VisitExpressionEnsureSqlStatement, SqlGenerator. VisitFilterExpression,
     and in the SqlGenerator.Visit, we see that it converts the Contains to the Like filer and then it called method is WriteSql, we can see that the static class System.Data.Entity.SqlServer.SqlGen.SqlFunctionCallHandler is not called, so it
    would does not affect query even after removing the contains method.
    After searching more, my consult is that for methods as Contains/StartWith/EndWith and some other methods could be translated to TSQL directly, this behavior are by designed.
    You could try with other method as the 'TOLOWER' as:
    static void Main(string[] args)
    try
    #region https://social.msdn.microsoft.com/Forums/en-US/82aaca54-f1cd-47d3-b97c-254ec7b3e8bf/cant-remove-contains-handler-from-sqlfunctioncallhandler-why?forum
    removeContains();
    using (DFDBEntities db = new DFDBEntities())
    var result = (from o in db.TestTables
    where o.TestName.ToLower() == "1"
    select o).ToList();
    #endregion
    catch (Exception)
    static private void removeContains()
    Type type = Assembly.GetAssembly(typeof(SqlFunctions)).GetType("System.Data.Entity.SqlServer.SqlGen.SqlFunctionCallHandler");
    FieldInfo fi = type.GetField("_canonicalFunctionHandlers", BindingFlags.Static | BindingFlags.NonPublic);
    object functionHandlerList = fi.GetValue(null);
    MethodInfo method = functionHandlerList.GetType().GetMethod("get_Item", new Type[] { typeof(string) });
    object origContains = method.Invoke(functionHandlerList, new object[] { "ToLower" });
    method = functionHandlerList.GetType().GetMethod("Remove", new Type[] { typeof(string) });
    Debug.Assert((bool)method.Invoke(functionHandlerList, new object[] { "ToLower" }));
    It would throw an which says “{"'TOLOWER' is not a recognized built-in function name."}” I think it is you except.
    Regards.
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Passing values from multiline container

    Hello Gurus,
    I am new to workflow and I have a requirement wherein I have a multiline container element (DiscDocStatus of type EDISCDOC-STATUS) filled with the status values.
    If all the values in container DiscDocStatus are 10 or 11, then I need to execute certain steps (step A and step B) and if any other value than 10 or 11, then I have to wait for 10 days and then do step A and step B.
    Could you please how to do it?
    P.S. I know...I am asking tooo silly thing...but do not have any option but to ask...apologies....
    Thanks

    Hi..
    In that case you can try as below & i checked the same. it works for me..
    1. Create a block step in your workflow... In local container tab of block step create a single value container element which has
    data type as line type of your multiline container...
    Say for eg: your multiline container has datatype as (char10) with multiline checkbox enabled then create this container element in
    local container tab with datatype as (char10) without multiline checkbox (ideally you can compare multiline container as internal table
    and this single line container as workarea)..
    2. In control tab of block step do the binding from multiline container to single line container. Leave the Block type dropdown in control tab as standard.
    3. Put a condition step within block with condition as single line container NE 10 and NE 11. (So in case the multiline element has even a single value which is not 10 or 11 then workflow control will enter this condition). Place a container step in outcome True of condition step to set a flag variable as X (Note: Create this flag variable in workflow container)
    4. Now outside the block again put a condition step which checks whether this flag variable is set as 'X' (if it has value X then it means that multiline container has atleast 1 value other than 10 & 11. If not it means all values are either 10 or 11). So If flag is X you have to wait for 10 days and then do step A and step B. If not you can execute steps A & B. For waiting for 10 days you can go for requested start deadline which will send the workitem to the inbox of approver only if the mentioned time period/deadline (in your case - 10 days) expires.
    Let me know in case of any issues.
    Regards,
    Bharath

  • Facing problem with the code for sending an .xls attachment via email, a field value contains leading zeros but excel automatically removes these from display i.e. (00444 with be displayed as 444).kindly guide .

    Facing problem with the code for sending an .xls attachment via email, a field value contains leading zeros but excel automatically removes these from display i.e. (00444 with be displayed as 444).kindly guide .

    Hi Chhayank,
    the problem is not the exported xls. If you have a look inside with Notepad or something like that, you will see that your leading zeros are exported correct.Excel-settings occurs this problem, it is all about how to open the document. If you use the import-assistant you will have no problems because there are options available how to handle the different columns.
    Another solution might be to get familiar with ABAP2XLS-Project. I got in my mind, that there is a method implemented, that will help you solving this problem. But that is not a five minute job
    ~Florian

  • BPM Alert Container Elements Not Filled

    Hi All,
    Another problem i am facing when i am raising alert from BPM.
    In inbox i see alert message being raised but with no text.
    I have also subscribed to email alerts.
    In the email the subject is Process 000000008058
    and the content is the first alphabet of the AlertMessage container element.
    Ex : In BPM my container element is AlertMessage and the message assigned is <i>Error</i> . Then in email message i only get E. where as in alert inbox i get nothing.
    ps : im using XI 7.0 SP 9. there are no notes which are applicable for this release.
    Regards,
    Rahul
    Message was edited by:
            Rahul Jain

    Hi Bhavesh,
    <i>>When you select Dynamic text in the Alert category, the Container tab will no longer be available in ALRTCATDEF for your Alet Category.!</i>
    the container tab is available but the Long& Short text tab is disabled.
    I did not mean that..
    What i meant was see next to the Properties tab in Alert Category defination there is a Container tab where we define our own container elements.
    Do i need to define the names there..or i can directly use in the BPM?
    Regards,
    Rahul
    Message was edited by:
            Rahul Jain

  • [Forum FAQ] How to remove div characters from multiline textbox field in SharePoint 2013

    Scenario:
    Need to avoid the div tags and get data alone from multiline textbox field using JavaScript Client Object Model in SharePoint 2013.
    Solution:
    We can use a regular expression to achieve it.
    The steps in detail as follows:
    1. Insert a Script Editor Web Part into the page.
    2. This is the complete code, add it into the Script Editor Web Part and save.
    <script type="text/javascript">
    ExecuteOrDelayUntilScriptLoaded(retrieveListItems, "sp.js");
    function retrieveListItems() {
    // Create an instance of the current context to return context information
    var clientContext = new SP.ClientContext.get_current();
    //Returns the list with the specified title from the collection
    var oList = clientContext.get_web().get_lists().getByTitle('CustomListName');
    //use CAML to query the top 10 items
    var camlQuery = new SP.CamlQuery();
    //Sets value that specifies the XML schema that defines the list view
    camlQuery.set_viewXml('<View><RowLimit>10</RowLimit></View>');
    //Returns a collection of items from the list based on the specified query
    this.collListItem = oList.getItems(camlQuery);
    clientContext.load(this.collListItem, 'Include(Title,MultipleText)');
    clientContext.executeQueryAsync(Function.createDelegate(this, this.onQuerySucceeded), Function.createDelegate(this, this.onQueryFailed));
    function onQuerySucceeded() {
    //Returns an enumerator to iterate through the collection
    var listItemEnumerator = this.collListItem.getEnumerator();
    //Remove div tag use a regular expression
    var reg1 = new RegExp("<div class=\"ExternalClass[0-9A-F]+\">[^<]*", "");
    var reg2 = new RegExp("</div>$", "");
    //Advances the enumerator to the next element of the collection
    while (listItemEnumerator.moveNext()) {
    //Gets the current element in the collection
    var oListItem = listItemEnumerator.get_current();
    alert(oListItem.get_item('MultipleText').replace(reg1, "").replace(reg2, ""));
    function onQueryFailed(sender, args) {
    alert('Request failed. ' + args.get_message() + '\n' + args.get_stackTrace());
    </script>
    Result:<o:p></o:p>
    References:
    http://www.w3schools.com/jsref/jsref_obj_regexp.asp
    Please click to vote if the post helps you. This can be beneficial to other community members reading the thread.

    Nice article :)
    If this helped you resolve your issue, please mark it Answered

  • Most efficient way to delete "removed" photos from hard disk?

    Hello everyone! Glad to have this great community to come to for help. I searched for this question but came up with no hits. If it's already been discussed, I apologize and would love to be directed to the link.
    My wife and I have been using LR for a long time. We're currently on version 4. Unfortunately, she's not as tech-savvy or meticulous as I am, and she has been unknowingly "Removing" photos from the LR catalogues when she really meant to delete them from the hard disk. That means we have hundreds of unwanted raw photo files floating around in our computer and no way to pick them out from the ones we want! As a very organized and space-conscious person, I can't stand the thought. So my question is, what is the most efficient way to permanently delete these unwanted photos from the hard disk
    I did fine one suggestion that said to synchronize the parent folder with their respective catalogues, select all the photos in "Previous Import," and delete those, since they will be all of the photos that were previously removed from the catalogue.
    This is a great suggestion, but it probably wouldn't work for all of my catalogues since my file structure is organized by date (the default setting for LR). So, two catalogues will share the same "parent folder" in the sense that they both have photos from May 2013, but if I synchronize May 2013 with one, then it will get all the duds PLUS the photos that belong in the other catalogue.
    Does anyone have any suggestions? I know there's probably not an easy fix, and I'm willing to put in some time. I just want to know if there is a solution and make sure I'm working as efficiently as possible.
    Thank you!
    Kenneth

    I have to agree with the comment about multiple catalogs referring to images that are mixed in together... and the added difficulty that may have brought here.
    My suggestions (assuming you are prepared to combine the current catalogs into one)
    in each catalog, put a distinctive keyword onto all the images so that you can later discriminate these images as to which particular catalog they were formerly in (just in case this is useful information later)
    as John suggests, use File / "Import from Catalog" to bring all LR images together into one catalog.
    then in order to separate out the image files that ARE imported to LR, from those which either never were / have been removed, I would duplicate just the imported ones, to an entirely separate and dedicated disk location. This may require the temporary use of an external drive, with enough space for everything.
    to do this, highlight all the images in the whole catalog, then use File / "Export as Catalog" selecting the option "include negatives". Provide a filename and location for the catalog inside your chosen new saving location. All the image files that are imported to the catalog will be selectively copied into this same location alongside the new catalog. The same relative arrangement of subfolders will be created there, for them all to live inside, as is seen currently. But image files that do not feature in LR currently, will be left behind by this operation.
    your new catalog is now functional, referring to the copied image files. Making sure you have a full backup first, you can start deleting image files from the original location, that you believe to be unwanted. You can do this safe in the knowledge that anything LR is actively relying on, has already been duplicated elsewhere. So you can be quite aggressive at this, only watching out for image files that are required for other purposes (than as master data for Lightroom) - e.g., the exported JPG files you may have made.
    IMO it is a good idea to practice a full separation of image files used in your LR image library, from all other image files. This separation means you know where it is safe to manage images freely using the OS, vs where (what I think of as the LR-managed storage area) you need to bear LR's requirements constantly in mind. Better for discrete backup, too.
    In due course, as required, the copied image files plus catalog can be moved bodily to another drive (for example, if they have been temporarily put on an external drive, and you want to store them on your main internal one again). This then just requires a single re-browsing of their parent folder's location, in order to correct LR's records inside this catalog, as to the image files' changed addresses.
    If you don't want to combine the catalogs into one, a similar set of operations as above, can be carried out for each separate catalog you have now. This will create a separate folder structure in each case, containing just those duplicated image files. Once this has been done for all catalogs, you can start to clean up the present image files location. IMO this is very much the laborious and inflexible option, so far as future management of the total body of images is concerned... though there may still be some overriding reason for working that way.
    RP

  • ICloud - I want to have songs on my Mac and remove them from the cloud. How do I do this?

    My iTunes match account has the maximum (25,000?) songs in it. It was created before I had the 25.168 songs that I now have in my iTunes local library.
    I'd like to add songs to some playlists, but I cannot because "iCloud playlists can only contain songs from your iCloud music library."
    How can I add these songs to my iCloud music library? Do I have to remove songs from iCloud before I upload new ones? If so, how do I do that without deleting the songs from my local machine?
    I have plenty of songs that I don't need to exist on iCloud, but I still want them on my local machine.
    Thanks

    Okay then...
    ...no help. Thanks anyway.

  • How do I put photos in an album and remove them from the camera roll?

    I would like to be able to move photos into an album and remove them from the camera roll. Is this possible?
    I take many photos of mundane things that I simply want to remember, such as serial number of products. I would like to save these photos for viewing, but I don't want them to appear in my camera roll, where I have to continuously scroll through many such photos to get to the ones that I want to view there.
    I know that Apple has a "hide" feature, but it doesn't actually do anything. When I press-and-hold on individual photos, the photos stay in the camera roll: they aren't hidden at all. It's not clear what the purpose of this function is at all.

    You don't do this, as the photos are in the camera roll.  That is where they live.  When you make an album you are simply making a list of pointer to your photos in camera roll.
    If you remove them from the camera roll, then they are gone. 
    Photos in albums are not in two places.  They are in only one place, the camera roll.  The album merely contains pointers to those pics, so that you can categorize them however you like.
    You should be importing these pics to your computer.  I find it far easier to organize my photos on my computer, then sync them to the iPhone.

  • How do I select a control based on another control's selection and how do I remove enumerations from a control?

    Hi everyone,
    I have a question and I *think* the answer may be the new active controls, so here goes:  I have a control which contains a variety of enumerated items - essentially a typedef enum.  I may have up to several dozen items in this control, like this:
    Position - 1
    Current - 2
    Pressure - 3
    Temperature - 4
    Duty Cycle - 5, etc.
    I also have a 2nd control (actually a set of controls) that refer to the indices of the above control.  For example, if I "Position" chosen, I wish the 2nd control to appear that refers to position - an enumeration with "X axis, Y axis, etc."  If I select "Temperature", I wish the 2nd control to appear that refers to temperature - a different typedef'd enum - "Inlet, Outlet, Air, Water, etc."
    How do I do this?
    Lastly, the first enum with ALL of the items, pressure, current, etc. does not need to be used.  For certain configurations, I wish to eliminate, say the 1st and 3rd item - I don't wish to just gray them out, I wish to remove them from the enumeration, WITHOUT changing their enumerated value.  Perhaps I need to write the resultant enum into a temporary ring enum - any ideas?
    Thanks,
    Jason

    Unfortunately, you cannot edit the list of enums during runtime, only during edit mode.  You can use a ring control however.  Then you can use the Strings[] property to set the selections to whatever you want depending upon the 1st enum.  See attached vi.
    - tbob
    Inventor of the WORM Global
    Attachments:
    ChangeRing.vi ‏52 KB

  • How to remove values from a drop down menu with personalizations

    I have been unable to find any examples of removing values from a dropdown menu using forms personalizations. We have a specific responsibility that we would like to limit the actions that they can carry out on the person form. I have tried setting default values, setting the object to update_allowed = false, and have been unable to come up with a solution. The examples I have found do not show this type of personalization so I am unsure if it can be done. If anyone has done a personalization like this, please post the steps to reproduce or a link to an example. Thanks.

    DineshS wrote:
    Which dropdown menu you want to customized ?The specific menu we would like to customize is the 'Action' menu on the Person form that usually contains 'Create Employment' and so on. We have a specific recruiter responsibility that we would like to limit to 'Create Applicant'. I have been unable to come up with a combination of steps in personalizations that sets that value in the dropdown and allows it then be unchangeable. If you have any suggestions, please let me know. I would prefer not to create a custom form but without personalizations, I might have to.

  • I want to remove volumes from 'Import' - 'Select a source' list

    Hi all,
    First, I'm using the new Lightroom v4.1 on a Windows 7 x64 system.
    As the title to my question suggests, I'm trying (without success) to remove volumes from the list that's shown when a user clicks on the 'Import' button (lower left of screen) and 'Select a source' which, naturally, shows all the drives in my system.
    There are five volumes; four internal and one external.
    There are only two drives which contain photos that I'm interestered in importing/editing.
    The other drives contain files that I have no interest in editing or organizing.
    For example, several hundred (scanned and collected) very old family photos that I wish to keep pristine, with no editing of any kind. As for placing them in collections,  I already have them in dated, carefully named folders.
    So, as this is a shared computer, I want to remove the volumes (drives) so that the aforementioned photos can't be inadvertantly imported.
    Can someone please point me in the right direction how to do this?
    Thank you.
    Yours,
    Hugh

    There is nothing within Lightroom that will cause it to ignore a specific drive permanently. You'd have to go above Lightroom to the system level to prevent Lightroom from seeing the drive. Not sure how to do that, but it's probably possible.

  • Can't remove folders from Spotlight Privacy

    Hi there,
    I've never posted on here before so please bear with me
    I am running a 17" iMac with OSX10.9.5, 2.4 Ghz Intel Core 2 Duo, 4 GB 667 Mhz DDR2 SDRAM with over 100GB of free space.
    I am also using DropBox to sync my files with a co-worker.
    The problem: A few months ago I got access to a new database on DropBox. I didn't use it often so I added the folders to my Spotlight Privacy list but then unsynced the DropBox folder from my computer. Now I have RE-synced the original folders and have tried NUMEROUS times to remove them from the list. They disappear briefly to only reappear a few seconds later.
    I need to be able to search these folders again so this is very frustrating at the moment.
    I have tried dragging in the same folders and then removing them. I have tried dragging my hard drive into the privacy and then removing prompting the spotlight to index the computer but that doesn't seem to be working either. I tried the command sudo rm -rf /.Spotlight-V100/* in Terminal, but again. They still reappear.
    Any help would be GREATLY appreciated! Thanks so much in advance!
    https://www.pinterest.com/pin/create/extension/

    Do a backup.
    Quit the application.
    Go to Finder and select your user/home folder. With that Finder window as the front window, either select Finder/View/Show View options or go command - J.  When the View options opens, check ’Show Library Folder’. That should make your user library folder visible in your user/home folder.  Select Library. Then go to Preferences/com.apple.spotlight.plist. Move the .plist to your desktop.
    Restart, open the application and test. If it works okay, delete the plist from the desktop.
    If the application is the same, return the .plist to where you got it from, overwriting the newer one.
    Thanks to leonie for some information contained in this.

  • Firefox will not open at all. I tried to remove it from the programs to try to reinstall it but it wont let me remove it. So I tried to download again anyways and ff still wont open. My email is alicia@*****

    Firefox will not open at all. I tried to remove it from the programs to try to reinstall it but it wont let me remove it. So I tried to download again anyways and ff still wont open. My email is alicia@****

    Did you check your security software (firewall)?
    A possible cause is security software (firewall) that blocks or restricts Firefox without informing you about that, possibly after detecting changes (update) to the Firefox program.
    Remove all rules for Firefox from the permissions list in the firewall and let your firewall ask again for permission to get full unrestricted access to internet for Firefox and the plugin-container process.
    See [[Server not found]] and [[Firewalls]] and http://kb.mozillazine.org/Firewalls
    If necessary then also see:
    * http://kb.mozillazine.org/Browser_will_not_start_up
    * http://kb.mozillazine.org/Error_loading_websites

Maybe you are looking for

  • Iphoto won't open due to a problem.

    Iphoto won't open because of a problem.  The box says 'check with the developer to make sure iphoto works with this version of Mac OS X.  You may need to reinstall the application.  Be sure to install any available updates for the application and Mac

  • Can't Remove File Path from my Finder Toolbar

    My brother put file path on my computer by going into the Terminal app. and typing something like: killa apps But I don't like it, so I want it gone please help.

  • How can I read something from keyboard using i/o operations?

    I wrote the following code in java using *"oracle Jdeveloper 11g release 2"* platform and i think it's correct, but I have a little problem when I try to execute him, it asks me to introduce a number, and this it's correct, but I don't know how to in

  • How to Convert an existing window into an HTML page

    Hi, I am trying to convert a window into an HTML page using Forte Web Enterprise. - The window has just the widgets without any code behind it. - How can I use the WindowConverter class, WindowToDocument method for it etc..... Any suggestions? Can I

  • Is it possible to enter multiple records in Infotype.

    Hi,     I am having doubt regarding entering multiple values in infotypes for HR-ABAP. Is there any way to enter multiple records in a infotype, As compared to ABAP, By using table maintence generator we can enter mutiple records in the form of table