Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Can I have Multiple Get Methods in ASP.Net Web API controller

I want to implement multiple Get Methods, for Ex:

Get(int id,User userObj) and Get(int storeId,User userObj)

Is it possible to implement like this, I don't want to change action method name as in that case I need to type action name in URL.

I am thinking of hitting the action methods through this sample format '//localhost:2342/' which does not contains action method name.

like image 871
subi_speedrunner Avatar asked Nov 17 '14 11:11

subi_speedrunner


2 Answers

Basically you cannot do that, and the reason is that both methods have same name and exactly the same signature (same parameter number and types) and this will not compile with C#, because C# doesn't allow that.

Now, with Web API, if you have two methods with the same action like your example (both GET), and with the same signature (int, User), when you try to hit one of them from the client side (like from Javascript) the ASp.NET will try to match the passed parameters type to the methods (actions) and since both have the exact signature it will fail and raise exception about ambiguity.

So, you either add the ActionName attribute to your methods to differentiate between them, or you use the Route Attribute and give your methods a different routes.

Hope that helps.

like image 123
Omar.Alani Avatar answered Sep 28 '22 13:09

Omar.Alani


You need to add action name to the route template to implement multiple GET methods in ASP.Net Web API controller.

WebApiConfig:

config.Routes.MapHttpRoute(
    name: "DefaultApi",
    routeTemplate: "api/{controller}/{action}/{id}",
    defaults: new {id = RouteParameter.Optional }
);  

Controller:

public class TestController : ApiController
{
     public DataSet GetStudentDetails(int iStudID)
     {

     }

     [HttpGet]
     public DataSet TeacherDetails(int iTeachID)
     {

     }
}

Note: The action/method name should startwith 'Get', orelse you need to specify [HttpGet] above the action/method

like image 30
Saravana Kumar Avatar answered Sep 28 '22 13:09

Saravana Kumar