Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to update a database with new information

I am terrible with databases so please bear with me.

I have a program that gets some user information and adds it to a database table. I then later need to get more information for that table, and update it. To do so I have tried doing this:

    public static void updateInfo(string ID, string email, bool pub)
    {
        try
        {
            //Get new data context
            MyDataDataContext db = GetNewDataContext(); //Creates a new data context

            //Table used to get user information
            User user = db.Users.SingleOrDefault(x => x.UserId == long.Parse(ID));

            //Checks to see if we have a match
            if (user != null)
            {
                //Add values
                user.Email = email;
                user.Publish = publish;
            }

            //Prep to submit changes
            db.Users.InsertOnSubmit(user);
            //Submit changes
            db.SubmitChanges();
        }
        catch (Exception ex)
        {
            //Log error
            Log(ex.ToString());
        }
    }

But I get this error:

System.InvalidOperationException: Cannot add an entity that already exists.

I know this is because I already have an entry in the table, but I don't know how to edit the code to update, and not try to make a new one?

Why does this not work? Wouldn't submitting changes on a current item update that item and not make a new one?

like image 467
Soatl Avatar asked May 27 '11 16:05

Soatl


Video Answer


1 Answers

The problem is

//Prep to submit changes
db.Users.InsertOnSubmit(user);

Because you got the user from the DB already, you don't need to re-associate it with the context.

Comment that out and you're good to go.

Just a style / usage comment as well. You should dispose your context:

public static void updateInfo(string ID, string email, bool pub)
{
    try
    {
        using (MyDataDataContext db = GetNewDataContext()) 
        {
            User user = db.Users.SingleOrDefault(x => x.UserId == long.Parse(ID));

            if (user != null)
            {
                user.Email = email;
                user.Publish = publish;
            }

            db.SubmitChanges();
        }
    }
    catch (Exception ex)
    {
        //Log error
        Log(ex.ToString());

        // TODO: Consider adding throw or telling the user of the error.
        // throw;

    }
}
like image 107
Michael Kennedy Avatar answered Oct 03 '22 18:10

Michael Kennedy