How to capture the effect of LIMIT clause in MySql using LINQ






4.50/5 (2 votes)
Limit the number of records that can be fetched from database based on its count like using the LIMIT clause in MySql
Have you ever wondered that how you could get the same effect of the LIMIT clause in MySql in Linq?
Limit clause helps us to limit the number of records that can be fetched from database based on its count.
For example given a 'customerMaster ' table:
SELECT * FROM 'customerMaster ' LIMIT 0, 10This will display the first 10 results from the database.
SELECT * FROM 'customerMaster ' LIMIT 5, 5This will show records 6, 7, 8, 9, and 10. Thus, it is really easier for us to create paginations, in various applications using MySql. We can get the same effect by using LINQ. For this, we need to know two keywords, Skip and Take. Consider the given example: Given that '
customerMaster
' is a business object containing the elements of the table 'customerMaster
'.
//define a business object instance CustomerMaster customerMaster = new CustomerMaster(); //get all the list of customers List<CustomerMaster> _customerMasterList = customerMaster.GetAll(); //The linq below gets the list of customers between start and offset. //i.e. if start=10 and offset=5, then it fetches the records starting from //11 to 15. int start=10,offset=5; var query = (from _customerMaster in _customerMasterList select _customerMaster).Skip(start).Take(offset).ToList();
Skip
clause actually bypasses a specified number of elements in a sequence and then returns the remaining elements and Take
returns a specified number of contiguous elements from the start of a sequence.
This helped to sort out my pagination problem. Hope it helps others too.
Cheers
Debolina