How to write proc() with the following requirement

Hi..
I've written the following procedure
  PROCEDURE createMoney (
    pcsId      IN  NUMBER,
    spsId      IN  NUMBER,
    spgId      IN  NUMBER,
    apsId      IN  NUMBER,
    apgId      IN  NUMBER,
    charge     IN  NUMBER,
    pdtId     OUT  NUMBER
  IS
   pcsDetId NUMBER:=1;
  BEGIN
    INSERT INTO T_PDT (PDT_ID,PRS_ID,SPS_ID,SPG_ID,APG_ID,
                   APS_ID,DK_CED,CHG)
       VALUES(pcsDetId,pcsId, spsId,spgId,apgId,
                   apsId,charge);
    pdtId := pcsDetId;
  END;Then got the requirement that
*'createMoney' is creating new price.
Change it to get a procedure like 'setMoney' that would insert if not exists, or update if exists? *
Could you help me in doing this so..
Thanks

Hi,
Example with DUAL
SQL> select * from dept;
    DEPTNO DNAME          LOC          
        10 ACCOUNTING     NEW YORK
        20 RESEARCH       DALLAS
        30 SALES          CHICAGO
        40 OPERATIONS     BOSTON
SQL> merge into dept d1
  2  using (select 50 as deptno from dual) d2
  3  on (d1.deptno=d2.deptno)
  4  WHEN MATCHED THEN
  5      UPDATE SET d1.loc = 'Mumbai'
  6    WHEN NOT MATCHED THEN
  7      INSERT
  8      VALUES (50,'sw','Mumbai');
1 row merged.
SQL> select * from dept;
    DEPTNO DNAME          LOC              
        50 sw             Mumbai                
        10 ACCOUNTING     NEW YORK
        20 RESEARCH       DALLAS
        30 SALES          CHICAGO
        40 OPERATIONS     BOSTON
SQL> merge into dept d1
  2  using (select 50 as deptno from dual) d2
  3  on (d1.deptno=d2.deptno)
  4  WHEN MATCHED THEN
  5      UPDATE SET d1.loc = 'London'
  6    WHEN NOT MATCHED THEN
  7      INSERT
  8      VALUES (50,'sw','Mumbai');
1 row merged.
SQL> select * from dept;
    DEPTNO DNAME          LOC              
        50 sw             London                
        10 ACCOUNTING     NEW YORK
        20 RESEARCH       DALLAS
        30 SALES          CHICAGO
        40 OPERATIONS     BOSTON
SQL> Twinkle

Similar Messages

  • How to display rectangles with the following code in a JPanel?

    I am trying to make a bunch of random rectangles appear inside a JPanel on a GUI form. Im not sire how to display the form and panel with random rectangles. I have in my package the MyRectangle class, a blank JForm class called RectGUI and the class for the panel RectGUIPanel. The following code is from my panel and it should create random rectangles okay but how do I display them inside of a Panel on my RectGUI form? Thanks for the assistance.
    //Declare variables
        private int x;
        private int y;
        private int width;
        private int height;
        private Color color;
        Random rand = new Random();
        public class RectanglePanel extends JPanel
            public void displayRectangles()
                // Declare an arraylist of MyRectangles
                ArrayList<MyRectangle> myArray = new ArrayList<MyRectangle>();
                int maxNumber = 300;
               // Declare Frame and Panel
                JFrame frame = new JFrame();
                Container pane = frame.getContentPane();
                RectanglePanel rect = new RectanglePanel();
                // Set Frame attributes
                frame.setSize(700, 500);
                frame.setLocation(100,100);
                frame.setAlwaysOnTop(true);
                frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
                frame.setTitle(" Rectangle Program");
                frame.setVisible(true);
                for (int i = 0; i < maxNumber; i++)
                    MyRectangle rec = createRandomRec();
                    myArray.add(rec);
                    rect.repaint();
            public MyRectangle createRandomRec()  
                   x = rand.nextInt();
                   y = rand.nextInt();
                   width = rand.nextInt();
                   height = rand.nextInt();
                   color = new Color(rand.nextInt(256), rand.nextInt(256), rand.nextInt(256));
                   return new MyRectangle(x, y , width, height, color);
        }

    I am trying to make a bunch of random rectangles appear inside a JPanel on a GUI form. Im not sire how to display the form and panel with random rectangles. I have in my package the MyRectangle class, a blank JForm class called RectGUI and the class for the panel RectGUIPanel. The following code is from my panel and it should create random rectangles okay but how do I display them inside of a Panel on my RectGUI form? Thanks for the assistance.
    //Declare variables
        private int x;
        private int y;
        private int width;
        private int height;
        private Color color;
        Random rand = new Random();
        public class RectanglePanel extends JPanel
            public void displayRectangles()
                // Declare an arraylist of MyRectangles
                ArrayList<MyRectangle> myArray = new ArrayList<MyRectangle>();
                int maxNumber = 300;
               // Declare Frame and Panel
                JFrame frame = new JFrame();
                Container pane = frame.getContentPane();
                RectanglePanel rect = new RectanglePanel();
                // Set Frame attributes
                frame.setSize(700, 500);
                frame.setLocation(100,100);
                frame.setAlwaysOnTop(true);
                frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
                frame.setTitle(" Rectangle Program");
                frame.setVisible(true);
                for (int i = 0; i < maxNumber; i++)
                    MyRectangle rec = createRandomRec();
                    myArray.add(rec);
                    rect.repaint();
            public MyRectangle createRandomRec()  
                   x = rand.nextInt();
                   y = rand.nextInt();
                   width = rand.nextInt();
                   height = rand.nextInt();
                   color = new Color(rand.nextInt(256), rand.nextInt(256), rand.nextInt(256));
                   return new MyRectangle(x, y , width, height, color);
        }

  • How to write TableCellEditor for the following TableCellRender

    I didn't know how to write the TableCellEditor for a TableCellRender which returns a JPanel contains JTextField and JButton.
    I hope u give an answer or guide me to a good topics.
    Thank u in advanced.
    The code is the following:
    //NewCell.java
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    public class NewCell extends JPanel {
    public NewCell() {
         setLayout(new BorderLayout());
         JTextField text = new JTextField();
         JButton button = new JButton("...");
         add(text,BorderLayout.CENTER);
         add(button,BorderLayout.EAST);
    //PanelRenderer.java
    import java.awt.*;
    import javax.swing.*;
    import javax.swing.table.*;
    public class PanelRenderer extends NewCell implements TableCellRenderer {
    public PanelRenderer() {
    setOpaque(true);
    public Component getTableCellRendererComponent(JTable table, Object value,
    boolean isSelected, boolean hasFocus, int row, int column) {
    if (row == 0)
         return this;
    else return table.getEditorComponent();
    //JPanelTableExample
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.table.*;
    public class JPanelTableExample extends JFrame {
    public JPanelTableExample(){
    super( "JPanelTable Example" );
    DefaultTableModel dm = new DefaultTableModel();
    dm.setDataVector(new Object[][]{{"panel 1","foo"},
    {"no panel","bar"}},
    new Object[]{"Panel","String"});
    JTable table = new JTable(dm);
    table.getColumn("Panel").setCellRenderer(new PanelRenderer());
    // table.getColumn("Panel").setCellEditor(new PanelEditor());
    JScrollPane scroll = new JScrollPane(table);
    getContentPane().add( scroll );
    setSize( 400, 100 );
    setVisible(true);
    public static void main(String[] args) {
    JPanelTableExample frame = new JPanelTableExample();
    frame.addWindowListener(new WindowAdapter() {
    public void windowClosing(WindowEvent e) {
    System.exit(0);

    Hello sir,
    By writing this code it will automatically pick the amount of condition type JASS.
    No it won't work .
    Please tell me the right solution

  • How to open Camera Raw in Bridge, it comes up with the following error

    How to open Camera Raw in Bridge, it comes up with the following error Bridge parent application is not Active   Bridge requires that a qualifing product has been lanched at least once to enable this feature.  It opens in Photoshop CS6 & Elements 10 but not Bridge?

    You need to look at all programs in your uninstall list, and see if you spot any old trials that are no longer active.
    Camera Raw in Bridge and PS are the same program, so its not the program but access.  Would have been nice it you had stated OS, but here are locatons of camera raw for both OS.
    Win           Users/[user name]/AppData/Roaming/Adobe/Adobe Photoshop CS5/Adobe Photoshop CS5 Settings    note: appdata a hidden file.
    Mac          Users/[user name]/Library/Preferences

  • My iphone 4 started displaying a message box with the following message: "This accessory is not optimized for this phone. You may experience noise and loss of battery."  My question is: how to fix this?

    My iphone 4 started displaying a message box with the following message: "This accessory is not optimized for this phone. You may experience noise and loss of battery."  My question is: Why is this happening and how do I fix it? (I'm losing battery power precipitously). Thanks in advance for any assistance with this question.

    Thanks Kilted Tim, you solved the problem. I'm mightily impressed at the simplicity of the solution!
    Jaded Kane

  • "Another program on your computer would like to modify Firefox with the following add-on" - how to disable?

    I am using the latest Firefox (28.0) on Windows XP in a shared computer environment. Although I do not have Administrator access, I installed Firefox myself and can change whatever Firefox config settings I want (including about:config and mucking with the files in the installation directory).
    I want to disable the tab that appears on Firefox startup, "Another program on your computer would like to modify Firefox with the following add-on". This tab usually appears once per day (the first time I startup Firefox each day). I want the tab not to appear at all, from now on.
    The "another program" in question is some program that is used in the facility where I'm using the computer, so I can't just uninstall that program. Although this is a shared computer environment, they don't "wipe" the machine every day, just reboot. So the Firefox I installed is still there with all my config settings intact. As far as I know, I'm the only person who uses Firefox on this computer.
    Solutions that don't work:
    "Just click Continue" -- but then I still see the "Another program" tab every day, and don't want to see it.
    "Click Remove in the Add-ons list" -- I removed the Add-on in question but the tab still appears every day.
    I would like a solution that either eliminates the Add-on request for that particular application, or eliminates all such requests ("Another program...") regardless of what application requested it. The ideal solution would be if the request itself had a checkbox for "never ask this again" but, alas, no such luck.

    Gosh... I spent about an hour preparing a response, then accidentally did control-something or alt-something which took me back a page and I lost everything I typed (even after I clicked Forward to try to get back to where I was). If anyone knows of a config setting like "don't ever trash an entire page of user input unless the user explicitly confirms it", or, "keep form input data even if the user goes Back or Forward", I think that would be a great feature.
    OK, back to the original question...
    I appreciate the responses thus far, but I think there have been some misunderstandings. Maybe a multiple-choice version would help:
    Question: Is there a way to suppress the appearance of the notification tab that says, "Another program on your computer would like to modify Firefox with the following add-on" (meaning, any request from another program to install an add-on is to be silently ignored and discarded)?
    Answer:
    (A) Yes, you can suppress that notification (please state how).
    (B) No, but you can request that feature (please state where).
    (C) No, you can't do that or request that feature.
    That's basically my question in a nutshell. If the answer is (B), I might envision a boolean about:config setting like "extensions.allowProgrammaticAddonRequests" that defaults to "true" and can be set to "false" manually. I think that would be the most direct solution (if it were possible).
    I will respond to some comments from above:
    "I don't understand why you are using a mozilla.cfg file to lock those preferences when you can modify the preferences for your current Firefox profile via about:config" -- This is because the "other program" in question (iCafe Manager) was setting certain config options (browser.startup.homepage, and browser.newtab.url) on every reboot (which happens every morning at that facility). I got tired of manually changing the settings back every day. Using the above-mentioned files, I successfully defeated iCafe Manager's daily interference with those config settings. The other things (like stuff related to Socks tunnelling) I probably could have just set once in about:config but doing a lockPref seemed to do no harm. The settings for "enabledScopes" and "xpinstall" were to see if they'd help with the problem I originally asked about, but they did not.
    "I would look in about:config to make sure those preference modifications are in effect" -- yes, I confirmed that the settings are in effect and locked. That much works as expected.
    "A) removing the iCafe Toolbar extension from the Firefox Addons -> Extensions panel results in the "Another program" tab at startup" -- true, but I think it would be more accurate to say: while the toolbar extension is not installed (due to either having been removed, or, never having been installed at all), the "Another program" tab appears on at least the first startup of Firefox after every reboot.
    "B) when you allow the installation it shows up as "(disabled)" in the Extensions list but the unwanted toolbar still shows up (correct?)" -- yes, correct.
    "You could explain the problem to the system administrator of your facility" -- unfortunately, there's no administrator on site, only a person who makes sure the lights are on. They'll call a tech if there's a catastrophic problem (like the net connection goes dead). Since I installed Firefox myself, and since iCafe Manager is a program they installed, I don't think they'll go out of their way to help me with Firefox (especially if I'm trying to defeat iCafe Manager's attempts to interfere with Firefox). From their point of view, their systems are working just fine.
    "allow the installation and then see if you can go to the Firefox Customize menu and HIDE the toolbar as a workaround" -- since I'm not in that facility now (and probably won't be again until this summer or so), I can't experiment with those systems now. But I do recall clicking just about everything I could, including "View - Toolbars" (which seems to be the same menu as when I right-click on a toolbar line). That menu allows hiding toolbars, but from my recollection, the offending toolbar was not displayed in the list, so I could not hide it that way. Also, the Customize menu ("View - Toolbars - Customize") seems to allow only modifications to a toolbar, and not a way to hide an entire toolbar.
    "it might help if you could post a new troubleshooting information list after you allow the iCafe Toolbar installation" -- ok, that troubleshooting report is included below.
    Thanks again for your help.
    Application Basics
    Name: Firefox
    Version: 28.0
    User Agent: Mozilla/5.0 (Windows NT 5.1; rv:28.0) Gecko/20100101 Firefox/28.0
    Crash Reports for the Last 3 Days
    All Crash Reports
    Extensions
    Name: iCafe Manager Toolbar
    Version: 5.2.0.6
    Enabled: false
    ID: {C058FE28-1E07-4FD1-8092-046F8A964D12}
    Important Modified Preferences
    accessibility.typeaheadfind.flashBar: 0
    browser.cache.disk.capacity: 358400
    browser.cache.disk.smart_size.first_run: false
    browser.cache.disk.smart_size.use_old_max: false
    browser.cache.disk.smart_size_cached_value: 358400
    browser.newtab.url: about:blank
    browser.places.smartBookmarksVersion: 6
    browser.sessionstore.upgradeBackup.latestBuildID: 20140314220517
    browser.startup.homepage: http://www.google.com/ncr
    browser.startup.homepage_override.buildID: 20140314220517
    browser.startup.homepage_override.mstone: 28.0
    dom.mozApps.used: true
    extensions.lastAppVersion: 28.0
    gfx.blacklist.direct2d: 3
    gfx.blacklist.layers.direct3d10: 3
    gfx.blacklist.layers.direct3d10-1: 3
    gfx.blacklist.layers.direct3d9: 3
    gfx.blacklist.layers.opengl: 3
    gfx.blacklist.stagefright: 3
    gfx.blacklist.suggested-driver-version: 6.1400.1000.5218
    gfx.blacklist.webgl.angle: 3
    gfx.blacklist.webgl.msaa: 3
    gfx.blacklist.webgl.opengl: 3
    network.cookie.prefsMigrated: true
    network.websocket.enabled: false
    places.database.lastMaintenance: 1398414928
    places.history.enabled: false
    places.history.expiration.transient_current_max_pages: 53428
    plugin.disable_full_page_plugin_for_types: application/pdf
    plugin.importedState: true
    plugin.state.npgoogleupdate: 1
    privacy.sanitize.migrateFx3Prefs: true
    privacy.sanitize.sanitizeOnShutdown: true
    storage.vacuum.last.index: 1
    storage.vacuum.last.places.sqlite: 1396778909
    Graphics
    Adapter Description: Intel(R) G33/G31 Express Chipset Family
    Adapter Drivers: igxprd32
    Adapter RAM: Unknown
    Device ID: 0x29c2
    Direct2D Enabled: Blocked for your graphics driver version. Try updating your graphics driver to version 6.1400.1000.5218 or newer.
    DirectWrite Enabled: false (0.0.0.0)
    Driver Date: 11-3-2008
    Driver Version: 6.14.10.5009
    GPU #2 Active: false
    GPU Accelerated Windows: 0/1 Basic Blocked for your graphics driver version. Try updating your graphics driver to version 6.1400.1000.5218 or newer.
    WebGL Renderer: Blocked for your graphics driver version. Try updating your graphics driver to version 6.1400.1000.5218 or newer.
    Vendor ID: 0x8086
    windowLayerManagerRemote: false
    AzureCanvasBackend: skia
    AzureContentBackend: cairo
    AzureFallbackCanvasBackend: cairo
    AzureSkiaAccelerated: 0
    JavaScript
    Incremental GC: true
    Accessibility
    Activated: false
    Prevent Accessibility: 0
    Library Versions
    NSPR
    Expected minimum version: 4.10.3
    Version in use: 4.10.3
    NSS
    Expected minimum version: 3.15.5 Basic ECC
    Version in use: 3.15.5 Basic ECC
    NSSSMIME
    Expected minimum version: 3.15.5 Basic ECC
    Version in use: 3.15.5 Basic ECC
    NSSSSL
    Expected minimum version: 3.15.5 Basic ECC
    Version in use: 3.15.5 Basic ECC
    NSSUTIL
    Expected minimum version: 3.15.5
    Version in use: 3.15.5

  • "Another program on your computer would like to modify Firefox with the following add-on" - how do I allow extensions?

    I cannot get extensions to run or enable, nor does the browser remember my preference.
    For example, after I install or Enable an extension, when I restart Firefox I get a tab for every extension that forces me to check "Allow this installation" after the prompt "Another program on your computer would like to modify Firefox with the following add-on".
    Moreover, when I click 'Options' on an installed extension, Firefox freezes permanently.
    Note that I DO NOT have any extensions.* files in my Profile folder, nor do they appear.
    I am trying to get MozRepl running. I am able to install it, but the menu option does not get added in the 'Tools' menu. Moreover none of the installed extensions are able to add to the menu.
    I've tried every solution in the following links
    https://support.mozilla.org/en-US/questions/929335
    http://kb.mozillazine.org/Preferences_not_saved
    https://support.mozilla.org/en-US/kb/how-to-fix-preferences-wont-save
    I have made the Profiles\ folder and all subfolders Read-only, including the files.
    I have tried the "Reset Firefox to its default state".
    I have tried uninstalling (including removing all profiles/data) and re-installing Firefox, and I get the same issues.
    My operating system is Windows 7 and I have McAfee SiteAdvisor Enterprise Plus and McAfee VirusScan Enterprise + AntiSpyware Enterprise.

    Check that Firefox isn't set to run as Administrator.
    Right-click the Firefox desktop shortcut and choose "Properties".
    Make sure that all items are deselected in the "Compatibility" tab of the Properties window.
    * Privilege Level: "Run this program as Administrator" should not be selected
    * "Run this program in compatibility mode for:" should not be selected
    Also check the Properties of the firefox.exe program in the Firefox program folder (C:\Program Files\Mozilla Firefox\).

  • When I try to install adobe photoshop 13 on my computer it comes up with the following error message " This installer does not support installation on a 64bit windows operating system" error code 6. How to I recify this? TIA

    When I try to install adobe photoshop 13 on my computer it comes up with the following error message " This installer does not support installation on a 64bit windows operating system" error code 6. How to I recify this? TIA

    You can try downloading the 64 bit version.  You can download the trial version of the software thru the page linked below and then use your current serial number to activate it.
    Be sure to follow the steps outlined in the Note: Very Important Instructions section on the download pages at this site and have cookies enabled in your browser or else the download will not work properly.
    Photoshop/Premiere Elements 13: http://prodesigntools.com/photoshop-elements-13-direct-download-links-premiere.html

  • Every time I open my itunes a message saying an unknown error has ocurred with the following number  -42110. how can I solve it?

    every time I open my itunes a message saying an unknown error has ocurred with the following number  -42110. how can I solve it?

    Hello there, lgi00.
    It can be so perplexing getting error messages when we are just beginning to launch a program. There is a pretty in depth Knowledge Base article that dives into many of the meanings to particular error numbers. See here:
    iTunes: Advanced iTunes Store troubleshooting
    http://support.apple.com/kb/TS3297
    Under "Specific Conditions and Alert Messages: (Mac OS X / Windows)" there is the following explanation and guidelines to getting that issue resolved:
    "Error 3001,"  "-42110," or "5103"
    This alert is related to iTunes Store movie rentals and authorization issues.
    Make sure you are using the most recent version of iTunes and QuickTime. They both can be downloaded free of charge.
    If your iTunes is up to date, remove the SC Info folder.
    Thanks for reaching out to the Apple Support Communities for finding an answer to your question.
    Cheers,
    Pedro D.

  • Tried to install Mountain Lion and it comes up with the following message  Mac OS X Update Combined can't be installed on this disk. This volume does not meet the requirements for this update. My laptop is using 10.7.3

    Tried to install Mountain Lion and it comes up with the following message  Mac OS X Update Combined can't be installed on this disk. This volume does not meet the requirements for this update. My laptop is using 10.7.3

    Go to  > Software Update and install updates. Finally, go to App Store, buy Mountain Lion and install. Open > http://www.apple.com/osx/specs/

  • How to write strings with an underline on the TOP-OF-PAGE of ALV

    How to write strings with an underline on the TOP-OF-PAGE of ALV

    if u r using classes and methods it can be done
    but if u r using normal fms and then u have to use HTML_TOP_OF_PAGE but the drawback for this it cannot be printed when the report is printed .

  • ICloud, when tries to sync with iCal reverts with the following message The server responded with "509" to operation CalDAVWriteEntityQueueableOperation. It would not sync my calendars.Any ideas how to fix it?

    iCloud, when tries to sync with iCal reverts with the following message The server responded with “509” to operation CalDAVWriteEntityQueueableOperation. It would not sync my calendars. Any ideas how to fix it? Thanks.

    Same issue here, hope someone has a clue how to solve this.

  • My Photoshop Elements 11 has suddenly lost contact with my CanoScan 9000F with the following message..."CanoScan 9000.  software for this device could not be launched.  The drive is not connected or is busy."  How do I regain connection?

    My Photoshop Elements 11 has suddenly lost contact with my CanoScan 9000F with the following message..."CanoScan 9000.  software for this device could not be launched.  The drive is not connected or is busy."  How do I regain connection?

    Try:
    - Powering off and then back on your router.
    - iTunes for Windows: iTunes cannot contact the iPhone, iPad, or iPod software update server
    - Change the DNS to either Google's or Open DNS servers
    Public DNS — Google Developers
    OpenDNS IP Addresses
    - For one user uninstalling/reinstalling iTunes resolved the problem
    - Try on another computer/network
    - Wait if it is an Apple problem

  • How to extract file with the extension .CAR

    Hi,
    I have a requirement where I need to extract the file .CAR . I have tried with the following command in DOS prompt :-  CAR -xvf <filename>  but I am not able to extract the file.Can you please tell how can I extract this file.What do I need to install to extract it?
    Regards,
    Pawan

    Hi,
    Check these links
    http://www.easymarketplace.de/winzip-7zip.php?Area=4soi
    http://service.sap.com/patches (SMP id required)
    Regards
    Fahad hamsa

  • How can I connect with the AspNetUsers table in MVC 5?

    I have a model, in which I have used several foreign keys from other tables. The point is that I also need to get the Id of the user, from the AspNetUsers table, though, I don't know how. I have done something like this, but it doesn't seem to be working:
    public class Message
        public int MessageID { get; set; }
        [Required(ErrorMessage="Please type a message to submit")]
        [DataType(DataType.MultilineText)]
        [Display(Name="Message")]
        public string MessageText { get; set; }
        public DateTime WrittenOn { get; set; }
        [Required(ErrorMessage="Please select a ticket")]
        [ForeignKey("Ticket")]
        [Display(Name="Ticket")]
        public int TicketID { get; set; }
        public virtual Ticket Ticket { get; set; }
        [Required(ErrorMessage = "Please select a business")]
        [ForeignKey("Business")]
        [Display(Name = "Business")]
        public int BusinessID { get; set; }
        public virtual Business Business { get; set; }
        [Required(ErrorMessage = "Please select a user")]
        [ForeignKey("aspnetusers")]
        [Display(Name = "User")]
        public int Id { get; set; }
        public virtual ApplicationUser ApplicationUser { get; set; }
    When I try to create a controller using the Entity Framework with my model, I get an error message saying:
        The ForeignKeyAttribute on property 'Id' on type ... is not valid. The navigation property 'aspnetusers' was not found on the dependent type ... The Name value should be a valid navigation property name.
    If someone could help me solve the problem, I would be glad.

    Hi Toni,
    I see that this particular query is been answered in the following thread.
    http://stackoverflow.com/questions/25372436/how-can-i-connect-with-the-aspnetusers-table-in-mvc-5
    You can also refer the following links, hope this helps.
    http://stackoverflow.com/questions/20071282/aspnet-identity-and-mvc5
    http://blogs.msdn.com/b/webdev/archive/2013/10/16/customizing-profile-information-in-asp-net-identity-in-vs-2013-templates.aspx
    Regards,
    Bharath

Maybe you are looking for

  • Calling another form

    hi guys can anyone please tell what what the best way is to call another form, pass a parameter to it e.g patient id and execute query on the form based the id passed. basically display all related data as you open that form thanks

  • Does 10.3 to 10.4 install retain 9?

    I need to upgrade from 10.3 to 10.4 on my G4 desktop to accommodate the kids new ipods which require 10.4. If I buy a fresh 10.4 and install on my iMac g4, will it retain my classic 9, or will I lose it and have to reinstall 9 some how? I was going t

  • Why am i getting an error 70012 on my iMac?

    Does anybody have a solution to an dvd player error -70012?

  • Want to see the sales order which is created with reference

    Hi Gurus, I created a sales order with reference to a contract. I forgot the sales order number and contract number.. how can i search my sales order which is created w.f.t acontract.we dont have the access for VA42, VA45. cHEERS, Sumith

  • External hd and time machine...

    I got a new external hd both usb and ethernet.. what if i use it for time machine and just get it conmnected sometimes and not keep it always connected to the mac? thanks