Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

ASP.NET Core WebApi HttpResponseMessage create custom message?

How can I create custom message in ASP.NET Core WebApi ? For example I want to return

new HttpResponseMessage()
{
    StatusCode=HttpStatusCode.OK,
    Message="Congratulations !!"
};

new HttpResponseMessage()
{ 
    StatusCode=HttpStatusCode.NotFound,
    Message="Sorry !!"
};
like image 528
jump4791 Avatar asked Feb 01 '17 23:02

jump4791


Video Answer


2 Answers

In order to return legacy HttpResponseMessage, you need to convert it to ResponseMessageResult in .net core. The following is an example.

    public async Task<IActionResult> Get(Guid id)
    {
        var responseMessage = HttpContext.GetHttpRequestMessage().CreateResponse(HttpStatusCode.OK,
            new YourObject()
            {
                Id = Id,
                Name = Name
            });

        return new ResponseMessageResult(responseMessage);
    }
like image 64
Yang Zhang Avatar answered Sep 30 '22 21:09

Yang Zhang


This simplest method is to use the helpers from the base Controller class.

public ActionResult ExampleNotFound()
{
    return NotFound("Sorry !!");            
}

public ActionResult ExampleOk()
{
    return Ok("Congratulations !!");
}

Alternatively you can return a new ContentResult and set it's status code.

return new ContentResult
     {
         Content = "Congratulations !!",
         ContentType = "text/plain",
         StatusCode = 200
     };

These two methods are slightly different, the ContentResult will always have a ContentType of text/plain

The Ok() and NotFound() methods return an ObjectResult which uses a formatter to serialize your string according to the content types in the Accept header from the request.

like image 43
Jared Kells Avatar answered Sep 30 '22 20:09

Jared Kells