Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Entity Framework Code-First Execute Scalar-Valued Functions

How can I execute a scalar function using code first? Below is what I have tried but only the query itself is being returned, not the return value.

using (var dbContext = new FTTRContext())
        {

            queryResult =
                dbContext.Database.SqlQuery<string>("SELECT [dbo].[ufnGetTotalUsers] (GETDATE())").ToString();
        }
like image 494
user3701347 Avatar asked Jun 03 '14 01:06

user3701347


People also ask

How do you call a function in Entity Framework?

Step 1: Create an entity class which inherits “DbContext” class. Step 2: The following is the structure of the database with table and stored procedure. Step 3: Create a class to store the returned tabular value. Step 4: Create an object for the entity above and method to call a function.

How do you execute a scalar value function?

Scalar-valued functions can be executed by using the EXECUTE statement. If you EXECUTE a function rather than use it in a SELECT statement or constraint, you can leave out the schema name in the function name, and it will look in the dbo schema followed by the users default schema.


1 Answers

SqlQuery returns an instance of DbRawSqlQuery. This class is an enumerable and it expects you to enumerate it via either the standard LINQ operators, or via foreach, etc. .ToString() on this object simply returns the query that will be executed. To get the result you want, use .Single() or .SingleAsync().

queryResult = dbContext.Database
    .SqlQuery<string>("SELECT [dbo].[ufnGetTotalUsers] (GETDATE())")
    .Single();

This should return the scalar string result you are looking for.

That being said, your query looks like invalid SQL. Are you just trying to just get the date from SQL Server? If so, the query should probably be SELECT GETDATE(). Once you do that, you might have to use .SqlQuery<DateTime>() since the type of that value is not a string.

like image 67
Kirk Woll Avatar answered Sep 18 '22 11:09

Kirk Woll