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

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();
            }

  • Source system contain more than one fold then they are not processed

    when a mail box for a source system contain more than one fold they are not necessarily manage in the right sequence order (FIFO)
    The folders stand for material update flows.

    Hi   XI   Experts,
    I have a problem with source directory of the File Adapter,
    XI system is not reading the files from the source directory in the sequence when there is more than one folder .
    See the below description regarding the same.
    "when a mail box for a source system contain more than one fold they are not necessarily manage in the right sequence order (FIFO)
    The folders stand for material update flows."
    Please update me as soon as possible.
    Regards
    sreenivasulu

  • The "Measures" dimension contains more than one hierarchy... Collation issue

    It appears that an Excel query pased through to SSAS has a "measures" with lowercase "m" when analysis services expects an uppercase "M" so it should look like "Measures". Is there a fix in excel to allow
    the correct passing of "Measures" member name to the cube?
    BTW, I have NO Calculations in the cube.
    In excel 2013 when I pivot with a pivot table connected to a case sensitive collation (non default config)
    cube and perform a filter by "Keep only Selected Items" I get the error "The 'Measures' dimension contains more than one hierarchy, therefore the hierarchy must be explicity specified".
    When I revert back to server wide setting to case insensitive, and I preform the exact same pivoting function it works without error. The problem appears to be that excel does not understand the server collation setting.
    When I run SQL Server Profilier I narrowed down the MDX statement run in Excel that gives me an error to this:
    with
    member measures.__XlItemPath as
    Generate(
    Ascendants([Employee].[Location Code].currentmember),
    [Employee].[Location Code].currentmember.unique_name,
    "|__XLPATHSEP__|"
    member measures.__XlSiblingCount as
    Generate(
    Ascendants([Employee].[Location Code].currentmember),
    AddCalculatedMembers([Employee].[Location Code].currentmember.siblings).count,
    "|__XLPATHSEP__|"
    member measures.__XlChildCount as
    AddCalculatedMembers([Employee].[Location Code].currentmember.children).count
    select { measures.__XlItemPath, measures.__XlSiblingCount, measures.__XlChildCount } on columns,
    [Employee].[Location Code].&[01W]
    dimension properties MEMBER_TYPE
    on rows
    from [Metrics]
    cell properties value
    Playing around with the query I discovered that if I capitalize the first letter of the "with measures" member, the statement works.
    with
    member Measures.__XlItemPath as
    Generate(
    Ascendants([Employee].[Location Code].currentmember),
    [Employee].[Location Code].currentmember.unique_name,
    "|__XLPATHSEP__|"
    member Measures.__XlSiblingCount as
    Generate(
    Ascendants([Employee].[Location Code].currentmember),
    AddCalculatedMembers([Employee].[Location Code].currentmember.siblings).count,
    "|__XLPATHSEP__|"
    member Measures.__XlChildCount as
    AddCalculatedMembers([Employee].[Location Code].currentmember.children).count
    select { measures.__XlItemPath, measures.__XlSiblingCount, measures.__XlChildCount } on columns,
    [Employee].[Location Code].&[01W]
    dimension properties MEMBER_TYPE
    on rows
    from [Metrics]
    cell properties value
    Also, I realise that I could change the collation on just the cube itself to case insenstive to get this to work, but I really don't want to do an impact analysis of running a mixed collation environment.
    So, my question is: Is there an excel fix that will allow me to run a case sensitve cube and allow me to click on filter and filter by "keep only selected items" or "Hide selected Items"? All other filtering works, it's only those two
    filtering options error for me.
    Here are the versions I'm working with:
    Excel 2013 (15.0.4535.1507) MSO(15.0.4551.1007) 32-bit Part of Microsoft Office Professional Plus 2013
    Microsoft Analysis Server Enterprise 2012 11.0.3000.0
    Any help would be appreciated. Thank you in advance!

    Hi, i assume this logic is for Dimension formula?
    If you have multiple hierarchy like ParentH1 and ParentH2 you should use FormulaH1 and FormulaH2 and not FORMULA column.
    in FORMULAH1
    [Account.H1].[Account_A] / [Account.H1].[Account_B]

  • How to map more than one xml element with some Paragraph in a Text Frame

    Hi friends,
    I am new in InDesign Java Scripting and I have to place or map, more than one xml elements of different parents, into one textbox. Is it possible through JavaScript? Can anyone help me in this because I have no idea how it should work and it urgently required.
    Thanks in Advance

    I had answered to you already in your first post: the short answer is that it's not possible on the same text box unless you assign a common ancestor of these two "parents" item. That's not a question of scripting, it's the way Indesign handle the XML with the layout. Import a xml in Indesign and drop tags to page item. What you can do manually is quite representative of what can be done through scripting.
    If you assign this anscestor to the text frame, you have to expect that all text child items will be displayed in the text frame (including the text of all the child of the two "parents" and all the other parents/childs that could be under the common ancestor). Having a XML that is designed for Indesign usage is pretty much inevitable if you are doing anything "serious".

  • Opportunity - Sales Prospect: List search results if more than one match

    Hi CRM Experts,
    in the Opportunity our users have to enter a Sales Prospect. PC-UI allows to enter directly a Name like "Wolf". But when you press enter after this step the first match is filled into this field. But this can be the wrong Sales Prospect. I want to have a functionality that when the Name is entered and there are more than one match a list of the results should be displayed. Then the user can choose the correct partner.
    Regards
    Gregor

    Hi Gregor
       Yes,you are right actually the pop up window will appear with sales employee and other partner if necessary and suggested by the system.I hope you would have gone thru acquistion  from there opportunities and then you would createand clicked on sales methodology(Scroll down if necessary).Actually i dont have access now to the system i will defintely check it out and let you know ASAP.
    Regards

  • Asset Master to be assigned to more than one WBS element

    Hi Guys
    I have a scenario in which a Asset should be assigned to more than one Project, i.e. WBS Element.
    Is it possible by any way to assign a asset to more than one WBS element.
    Warm Regards
    Bala

    Hi Vijay Kumar
    Your right, but my situation is different.
    Take an example, i have server in a software company, that will be used for more than one project. In this case the asset number is the same as the same asset is used for different project at a given point of time
    Warm Regards
    Bala

  • How to create an iBOT which contains more than one dashboard page

    Hi,
    I want to create an iBOT which delivers the content in HTML or PDF format, but to contain more than one dashboard page. The idea is that I have several dashboards and I want to send by e-mail (by iBOT) most important pages from different dashboards.
    Is it possible to send by a single e-mail different pages from different dashboards? I cannot find an way to accomplish this in the content of delivery in iBOT.
    Thank you.

    Hi,
    Yes, I can add them to a briefing book, but the clients that will receive it by e-mail should have the briefing book reader in order to view the contents. Is there any way to send the briefing book in a PDF format?
    Thank you.

  • New iTunes on Mac doesn't allow me anymore to select all songs and 'Get info' to adjust the volume, like the old one. It says"your selection contains more than one type of media". They are all songs! Help please!

    New iTunes on Mac doesn't allow me anymore to select all songs and 'Get info' to adjust the volume, like the old one. It says"your selection contains more than one type of media". They are all songs! Help please!

    Raya Alfa wrote:
    ...there are some that are mp3 and it will be extremely hard to pick them from the lot.
    Not true. Select "Kind" as a sort category by right clicking the headings
    Then click to sort by Kind
    If your Import Settings are for Apple Lossless, AIFF, AAC or whatever the majority of your files are, convert MP3s to that file type.
    I've presently got 17,000+ files in my library, and they're ALL MP3 or M4B(Audiobooks). If they weren't when I got them, I converted them.  Saves a LOT of hassels with just this type of situation. Besides I have two non Apple MP3 players that WON'T work with other file types besides MP3 so, EVERYTHING I have has to be MP3.

  • BUG?  ViewObject contains more than one Row with equal Key objects

    JDeveloper 10.1.2.1 build 1913
    JClient app
    aView
    ----bView
    --------cView
    ------------dView
    BEFORE:
    cView's detail row set contains two dViewRowImpl rows, as expected:
    row 0: key = 100
    row 1: key = 101
    ACTION:
    An attribute, X, in dView is modified by the user, which results in a call to setX in dViewRowImpl.
    In setX we have:
    1) setAttributeInternal for X
    2) transaction.postChanges
    3) a call to a procedure in the database to update dependent fields in the same row
    4) clearEntityCache on the primary entity of dView
    5) setAttributeInternal on a calculated attribute
    AFTER:
    cView's detail row set contains three dViewRowImpl rows, two of which have the same primary key:
    actual:
    row 0: key = 100
    row 1: key = 101
    row 2: key = 101
    expected (no change, and unique primary keys):
    row 0: key = 100
    row 1: key = 101
    Any clues appreciated.

    If your procedure modifies only the current row, or predetermined rows, you can
    // see Row.refresh
    transaction.postChanges();
    // refresh current row
    refresh(REFRESH_WITH_DB_FORGET_CHANGES);
    // or iterate over procedure-modified rows and refresh eachas an alternative to clearEntityCache. This alternative has the major benefit of not resetting currency in all ViewObjects touched by the cleared Entity. Luckily, this alternative has avoided the problem for us. If your code cannot predict which rows will be updated by your procedure, then you're still in trouble since JBO is apparently more than willing to insert duplicate Row objects into a ViewObject's RowSet after a clearEntityCache.

  • How could I get the pdf-file output to contain more than one page from certain homepages

    2011-08-22
    I have been using Firefox for many years now. I like this browser better than Safari. However. I have a problem when I have connected to a homepage over the web and want to write the content out to a pfd-file. The pdf-file does sometimes contain only one page. The material is good enough for two or more pages of output. I have checked that using Safari browser. I´d like to continue using Firefox so please tell med what to do!
    Göran Stille
    [email protected]
    Computer Mac Powerbook G4
    Processor 1.67 GHz PowerPC G4
    Operative system OSX 10.5.8
    Firefox version 3.6.2

    excellent.
    quiteimposing does exactly what i wanted.
    thanks a lot.
    now only problem is that demo version prints large x mark on pages
    is there any free plugins available or any other way to get rid of x mark.
    thanks in advance.

  • Problem veryfing document with more than one signature element ...

    hello everyone,
    Sorry for my english. I've got a short question (but interesting).
    I know how to write simple application which correctly sign and verify xml document (dsig and xades).
    When I sign the same xml document for a few times it looks like this:
    <data>
    <Signature 1 />
    <Signature 2 />
    <Signature 3 />
    </data>
    But only last signature element I can verify correctly. I use Transform.ENVELOPED, and haven't got any ideas what I do wrong. Maybe I have to remove all signature elements before sign next ? Maybe I have to remove other signature elements before verify right ?
    Best regards, kk

    Take a look at business area and groupings in they payment program settings...
    I am not sure what version you are on but the following link for 4.7 should provide some valuable information...
    http://help.sap.com/saphelp_47x200/helpdata/en/01/a9be64455711d182b40000e829fbfe/frameset.htm
    http://help.sap.com/saphelp_47x200/helpdata/en/01/a9be64455711d182b40000e829fbfe/frameset.htm
    Grouping Open Items and Individual Payments
    Wherever possible, the payment program will always group items together for payment.
    The payment program can only group together open items for payment if the open items in an account have the same:
    1. Currency
    2. Payment method in the item
    3. Bank in the item
    4. Contents of the grouping fields (if a grouping key is specified in the customer or vendor master record)
    You can also pay open items from different company codes together, as well as customer and vendor line items.
    Items in an account are not grouped together if you:
    1. Make payments separately per business area. This procedure entails separate payments being created per business area.
    2. Want to make individual payments
    Items in which a payment method is specified are not grouped with items in which no payment method is specified.
    You define the required grouping key in the IMG for Financial Accounting under Accounts Receivable and Accounts Payable -> Business Transactions -> Outgoing Payments -> Automatic Outgoing Payments -> Payment Method/Bank Selection for Payment Program -> Define Payment Groupings.
    In our system, if the business area is the same, there will be one ZP document with one line with a posting key of 25. Otherwise there will be many individual 25 posting key lines with.

  • Validation of XML with Schema, which contains more than one Schema

    Hi All,
    I am having a parent.xsd file, which inculdes or imports child.xsd file. I need to validate an xml with the parent xsd. Could u give any sample code for doing the same.
    Java Version : 1.4.2
    Using Xerces for parsing the xml....
    Thanks,
    Senthil

    Is anyone there to reply?

  • Reverse engineering sequence diagram with more than one level deep

    Hello,
    When I generate sequence diagram from a method with Java Studio Enterprise 8.1, it only shows the method called directly by this method.
    Can I also show the methods that are called by the other methods that the one I'm generating the diagram from?
    Thanks,
    Mike

    Hi Mike,
    Sorry for the delay. The whole team has been busy with JavaONE for the past week.
    We currently do not support reverse engineering of an operation to a sequence diagram more than one level deep. I opened an enhancement request for you:
    http://www.netbeans.org/issues/show_bug.cgi?id=103780
    The UML pack is now part of NetBeans. Check out these links for the latest info regarding UML:
    http://www.netbeans.org/products/uml/
    http://uml.netbeans.org/
    Thanks,
    George

  • Matching more than one column result

    Hello again,
    I'm using a Property/Estate agent database and one of the questions is: List pairs of buyers and properties whose expectation and feature set are exactly matching.
    The way I designed the database was that each property is connected to a property_features table which is connected to a parent table features_list.
    Similarly my buyer table is connected to a required_features table which is connected to the same features_list table
    I need to match buyers and properties where their required and property features (can be more than one) match.
    I have created queries that return the results for buyers and properties individually but I'm unsure how to link these queries to return only exact matches
    select b.peid
    from  buyer b, features_list fl, required_features rf
    where b.peid = rf.peid
    and rf.fid = fl.fid;
    select p.prid
    from property p, features_list fl, property_features pf
    where p.prid = pf.prid
    and fl.fid = pf.fid;All tables used:
    CREATE TABLE BUYER
         PEID CHAR(8) REFERENCES PERSON(PEID),
         MAX_PRICE NUMBER(9,2),
         CONSTRAINT BUYER_PK PRIMARY KEY(PEID)
    CREATE TABLE FEATURES_LIST
         FID CHAR(5) CONSTRAINT FL_PK PRIMARY KEY,
         DESCRIPTION VARCHAR2(50) NOT NULL
    CREATE TABLE REQUIRED_FEATURES
         PEID CHAR(8) CONSTRAINT FK_PEID_RF REFERENCES PERSON(PEID),
         FID CHAR(5) CONSTRAINT FK_FID_RF REFERENCES FEATURES_LIST(FID),
         CONSTRAINT REQ_F_PK PRIMARY KEY(PEID, FID)
    CREATE TABLE PROPERTY
         PRID CHAR(8) CONSTRAINT PR_PK PRIMARY KEY,
         BRID CHAR(5) CONSTRAINT PROPERTY_FK_BRANCH REFERENCES BRANCH(BRID),
         OWNER_ID CHAR(8) CONSTRAINT PROPERTY_FK_OWNER  REFERENCES PERSON(PEID),
         PROP_TYPE CHAR(10) NOT NULL CONSTRAINT TYPE_CHECK CHECK (UPPER (PROP_TYPE) IN ('HOUSE', 'UNIT', 'TOWN_HOUSE', 'COMMERCIAL')),
         FIRST_LISTED DATE NOT NULL,
         STREET VARCHAR2(30) NOT NULL,
         SUBURB VARCHAR2(30) NOT NULL,
         POST_CODE CHAR(4) NOT NULL     
    CREATE TABLE PROPERTY_FEATURES
         PRID CHAR(8) CONSTRAINT FK_PEID_PF REFERENCES PROPERTY(PRID),
         FID CHAR(5) CONSTRAINT FK_FID_PF REFERENCES FEATURES_LIST(FID),
         CONSTRAINT PROP_F_PK PRIMARY KEY(PRID, FID)
    );Some sample output
    select property.prid, property_features.fid, features_list.description
    from property, property_features, features_list
    where property_features.prid = property.prid
    and property_features.fid = features_list.fid;
    Results:
    PR110011 FE002 family room
    PR110011 FE003 modern kitchen
    select buyer.peid, required_features.fid, features_list.description
    from buyer, required_features, features_list
    where required_features.peid = buyer.peid
    and required_features.fid = features_list.fid;
    Results:
    PE110036 FE003 modern kitchen
    PE110036 FE002 family roomSo, the results from my individual queries show that person/buyer PE110036 has required features that match exactly with property PR110011's property features, I need to somehow write a query that provides this functionality
    Any advice very much appreciated!

    I'm still struggling with this one, would there be a solution using PL/SQL?
    Here are some sample insert statements from the tables involved
    INSERT INTO buyer VALUES('PE110002', 300000);
    INSERT INTO buyer VALUES('PE110005', 900000);
    INSERT INTO buyer VALUES('PE110015', 9000500);
    INSERT INTO buyer VALUES('PE110017', 9000400);
    INSERT INTO features_list VALUES(('FE' || to_char(fl_seq1.nextval, 'fm009')), 'sunroom');
    INSERT INTO features_list VALUES(('FE' || to_char(fl_seq1.nextval, 'fm009')), 'family room');
    INSERT INTO features_list VALUES(('FE' || to_char(fl_seq1.nextval, 'fm009')), 'modern kitchen');
    INSERT INTO features_list VALUES(('FE' || to_char(fl_seq1.nextval, 'fm009')), 'swimming pool');
    INSERT INTO features_list VALUES(('FE' || to_char(fl_seq1.nextval, 'fm009')), 'balcony');
    INSERT INTO features_list VALUES(('FE' || to_char(fl_seq1.nextval, 'fm009')), 'lock up garage');
    INSERT INTO features_list VALUES(('FE' || to_char(fl_seq1.nextval, 'fm009')), 'ocean views');
    INSERT INTO features_list VALUES(('FE' || to_char(fl_seq1.nextval, 'fm009')), 'close to transport');
    INSERT INTO required_features VALUES('PE110031','FE003');
    INSERT INTO required_features VALUES('PE110007','FE003');
    INSERT INTO required_features VALUES('PE110031','FE005');
    INSERT INTO required_features VALUES('PE110007','FE005');
    INSERT INTO required_features VALUES('PE110002','FE004');
    INSERT INTO required_features VALUES('PE110002','FE006');
    INSERT INTO required_features VALUES('PE110002','FE009');
    insert into property
    values
    (('PR' || to_char(SYSDATE, 'yy') || to_char(pr_seq1.nextval, 'fm0009')), 'BR001', 'PE110020', 'House' , '25-Mar-07', '153 Carr St.', 'Coogee','2034');
    insert into property
    values
    (('PR' || to_char(SYSDATE, 'yy') || to_char(pr_seq1.nextval, 'fm0009')), 'BR002', 'PE110023', 'Unit' , '22-Jan-07', '6/973 Anzac Pde.', 'Kingsford','2032');
    insert into property
    values
    (('PR' || to_char(SYSDATE, 'yy') || to_char(pr_seq1.nextval, 'fm0009')), 'BR003', 'PE110037', 'Commercial' , '15-Nov-07', '317 Campbell Pde.', 'Bondi','2026');
    insert into property
    values
    (('PR' || to_char(SYSDATE, 'yy') || to_char(pr_seq1.nextval, 'fm0009')), 'BR003', 'PE110019', 'House' , '19-Feb-07', '680 Bunnerong Rd.', 'Hillsdale','2036');
    INSERT INTO property_features VALUES('PR110001','FE012');
    INSERT INTO property_features VALUES('PR110001','FE017');
    INSERT INTO property_features VALUES('PR110001','FE026');
    INSERT INTO property_features VALUES('PR110001','FE002');
    INSERT INTO property_features VALUES('PR110001','FE009');
    INSERT INTO property_features VALUES('PR110009','FE003');
    INSERT INTO property_features VALUES('PR110033','FE003');Many thanks, this forum is a fantastic help!

Maybe you are looking for