Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to execute stored procedure and get return result in MVC/EF/LINQ

Could any one guide me on how to execute a SQL Server stored procedure in ASP.NET MVC / EF
application and get results back?

SQL Server stored procedure

 CREATE PROCEDURE dbo.StoredProcedure2 AS
     declare @parameter2 int
     SET @parameter2 = 4

     RETURN @parameter2 

MVC code

 private readonly TestDatastoreContext _context = new TestDatastoreContext();

 public ViewResult Index(string id)
 {
        ViewData["EnvironmentId"] = id;

        using (_context)
        {
            _context.Database.Connection.Open();
            var command = _context.Database.Connection.CreateCommand();
            command.CommandText = "dbo.StoredProcedure2";
            command.CommandType = System.Data.CommandType.StoredProcedure;
            var test = (command.ExecuteScalar());
        }

        var bigView = new BigViewModel
        {
            VersionsModel = _context.Versions.ToList(),
            EnvironmentViewModel = _context.Environments.ToList(),
        };

        return View(model: bigView);
}
like image 659
user845405 Avatar asked Oct 02 '13 17:10

user845405


3 Answers

Your problem is this: you're returning the value from the stored procedure (using RETURN @paramter2), but your .NET code is trying to read a result set; something that would be "returned" by using a SELECT ..... statement inside the stored procedure

So change your stored procedure to this:

CREATE PROCEDURE dbo.StoredProcedure2 AS
     declare @parameter2 int
     SET @parameter2 = 4

     SELECT @parameter2 

and then your .NET code should work just fine.

The RETURN statement should be used for status codes only and it can return INT values only. If you want to use that, you'll have to define a SqlParameter for your stored procedure with a Direction.ReturnValue

like image 174
marc_s Avatar answered Nov 18 '22 18:11

marc_s


Check this official doc on how to map the Stored Procedure to your Context:

Stored Procedures in the Entity Framework

After the mapping you'll be able to call the Stored Procedure this way:

var val = _context.StoredProcedure2();
like image 27
Leniel Maccaferri Avatar answered Nov 18 '22 16:11

Leniel Maccaferri


One option is to simply do this:

MyReturnEntity ret = context.Database
         .SqlQuery<MyReturnEntity>("exec myStoredProc ?, ?", param1, parm2);
like image 2
Erik Funkenbusch Avatar answered Nov 18 '22 18:11

Erik Funkenbusch