Sequence Contains No Elements

Hi Experts,
I am new to SAP BPC and is in the process of self learning.
I have created dimensions and a new model. Now I want to fill some master data from flat file to one of the dimensions. For this purpose I am opening the excel add-in and then trying to connect to my newly created model. But it is giving error "Sequence contains no elements". However I am able to connect to the standard models already existing in the system. Please help.
Regards,
Arun.

Hi Firoz,
Even I got the same issue. your solution solved my issue but
What is the need of dummy members here ?
cant we create with out dummy members ?

Similar Messages

  • Sequence contains more than one element error in MVC 5

    I created some models, added the migration and then did an update database operation, though at my last update database operation I got the error message saying:
        Sequence contains more than one element
    Below you can find my migration configuration:
            context.Categories.AddOrUpdate(p => p.CategoryName,
                new Category
                    CategoryName = "Sport"
                new Category
                    CategoryName = "Music"
            context.Subcategories.AddOrUpdate(p => p.SubcategoryName,
                new Subcategory
                    SubcategoryName = "Football"
                new Subcategory
                    SubcategoryName = "Basketball"
                new Subcategory
                    SubcategoryName = "Piano"
                new Subcategory
                    SubcategoryName = "Violin"
            context.Services.AddOrUpdate(p => p.ServiceType,
                new Service
                    ServiceType = "Football player",
                    Category = { CategoryName = "Sport" },
                    Subcategory = { SubcategoryName = "Football" }
                new Service 
                    ServiceType = "Piano lessons",
                    Category = { CategoryName = "Music" },
                    Subcategory = { SubcategoryName = "Piano" }
    The problem occurs with when I add new Services. I already have categories and subcategories, and if I do like Category = new Category { CategoryName = "Music" } then it works but I get Music entry twice in my database (for this example). I want to
    use the already added categories and subcategories. Below also you can find my models definitions.
    public class Category
        [Key]
        public int CategoryID { get; set; }
        public string CategoryName { get; set; }
    // Subcategory is defined the same way...
    public class Service
        public int ServiceID { get; set; }
        public string ServiceType { get; set; }
        public virtual Category Category { get; set; }
        public virtual Subcategory Subcategory { get; set; }
    }

    After reading the article in the link that you have provided, I did the following changes in my models, and created controllers for each of them using Entity Framework, then I created a migration and named it InitialServices. Afterwards, I added a few
    entries in my Configuration.cs file and when I typed Update-Database, I got an error message in package manager saying "RenameIndexOperation", which is marked with red. Below you can find my changed models and my Configuration.cs file, along with the migration
    file created automatically.
    Category.cs:
        public class Category
            [Key]
            public int CategoryID { get; set; }
            public string CategoryName { get; set; }
            public virtual ICollection<Subcategory> Subcategories { get; set; }
    Subcategory.cs:
        public class Subcategory
            [Key]
            public int SubcategoryID { get; set; }
            public string SubcategoryName { get; set; }
            [ForeignKey("Category")]
            public int CategoryID { get; set; }
            public virtual Category Category { get; set; }
            public virtual ICollection<Service> Services { get; set; }
    Service.cs:
        public class Service
            [Key]
            public int ServiceID { get; set; }
            [Required]
            [Display(Name="Service type")]
            public string ServiceType { get; set; }
            [ForeignKey("Subcategory")]
            public int SubcategoryID { get; set; }
            public int Count { get; set; }
            public virtual Subcategory Subcategory { get; set; }
    _InitialServices.cs:
        public partial class InitialServices : DbMigration
            public override void Up()
                DropForeignKey("dbo.Services", "Category_CategoryID", "dbo.Categories");
                DropIndex("dbo.Services", new[] { "Category_CategoryID" });
                RenameColumn(table: "dbo.Services", name: "Subcategory_SubcategoryID", newName: "SubcategoryID");
                RenameIndex(table: "dbo.Services", name: "IX_Subcategory_SubcategoryID", newName: "IX_SubcategoryID");
                AddColumn("dbo.Subcategories", "CategoryID", c => c.Int(nullable: false));
                CreateIndex("dbo.Subcategories", "CategoryID");
                AddForeignKey("dbo.Subcategories", "CategoryID", "dbo.Categories", "CategoryID", cascadeDelete: true);
                DropColumn("dbo.Services", "Category_CategoryID");
            public override void Down()
                AddColumn("dbo.Services", "Category_CategoryID", c => c.Int(nullable: false));
                DropForeignKey("dbo.Subcategories", "CategoryID", "dbo.Categories");
                DropIndex("dbo.Subcategories", new[] { "CategoryID" });
                DropColumn("dbo.Subcategories", "CategoryID");
                RenameIndex(table: "dbo.Services", name: "IX_SubcategoryID", newName: "IX_Subcategory_SubcategoryID");
                RenameColumn(table: "dbo.Services", name: "SubcategoryID", newName: "Subcategory_SubcategoryID");
                CreateIndex("dbo.Services", "Category_CategoryID");
                AddForeignKey("dbo.Services", "Category_CategoryID", "dbo.Categories", "CategoryID", cascadeDelete: true);
    Configuration.cs:
    protected override void Seed(Workfly.Models.ApplicationDbContext context)
                var categories = new List<Category>
                    new Category { CategoryName = "Sport" },
                    new Category { CategoryName = "Music" }
                categories.ForEach(c => context.Categories.AddOrUpdate(p => p.CategoryName, c));
                context.SaveChanges();
                var subcategories = new List<Subcategory>
                    new Subcategory { SubcategoryName = "Football", CategoryID = categories.Single(c => c.CategoryName == "Sport").CategoryID },
                    new Subcategory { SubcategoryName = "Basketball", CategoryID = categories.Single(c => c.CategoryName == "Sport").CategoryID },
                    new Subcategory { SubcategoryName = "Piano", CategoryID = categories.Single(c => c.CategoryName == "Music").CategoryID },
                    new Subcategory { SubcategoryName = "Violin", CategoryID = categories.Single(c => c.CategoryName == "Music").CategoryID }
                foreach (Subcategory s in subcategories)
                    var subcategoriesInDB = context.Subcategories.Where(c => c.Category.CategoryID == s.CategoryID).SingleOrDefault();
                    if (subcategoriesInDB == null)
                        context.Subcategories.Add(s);
                context.SaveChanges();
                var services = new List<Service>
                    new Service { ServiceType = "Football coach", SubcategoryID = subcategories.Single(s => s.SubcategoryName == "Football").SubcategoryID },
                    new Service { ServiceType = "Piano lessons", SubcategoryID = subcategories.Single(s => s.SubcategoryName == "Music").SubcategoryID }
                foreach (Service s in services)
                    var servicesInDB = context.Services.Where(t => t.Subcategory.SubcategoryID == s.SubcategoryID).SingleOrDefault();
                    if (servicesInDB == null)
                        context.Services.Add(s);
                context.SaveChanges();
            }

  • Sequence contains more than one matching element

    Hi
    I have checked all threads and none answers my issue.
    I am trying to drop a user and am following this blog:
    http://sanderstechnology.com/2013/login-and-user-management-in-sql-azure/12826/#.U46Hh_mSweo
    Below is a series of screen-shots of the issue. Please assist. Thanks, Mark.
    Mark

    Hello,
    Based on your descritpion, you create a SQL database with WEB edition and try to connect to the MASTER database from Windows Azure Management portal. But it is failed with "Sequence contains more than one matching element" occasionally.
    Due to the uncertainty and randomness factors, it requires higher level troubleshooting methods.I suggest you contact Windows Azure support team by creating a support ticket at 
    http://www.windowsazure.com/en-us/support/contact if you recevied this error again.
    As for drop login, it may caused by the premssion. In SQL databae, only server-level principal login (created by the provisioning process) or the credentials of an existing member of the "loginmanager" database role can manage logins. If you are not use
    a server-level principal login, please ask the adminstrator add the login to loginmanager databaserole:
    EXEC sp_addrolemember 'loginmanager', 'login-you-used';
    Reference:http://msdn.microsoft.com/en-us/library/azure/ee336235.aspx
    Regards,
    Fanny Liu
    If you have any feedback on our support, please click here. 
    Fanny Liu
    TechNet Community Support

  • Device error "sequence contains no matching element"

    Hallo,
    I just received the VirtualBench and I could use it as I connect it for the first time. I then downloaded and run the program for Window7, so that I would be able to run the program from my PC.
    Since then, I cannot work anymore more with the virtualbench. It always give the same error: device error: sequence contains no matching element.....
    What it wronf what shall I do?
    Note: I read a similar question, but it seemed that the error disppeared somehow for unexplained reason. So, there were actually no solution mentionned for this problem.
    Thanks in advance for any support.
    Solved!
    Go to Solution.

    For anybody that has this problem in the future, we'd really like to get to the root of the problem.  To help with that I have created a small utility that will pull the configurations from your device and save them to files.  These configurations appear to be corrupted in these situations.
    The easiest way to use the utility is to run it from the command line.  It will find the first USB VirtualBench on your system and save any configuration files it has to your temporary directory.  For example:
    C:\Users\User\Desktop>nivb_cfgutil.exe
    Saving files to C:\Users\User\AppData\Local\Temp\
    Connecting to device 'vbzach'
    Found config: ni-virtualbench-preferences.vbconfig
    Wrote config to file C:\Users\User\AppData\Local\Temp\ni-virtualbench-p​reference
    s.vbconfig
    Found config: test_cfg.vbconfig
    Wrote config to file C:\Users\User\AppData\Local\Temp\test_cfg.vbconfig
    Found config: test_cfg2.vbconfig
    Wrote config to file C:\Users\User\AppData\Local\Temp\test_cfg2.vbconfi​g
    It also has some options that allow  you to specify the device to connect to (either by name, IP address, or hostname), where to put the files, and whether or not to overwrite existing files on your PC.  For example:
    C:\Users\User\Desktop>nivb_cfgutil.exe --help
    Usage: nivb_cfgutil.exe [options]
    Main options:
      -h, --help
          Shows help.
      -d, --dev=device
          Device name to target.
      -o, --out=directory
          Output directory to save config files.  If not specified, the temporary di
    rectory is used.
      -w, --overwrite
          Overwrite existing files.
    What we would like is that when people run into this issue they perform the following steps:
    Attach the application preferences files:
    Open a file explorer
    In the address bar, enter this path (copy/paste can help):
    XP: %USERPROFILE%\Local Settings\Application Data\National Instruments\NI-VirtualBench
    Vista, 7, 8: %USERPROFILE%\AppData\Local\National Instruments\NI-VirtualBench
    Attach the file ni-virtualbench-preferences.vbconfig to a post here so we can inspect it.
    Run the nivb_cfgutil.exe utility attached to this post, and post any *.vbconfig files it creates to a post here so that we can inspect it.
    Once you have done that, you should be able to fix the issue by doing the following:
    Use the reset button on the back. The application also uses information stored on the PC when it starts. If the problem is there, then resetting the device alone won't help.
    NI VirtualBench Help :: Reset Button http://zone.ni.com/reference/en-XX/help/371526A-01/vbhelp/wirelessbutton/
    Launch the app.  If it works, you're done.
    If the issue was not resolved, you may also need to delete the file mentioned above.
    Open a file explorer
    In the address bar, enter this path (copy/paste can help):
    XP: %USERPROFILE%\Local Settings\Application Data\National Instruments\NI-VirtualBench
    Vista, 7, 8: %USERPROFILE%\AppData\Local\National Instruments\NI-VirtualBench
    Delete the file ni-virtualbench-preferences.vbconfig
    Zach Hindes
    NI R&D
    Attachments:
    nivb_cfgutil.zip ‏991 KB

  • Virtual bench "system error" Sequence contains no matching element

    We have a Virtual Bench that will not correctly connect. We get a pop up "System Error" and the text in the middle reads "Sequence Contains No matching element"

    Thanks :-)
    I have two requests -- please do them in this order.
    Attach the application preferences file:
    Open a file explorer
    In the address bar, enter this path (copy/paste can help):
    XP: %USERPROFILE%\Local Settings\Application Data\National Instruments\NI-VirtualBench
    Vista, 7, 8: %USERPROFILE%\AppData\Local\National Instruments\NI-VirtualBench
    Attach the file ni-virtualbench-preferences.vbconfig
    Try switching to Demo Mode after you receive the error:
    How Can I Switch between the Hardware and Demo Modes of VirtualBench?
    http://digital.ni.com/public.nsf/allkb/89A7E8A6F39D4FAA86257D3A00791312
    If the application can use Demo Mode, please let me know.
    Joe Friedchicken
    NI VirtualBench Application Software
    Get with your fellow hardware users :: [ NI's VirtualBench User Group ]
    Get with your fellow OS users :: [ NI's Linux User Group ] [ NI's OS X User Group ]
    Get with your fellow developers :: [ NI's DAQmx Base User Group ] [ NI's DDK User Group ]
    Senior Software Engineer :: Multifunction Instruments Applications Group
    Software Engineer :: Measurements RLP Group (until Mar 2014)
    Applications Engineer :: High Speed Product Group (until Sep 2008)

  • Need help badly. project file wont open. saying damaged file or may contain outdated elements. please help

    project file wont open. damaged file or contains outdated elements message. i believe its an XML error but i dont know how to fix it. please help

    As a happy user of the Matrox RT.X2 for many years, and later an equally happy user of a Matrox MXO2, I can say from experience that it is highly unlikely that this problem has anything to do with the Matrox hardware!
    Can you open a new blank project, and save it?
    If you cannot import your faulty project into a new project, can you import the sequence from your faulty project?
    Have you tried clearing the Media Cache, clearing your preferences, etc. - all among the techniques used to resurrect a Premiere Pro project that has gone bad???

  • Transfer to new PC: The project could not be loaded, it may be damaged or contain outdated elements

    The Problem
    I have transferred a large and functioning Premiere Pro project to a more powerful PC but am unable to run it, stopped by the error message "The project could not be loaded, it may be damaged or contain outdated elements".
    Facts
    The new PC has a 6-core processor and a different hard drive configuration but the operating system on both is Windows 7 and both PCs host up-to-date Premiere Pro CS6 (as part of Adobe Production Premium). The PCs are networked and Premiere Pro on the old PC can successfully load and run the project file located on the new PC, proving that the transferred file is not damaged. Also, preceding versions of the same project generate the same error message when run on the new PC except, very oddly, for earlier versions saved on or before 28 June 2011, when the project was only a fifth of its current size; those versions load correctly. Contemporary notes show that the editing carried out that day was simple timeline editing, ie no After Effects etc (that came later), and the project has worked fine then and since.
    So I don't have a damaged project file and don't know what "outdated elements" means.
    Help
    Any help solving this problem would be much appreciated.

    Hi Vinay
    As suggested I renamed the additional folder, created a new project, set 'Custom' editing mode, 'Microsoft AVI' as the preview format with 'Uncompressed' codec.
    Unfortunately the results were similar to before: On importing the original project into the new project I was sequentially asked for the locations of various files, including After Effects .aep files. The final file location request, for an mp3 audio file, was followed by lots of conforming and indexing. During this process the 'Where is the file XXX.mp3? window stayed locked open. Eventually, with all conforming etc finished, this window was still open and locked. Clicking anywhere on the screen caused a 'ding' and another, smaller, box opened, listing three .aep files. This box asked no questions and gave no options for selecting a file location so, with the topmost file highlighted, I just clicked 'ok' and the box disappeared, leaving the 'Where is the file XXX.mp3?' box still open.
    The importing process took about 30 minutes. I waited another 10 minutes, in case something was happening in the background, but with the Task Manager CPU usage value sitting on 0 or 1%, I used it to shut down the project.
    For what it is worth, I created a simple new project on the old PC – just a few video clips and transitions in a single sequence (no After Effects etc). This project was then transferred to the new PC and it opened successfully.
    Again I remain grateful to you for this and any more advice.
    Best regards
    Dave

  • THE PROJECT COULD NOT BE LOADED, IT MAY BE DAMAGE OR CONTAIN OUTDATED ELEMENTS

    I am trying to open a .prprj worked yesterday but I get this msg: THE PROJECT COULD NOT BE LOADED, IT MAY BE DAMAGE OR CONTAIN OUTDATED ELEMENTS
    I tried to import it in a new project, import it in AE, open an aotosaved project (there are so old, not usefull)
    I know that it can be edited in XML, but I don't understand anythig of that...
    HOW DO I REPAR IT???
    Any help???

    Hi,
    thanks for for the comment! In fact I did try this and I also tried to import a sequence only. I haven´t changed anything but I guess the automatic update of windows 8.1. has.
    And then I noticed that I´m not at all alone with my problem...
    Debug event f:\mightysilt_win64\shared\adobe\mediacore\mediafoundation\api\inc\keyframe
    So the final solution seems not to be in my hands ;~)
    Cheers,
    Petri

  • Unable to load the project. latter is probably damaged or contain outdated elements

    any one can help me with this probleme

    Hi,
    I am the one with the problem wich kaderdz exposed. Sorry for my English writing, my first language is French!
    I still have the same problem and some of my projects won't open (months of work...).
    The few projects that opens are kind of weird : only one chanel work in the audio, and the "title" window has also change. Here are some screen shots of what happens :
    message 1:
    message 2 - translation : impossible to charge the project. It is damage or contain obsolet elements :
    message 3 :
    title window :
    I would be so grateful if you can solve the problem. It's a lot of work!!

  • View Container UI element in a table popin dynamically

    Hello people,
    I create a WD Table dynamically using the runtime class. I also create the table popin and then I set it in the table using the method SET_POPIN from the runtime class.
    Now my requirement is that I should be able to add the 'View Container UI Element' into this popin so that I can embed any other views into this VC UI E. I cannot find a way in which I can achieve this. I am able to do it statically but not dynamically.
    Even though it is suggested that such a design would lead to performance issues, but I have to achieve this.
    Regards
    Rohan

    Hi Anita,
    you cannot set metadata at element level of a node. When you set the metadata ( example mime type or file name ) for a particular element in the node , it changes for all the element. So you are always getting the file for the last row. ( most recent set metadata ).
    Try using the inteface IWDCachedWebResource for file download.
    For each row add a button, and associate an action "DownloadFile" for it. Use the following "onAction" for the said action. 
    public void onActionDownloadFile(com.sap.tc.webdynpro.progmodel.api.IWDCustomEvent wdEvent )
        //@@begin onActionDownloadFile(ServerEvent)
        int selectedIndex = wdContext.nodeFileTab().getLeadSelection();
        IPrivateView_pdfView.IFileTabElement file = wdContext.nodeFileTab().getFileTabElementAt(selectedIndex);
        try {
         IWDCachedWebResource webResource = WDWebResource.getWebResource(
              this.
              getByteArrayFromResourcePath("/sapmnt/PCD/global/config/cm/etc/pdf/"+
              wdContext.nodeFileTab().getFileTabElementAt().getFilename(selectedIndex),
              WDWebResourceType.PDF);
         wdComponentAPI.getWindowManager().createExternalWindow(webResource.getURL(),"Download File",true).open();
       catch(Exception e) {
         // take some action
         wdComponentAPI.getMessageManager().reportException(e.toString(),true);
        //@@end
    Hope you get a solution.
    Regards
    KK.

  • Embedding view in view container UI element

    Hello,
       I have a requirement which is given below:
      I have a MAIN view where there is a view container UI element. This container holds one of 3 views(VIEW1,VIEW2 and VIEW3) depending on user input. Initially VIEW1 is displayed (this is set as the default view). Then the user navigates to VIEW2 and enters some selection criteria and confirms. Then VIEW3 is displayed with the entered selection criteria. Then the user clicks on search on the MAIN view and the RESULT view is displayed. When the user clicks on back functionality in the RESULT view,MAIN view is again displayed but the view container has VIEW1. The user wants to see VIEW3 in the viewcontainer in MAIN view.
    Please let me know if there is anyway to achieve this.
    Regards
    Nilanjan

    Hi Nilanjan,
    Create three context attributes V1,V2,V3 of type char1.
    Default value for V1 is 'X'. 
    Bind the visible property of each view container to the above attributes like
    View1-V1
    View2-V2
    View3-V3
    When you run the application, defaul View1 displays, coz its default values set as 'X'.
    Now depends up on the logic, change the value of each attribute as 'X' or SPACE .
    Eg:
        DATA lo_el_context TYPE REF TO if_wd_context_element.
        DATA ls_context TYPE wd_this->Element_context.
        DATA lv_v1 TYPE wd_this->Element_context-v1.
        DATA lv_v2 TYPE wd_this->Element_context-v2.
        DATA lv_v3 TYPE wd_this->Element_context-v3.
    *   get element via lead selection
        lo_el_context = wd_context->get_element( ).
    *   @TODO handle not set lead selection
        IF lo_el_context IS INITIAL.
        ENDIF.
    *   set single attribute
        lo_el_context->set_attribute(
          name =  `V1`
          value = 'X' ).
    *   set single attribute
        lo_el_context->set_attribute(
          name =  `V2`
          value = '' ).
    *   set single attribute
        lo_el_context->set_attribute(
          name =  `V3`
          value = '' ).
    or
    *   set single attribute
        lo_el_context->set_attribute(
          name =  `V1`
          value = '' ).
    *   set single attribute
        lo_el_context->set_attribute(
          name =  `V2`
          value = 'X' ).
    *   set single attribute
        lo_el_context->set_attribute(
          name =  `V3`
          value = '' ).
    or
    *   set single attribute
        lo_el_context->set_attribute(
          name =  `V1`
          value = '' ).
    *   set single attribute
        lo_el_context->set_attribute(
          name =  `V2`
          value = '' ).
    *   set single attribute
        lo_el_context->set_attribute(
          name =  `V3`
          value = 'X' ).
    Regards,
    Amarnath S

  • Embeding ALV table in dynamically created view container UI element

    Hi ,
    I created a view container UI element dynamically .that is working fine . I am using standard ALV component . Now i want to embed ALV table in View container UI element dynamically > please help me in this .
    Thanks in advance ,
    Vijay vorsu

    Hi,
    I am not sure how to do add an ALV table dynamically but you can have a look at this blog which talks about creating and adding a TABLE ui element dynamically. And TABLE UI element may solve your problem.
    http://mamma1360.blog.163.com/blog/static/314740992008127115551165/
    Thanks,
    Abhishek

  • Issue with order or sequence of wbs elements appearance in planning layout

    Hi Experts
    we have an issue with order or sequence of wbs elements appearance in BPS planning layout.
    In BW - 0wbs element -  hierarchy order is as below
    1
    2
    3
    4
    5
    6
    7
    8
    but when we check the same wbs element in BPS planning layout, it appears as below
    1
    2
    3
    4
    6
    7
    5
    8
    Request you to advice how to correct the order.
    Best Regards
    krishna

    Hi,
    I came across a similar situation once. I dont remember exactly.
    We have two different DataSources on wbs hierarchy. The hiearchy was loaded using the two datasources.
    By mistake we were trying to use the hierarchy created by Datasource2, instead of hier created by datasource1.
    Can you check that.

  • What is the exact use of Sequence container

    Hi all,
       I am intermediate in SSIS package,i am not understanding what is the exact use of Sequence container ?
      I am preparing for interview(3 years exp), if experts dont mind can you pls share some tips and questions to clear the interview ?
     pls
    thanks

    Hi SelvakumarSubramaniam,
    This blog delivers a good summary of the benefits we can get by using Sequence Container:
    Easier debugging by allowing you to disable groups of tasks to focus package debugging on one subset of the package control flow.
    Managing multiple tasks in one location by setting properties on a Sequence Container instead of setting properties on the individual tasks.
    Provides scope for variables that a group of related tasks and containers use.
    Create a transaction around all the components inside the container.
    Here are some other good resources:
    http://www.phpring.com/sequence-container-in-ssis/ 
    http://sql-developers.blogspot.com/2010/06/sequence-container-in-ssis.html 
    Regards,
    Mike Yin
    TechNet Community Support

  • How can i change the sequence of text element in standard driver program ?

    Hi,
    can u tell me how can i change the sequence of text element in standard  sapscript driver program.. without making a zcopy of standard driver program.
    My problem is when MEDRUCK form is getting printed for PO print , header text is coming before item. But the requirement is to come it after item.So how cani do that without making the zcopy of  SAPLMEDRUCK program..Is there any enhancement point in SAPLMEDRUCK driver program..where i can put my customise code for changing the sequence of text element ?

    Hi,
        Just copy the MEDRUCK to ZMEDRUCK. No need to copy the driver program.
    1) SE71Menu > Utilities > COpy from Client
    MEDRUCK ->>Client 000
    New formname ZMEDRUCK
    2) Now open the ZMEDRUCK in DE language in SE71
    3) Menu > Utilities > Convert original Language
    Change DE  to EN, save and activate
    4) Now open the ZMEDRUCK in EN language
    5) Goto Pagewindows > Main window,
    Look for the HEADER text Text element, copy the whole code under this Text element just after the ITEM text Text element, and comment the HEADER text above.
    Now the Header text Text element will be below ITEM text only. This will full fill your requirment.
    Now goto NACE transaction and add the copied ZMEDRUCK to the EF application.
    Regards
    Bala Krishna

Maybe you are looking for

  • Instrument I/O Assistant only reading the first command

    I am very, very new to LabVIEW and I am trying to program a device using ASCII codes.  When using the VI Instrument I/O Assistant only the first command is executed. So I am wondering if there is something obvious I am missing to make all the command

  • How to show google maps in JPanel

    How do i show the google maps in Java Application. Please help me.

  • Problem with deployment sequance...in WL6.1

    Hi all, can anyone tell me, If I want that my EJBs are deployed into the specific sequance into the wlserver6.1, what should i have to do? I have some jar files of EJBs into one EAR file. I've kept all the jar file into the seq. which i want into tha

  • Problem using WSDL from SAP in IBM's RAD for generating web service client

    When importing a WSDL from the ABAP stack on a SAP 6.40 system into IBM's RAD tool for generating a web service client there are errors with the soap fault classes that get generated.  The WSDL declares the types for the faults with WebServiceName.Rf

  • Lightroom CC crop bug?

    I downloaded the new lightroom yesterday and if i crop and rotate an image it will jiggle and bug out and freeze for a few seconds before it stops and works. anyone else having this problem? it is driving me crazy.