Упорядочение по свойству ICollection с использованием его имени в виде строки с динамической библиотекой Linq

Я искал практически каждый вопрос, блог или документацию, чтобы найти ответ на этот вопрос. Несколько фактически помогли мне приблизиться к этому, но я все еще не решил это, так как большинство было или устаревшим или не совсем соответствовало тому, что мне было нужно. Не беспокойтесь рассказывать мне об Expressions, так как, если бы я выбрал более длинный маршрут, я бы не использовал эту библиотеку.

Моя цель проекта - обеспечить фильтрацию и упорядочение с помощью универсальных методов, используя только строки имен таблиц / столбцов и значения, используемые для фильтрации. Короче говоря, у меня есть две таблицы с отношением от 1 до n, связанные в основном так, и я хочу заказать по имени клиента:

public partial class Transactions{
    public ICollection<Customer> customer { get; set; };
}

public partial class Customer{
    public string name { get; set; };
}

До сих пор у меня было достаточно много для достижения того, чего я хочу, кроме как выяснить, как правильно структурировать строку OrderBy, таким образом, чтобы я использовал один результат ICollection.

То, что я имею до сих пор, очень похоже на это (извините за то, что слишком многословен в моей документации):

using System.Linq.Dynamic;
using System.Reflection;

namespace com.betha.common
{
    public class Filter
    {
        /// <summary>
        /// Dictionary of codenames and column names populated by a different, specific class (properties.Add("customer", "tb_customer.name"))
        /// </summary>
        public Dictionary<string, string> properties;

        public Filter(Dictionary<string, string> properties)
        {
            this.properties = properties;
        }

        /// <summary>
        /// Generic method designed to filter and order using just lists of column names and values
        /// </summary>
        /// <typeparam name="T">Type of the first IQueryable</typeparam>
        /// <typeparam name="T2">Type of the second IQueryable</typeparam>
        /// <param name="query">IQueryable containing the results from the parent table (context.table1).AsQueryable();</param>
        /// <param name="query2">IQueryable containing a single result from a descendant table (context.table2.Select(t2 => t2.field).FirstOrDefault()).AsQueryable();</param>
        /// <param name="prop">Property codename that if used, matches a properties codename Key</param>
        /// <param name="descend">Condition for ascending or descending results</param>
        /// <returns>Ordered and/or filtered IQueryable</returns>
        public IQueryable<T> FilterandOrder<T, T2>(IQueryable<T> query, IQueryable<T2> query2, string prop = null, string descend = null)
        {
            if (!String.IsNullOrEmpty(prop))
            {
                foreach (KeyValuePair<string, string> item in properties)
                {
                    if (prop == item.Key)
                    {
                        prop = item.Value;
                    }
                }
                T2 subprop = query2.FirstOrDefault();

                if (prop.Contains("."))
                {
                    switch (prop.Split('.'))
                    {
                        default:
                            PropertyInfo property = subprop.GetType().GetProperty(prop.Split('.')[1]);
                            ParameterInfo[] index = property.GetIndexParameters();
                            object value = subprop.GetType().GetProperty(prop.Split('.')[1]).GetValue(subprop, index);

                            //This is the main issue, I have pretty much everything I should need, but I can't imagine how to write this OrderBy string properly.
                            //If I were to do it without the library: table.OrderBy(t => t.table2.Select(t2 => t2.field).FirstOrDefault());
                            //Without ordering by an ICollection property, like in the else below, string should look like: "field".
                            //Or in case of a 1 to 1 relationship, "table2.field".
                            query = DynamicQueryable.OrderBy(query, prop + (descend == "dec" ? " descending" : ""), value);
                            break;
                    }
                }
                else
                {
                    query = DynamicQueryable.OrderBy(query, prop + (descend == "dec" ? " descending" : ""));
                }
            }

            return query;
        }
    }
}

1 ответ

Решение

Вы можете заменить t => t.table2.Select(t2 => t2.field).FirstOrDefault() с поддерживаемой функцией, Min():

OrderBy("table2.Min(field)");
Другие вопросы по тегам