Part 1: http://vunvulearadu.blogspot.ro/2014/08/how-to-define-rest-service-with.html
Part 2: http://vunvulearadu.blogspot.ro/2014/08/how-to-define-rest-service-with_17.html
In this post we will see how we can implement using ApiController, a REST service that expose a list of items using pagination.
In the previous post related to this subject we define the REST API for pagination. We saw how important is for clients to has all the information directly in the message itself. For example the next page URL should be send by the service, not constructs by the clients.
The below example contains the request and response of our REST service.
Let’s assume that we are using Entity Framework to fetch data from database. To be able to get only the items that we need for the requested page we will need to use a LINQ expression that contains
Unfortunately, Skip and Take commands can be used only in combination with OrderBy. Because of this we will need to call and apply an order by before each query. This is needed because this is the only way how EF can guarantee that the items that are returned are the expected one (items from database are not orders).
The response from the repository can we wrapped in a class that extends List<T> and has a property with all the information related to pagination (page number, size, items count).
Our controller is very simple, it only has to call the repository method that gets the items and format the response using the above code.
Conclusion
We are done. In this post we saw how easy we can expose a REST API with pagination support using EF and ApiController.
Part 2: http://vunvulearadu.blogspot.ro/2014/08/how-to-define-rest-service-with_17.html
In this post we will see how we can implement using ApiController, a REST service that expose a list of items using pagination.
In the previous post related to this subject we define the REST API for pagination. We saw how important is for clients to has all the information directly in the message itself. For example the next page URL should be send by the service, not constructs by the clients.
The below example contains the request and response of our REST service.
Request:
GET /api/cars?pageNumber=3&pageSize=20
Response:
{
"pageNumber":1,
"pageSize":20,
"totalPages":3,
"totalItemsCount":46,
"prevPageLink":"",
"nextPageLink":"/api/car?page=2&pageSize=20",
"firstPageLink":"/api/car?page=1&pageSize=20",
"lastPageLink":"/api/car?page=2&pageSize=20",
"items":[
...
]
}
Get items from databaseLet’s assume that we are using Entity Framework to fetch data from database. To be able to get only the items that we need for the requested page we will need to use a LINQ expression that contains
- Skip – to get only the items starting from a specific location
- Take – take only the items that are needed for the current page
Unfortunately, Skip and Take commands can be used only in combination with OrderBy. Because of this we will need to call and apply an order by before each query. This is needed because this is the only way how EF can guarantee that the items that are returned are the expected one (items from database are not orders).
List<Car> entities = carSet
.OrderBy(x => x.Id)
.Skip((pageNumber - 1) * pageSize)
.Take(pageSize)
.ToList();
On top of this we will need to get the total number of items. For this we will to make another query that retrieves the total available items.int totalItems = carSet.Count();
Generate responseThe response from the repository can we wrapped in a class that extends List<T> and has a property with all the information related to pagination (page number, size, items count).
public class Page<TItem> : List<TItem>
{
public Page()
{
}
public Page(IEnumerable<TItem> collection, Paging paging)
: base(collection)
{
Paging = paging;
}
public Paging Paging { get; set; }
}
Class that contains all the information related to pagination:public class Paging
{
public int PageNumber { get; set; }
public int PageSize { get; set; }
public int TotalPages { get; set; }
public int TotalItemsCount { get; set; }
public bool HasNext
{
get
{
return TotalPages > PageNumber;
}
}
public bool HasPrev
{
get
{
return PageNumber > 1 && PageNumber <= TotalPages;
}
}
}
Next we will need to use a dynamic object to generate the response message that contains all the necessary information.public class PaginationUtility
{
private const string PageNumberQueryName = "page";
private const string PageSizeQueryName = "pageSize";
private const string ErrorMessageForInvalidPage = "This page don't exist.";
public HttpResponseMessage CreateResponseMessageForPaginaionRequests<TEntity>(Page<TEntity> requestedPage,
HttpRequestMessage request)
{
dynamic bodyMessage = CreateResponseBody(requestedPage, request);
HttpResponseMessage responseMessage = requestedPage.Count == 0 ||
requestedPage.Paging.PageNumber > requestedPage.Paging.TotalPages
? CreateResponseMessageForInvalidPagingRequest(request)
: CreateResponseMessageForPagingRequest(request);
responseMessage.Content = new StringContent(JsonConvert.SerializeObject(bodyMessage));
return responseMessage;
}
private static dynamic CreateResponseBody<TEntity>(Page<TEntity> requestedPage, HttpRequestMessage requestMessage)
{
Paging currentPage = requestedPage.Paging;
string uriPath = requestMessage.RequestUri.GetLeftPart(UriPartial.Path);
string prevPageLink = currentPage.HasPrev
? GeneratePaginationNavigationUri(currentPage.PageNumber - 1, currentPage.PageSize, uriPath)
: string.Empty;
string nextPageLink = currentPage.HasNext
? GeneratePaginationNavigationUri(currentPage.PageNumber + 1, currentPage.PageSize, uriPath)
: string.Empty;
string firstPageLink = currentPage.TotalPages == 0
? string.Empty
: GeneratePaginationNavigationUri(1, currentPage.PageSize, uriPath);
string lastPageLink = currentPage.TotalPages == 0
? string.Empty
: GeneratePaginationNavigationUri(requestedPage.Paging.TotalPages, currentPage.PageSize, uriPath);
dynamic pagInformation = new
{
pageNumber = currentPage.PageNumber,
pageSize = currentPage.PageSize,
totalPages = currentPage.TotalPages,
totalItemsCount = currentPage.TotalItemsCount,
prevPageLink,
nextPageLink,
firstPageLink,
lastPageLink,
items = requestedPage.ToList()
};
return pagInformation;
}
private static HttpResponseMessage CreateResponseMessageForInvalidPagingRequest(HttpRequestMessage request)
{
HttpResponseMessage errorResponse = request.CreateErrorResponse(
HttpStatusCode.NoContent,
ErrorMessageForInvalidPage);
return errorResponse;
}
private static HttpResponseMessage CreateResponseMessageForPagingRequest(HttpRequestMessage request)
{
HttpResponseMessage response = request.CreateResponse(HttpStatusCode.OK);
return response;
}
private static string GeneratePaginationNavigationUri(int page, int pageSize, string uriPath)
{
UriBuilder prevUriBuilder = new UriBuilder(uriPath);
NameValueCollection prevQuery = HttpUtility.ParseQueryString(prevUriBuilder.Query);
prevQuery.Add(PageNumberQueryName, page.ToString(CultureInfo.InvariantCulture));
prevQuery.Add(PageSizeQueryName, pageSize.ToString(CultureInfo.InvariantCulture));
prevUriBuilder.Query = prevQuery.ToString();
return prevUriBuilder.ToString();
}
}
ApiControllerOur controller is very simple, it only has to call the repository method that gets the items and format the response using the above code.
[HttpGet]
public HttpResponseMessage Get(int page, int pageSize)
{
...
}
Conclusion
We are done. In this post we saw how easy we can expose a REST API with pagination support using EF and ApiController.
Comments
Post a Comment