Anyname Donotcare
Anyname Donotcare

Reputation: 11403

The best overloaded method match for XXX has some invalid arguments

I'm a new beginner to the entity framework .

I try to write te following method but i get a compile time error.

 protected static void EntitySQLQuery(AWEntities context)
        {
            string cmd = @"SELECT VALUE c FROM AWEntities.Person AS c WHERE c.FirstName = @FirstName";

            ObjectQuery<Person> persons = new ObjectQuery<Person>(cmd, context);//Error


        }

The best overloaded method match for 'System.Data.Objects.ObjectQuery.ObjectQuery(string, System.Data.Objects.ObjectContext)' has some invalid arguments

Upvotes: 0

Views: 6244

Answers (2)

Phillip Scott Givens
Phillip Scott Givens

Reputation: 5464

This is one of the more confusing points of Entity Framework. What you have to realize is that ObjectContext is the old way of doing EntityFramework, circa 2010. This was before DbContext (and code first). You can still get to the ObjectContext by casting your DbContext to IOjbectContextAdapter, like this:

((IObjectContextAdapter)context).ObjectContext;

Which would make your query look like this:

ObjectQuery<Person> persons = new ObjectQuery<Person>(cmd, ((IObjectContextAdapter)context).ObjectContext);

I do not know if Entity Structured Queries are promoted any more. I would consider using LInQ where possible.

var firstname = "Fred";
return from person in AWEntities.Person
       where person.FirstName = firstname
       select person;

If you are reading Julie Lerman's books, I would highly recommend that you pick up all three. The first one is a huge tomb explaining all of the fundamentals (and is written around the ObjectContext way of doing things), the second two are more practical to today's code-first/dbcontext world.

Upvotes: 1

Yakup &#220;nyılmaz
Yakup &#220;nyılmaz

Reputation: 404

Your AWEntities context object is not recongnized as an ObjectContext. Please check the type of your object. Take a look at definition of ObjectContext and ObjectQuery's constructor

Upvotes: 2

Related Questions