Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Entity Framework throws exception - Invalid object name 'dbo.BaseCs'

I've followed Adam's answer here and the Entity Framework now works and the Seed() method also works.

But when I try to access the database like this:

    public User FindUserByID(int id)     {         return (from item in this.Users                 where item.ID == id                 select item).SingleOrDefault();     }   .............................................................................     // GET: /Main/      public ActionResult Index(int? id)     {         var db = UserDataBaseDB.Create();          if (!id.HasValue)             id = 0;          return View(db.FindUserByID(id.Value));     } 

It throws an exception at return (from item in this.Users stating:

Exception Details: System.Data.SqlClient.SqlException: Invalid object name 'dbo.BaseCs'.

I've tried replacing it with: return this.Users.ElementAt(id); but then it throws this exception.

LINQ to Entities does not recognize the method 'MySiteCreator.Models.User ElementAt[User](System.Linq.IQueryable1[MySiteCreator.Models.User], Int32)' method, and this method cannot be translated into a store expression.`

Can anyone help me?
Thank you!

like image 985
Mark Segal Avatar asked Oct 16 '11 11:10

Mark Segal


2 Answers

Exception Details: System.Data.SqlClient.SqlException: Invalid object name 'dbo.BaseCs'

This error means that EF is translating your LINQ into a sql statement that uses an object (most likely a table) named dbo.BaseCs, which does not exist in the database.

Check your database and verify whether that table exists, or that you should be using a different table name. Also, if you could post a link to the tutorial you are following, it would help to follow along with what you are doing.

like image 152
Jeff Ogata Avatar answered Sep 28 '22 20:09

Jeff Ogata


It is most likely a mismatch between the model class name and the table name as mentioned by 'adrift'. Make these the same or use the example below for when you want to keep the model class name different from the table name (that I did for OAuthMembership). Note that the model class name is OAuthMembership whereas the table name is webpages_OAuthMembership.

Either provide a table attribute to the Model:

[Table("webpages_OAuthMembership")] public class OAuthMembership 

OR provide the mapping by overriding DBContext OnModelCreating:

class webpages_OAuthMembershipEntities : DbContext {     protected override void OnModelCreating( DbModelBuilder modelBuilder )     {         var config = modelBuilder.Entity<OAuthMembership>();         config.ToTable( "webpages_OAuthMembership" );                 }     public DbSet<OAuthMembership> OAuthMemberships { get; set; }         } 
like image 45
acarlon Avatar answered Sep 28 '22 21:09

acarlon