Paging in servicestack ormlite

后端 未结 2 437
野性不改
野性不改 2021-02-07 20:20

I am looking for a good way to implement paging in ormlite and I found another question, which has this snippet:

var data = db.Select

(predicate).Ski
相关标签:
2条回答
  • 2021-02-07 20:46

    I built a higher-level wrapper if you prefer working with Page and PageSize:

    public static class PagingExtensions
    {
        public static SqlExpression<T> Page<T>(this SqlExpression<T> exp, int? page, int? pageSize)
        {
            if (!page.HasValue || !pageSize.HasValue)
                return exp;
    
            if (page <= 0) throw new ArgumentOutOfRangeException("page", "Page must be a number greater than 0.");
            if (pageSize <= 0) throw new ArgumentOutOfRangeException("pageSize", "PageSize must be a number greater than 0.");
    
            int skip = (page.Value - 1) * pageSize.Value;
            int take = pageSize.Value;
    
            return exp.Limit(skip, take);
        }
    
        // http://stackoverflow.com/a/3176628/508681
        public static int? LimitToRange(this int? value, int? inclusiveMinimum, int? inclusiveMaximum)
        {
            if (!value.HasValue) return null;
            if (inclusiveMinimum.HasValue && value < inclusiveMinimum) { return inclusiveMinimum; }
            if (inclusiveMaximum.HasValue && value > inclusiveMaximum) { return inclusiveMaximum; }
            return value;
        }
    }
    

    Then you can write your query as:

    var results = Db.Select<K>(predicate.Page(request.Page, request.PageSize));
    

    Or, using the additional helper method to keep Page and PageSize to sensical and (possibly) performant values:

    var results = Db.Select<K>(predicate.Page(request.Page.LimitTo(1,null) ?? 1, request.PageSize.LimitTo(1,100) ?? 100);
    

    Which will enforce reasonable limits on Page and PageSize

    0 讨论(0)
  • 2021-02-07 20:48

    Found the answer in ormlite's tests. Essentially we could use SqlExpressionVisitor's Limit() like this:

    var result = db.Select<K>( q => q.Where(predicate).Limit(skip:5, rows:10 ) );

    0 讨论(0)
提交回复
热议问题