[TestFixture]
public class ClientUnitTests
{
[Test]
public async Task CheckCategory()
{
// Arrange
List<IEnumerable<string>> categoryList = new List<IEnumerable<string>>();
var links = await Controller.GetCategory();
categoryList.Add(links.Value);
foreach (var categoryLink in categoryList)
{
categoryList.Add(categoryLink);
}
// Assert
Assert.IsNotNull(categoryList);
Assert.GreaterOrEqual(0, categoryList.Count);
Assert.IsInstanceOf<IEnumerable<string>>(categoryList);
}
}
Controller.cs
[HttpGet]
public async Task<ActionResult<IEnumerable<string>>> GetCategory()
{
var result = await _client.GetCategory();
return Ok(result);
}
Category.cs
public async Task<ActionResult<IEnumerable<string>>> GetCategory()
{
}
But this code giving error Cannot convert from 'Microsoft.AspNetCore.Mvc.ActionResult' to 'System.Collections.Generic.IEnumerable<string>' and thisĀ error indicates that we're trying to add an ActionResult to a list of IEnumerable<string>, which is not allowed.[TestFixture]
public class ClientUnitTests
{
[Test]
public async Task CheckCategory()
{
// Arrange
List<string> categoryList = new List<string>();
var actionResult = await Controller.GetCategory();
var links = actionResult.Value; // Extracting the value from the ActionResult
foreach (var link in links)
{
categoryList.Add(link);
}
// Assert
Assert.IsNotNull(categoryList);
Assert.GreaterOrEqual(0, categoryList.Count);
Assert.IsInstanceOf<IEnumerable<string>>(categoryList);
}
}
[HttpGet]
public async Task<ActionResult<IEnumerable<string>>> GetCategory()
{
var result = await _client.GetCategory();
return Ok(result);
}
public async Task<IEnumerable<string>> GetCategory()
{
// Some logic here
}
Assuming we're working with .NET Core , we have two options for the return type of our controller method GetCategory
:
The first option is to use
Task<ActionResult<IEnumerable<string>>>
, which explicitly indicates that our method returns an action result containing a collection of strings. This is the preferred approach as it provides clarity about the type of response expected.
The second option, although less preferred, is to use
Task<IActionResult>
This code simply indicates that our method returns any kind of action result and we prefer the first option as it offers better clarity and type safety, making our code easier to understand and maintain.