我需要在用户通过下拉列表选择的条件之后过滤和排序数据条目。可选择的将是“最新条目优先”,“最早条目优先”,“最低价格优先”等。
我可以为选项和switch / case创建一个enum来检索数据,但我宁愿以一种易于扩展的方式执行此操作。
哪种设计模式最适合这种情况?
答案 0 :(得分:3)
每个人都提到了策略模式。只是想我会发布我的简单实现。不需要使它比必要的更复杂。
public enum SortMethod
{
Newest,
Oldest,
LowestPrice,
}
public class Foo
{
public DateTime Date {get;set;}
public decimal Price {get;set;}
}
...
var strategyMap = new Dictionary<SortMethod, Func<IEnumerable<Foo>, IEnumerable<Foo>>>
{
{ SortMethod.Newest, x => x.OrderBy(y => y.Date) },
{ SortMethod.Oldest, x => x.OrderByDescending(y => y.Date) },
{ SortMethod.LowestPrice, x => x.OrderBy(y => y.Price) }
};
...
var unsorted = new List<Foo>
{
new Foo { Date = new DateTime(2012, 1, 3), Price = 10m },
new Foo { Date = new DateTime(2012, 1, 1), Price = 30m },
new Foo { Date = new DateTime(2012, 1, 2), Price = 20m }
};
var sorted = strategyMap[SortMethod.LowestPrice](unsorted);
答案 1 :(得分:0)
我并不总是善于命名正确的模式以符合我的想法,但我最初的想法是为什么不为每个选项创建一个简单的类并实现IComparer(T),然后加载这些项作为您的下拉选项。除了接口方法之外,您可能只需要一个name属性。
public class NameSorter: IComparer<WhateverObj>
{
public String DisplayName;
public int Compare(WhateverObj x, WhateverObj y)
{
}
}
答案 2 :(得分:0)
正如评论中所提到的,这听起来像是Strategy pattern的工作。你会认识到它,因为这已经在.NET框架中有很大的功能。
这是一个使用IComparer的示例,或者我更喜欢使用3.5中的LINQ扩展方法。您仍然需要向基类添加工厂样式方法,以确定它应该使用哪个比较器,或者您可以将其作为数据的一部分存储在下拉列表中。
static void Main(string[] args)
{
List<User> users = new List<User>();
users.Add(new User() { Name = "Larry", Age = 35 });
users.Add(new User() { Name = "Bob", Age = 25 });
users.Add(new User() { Name = "Brian", Age = 30 });
NameComparer sorter = new NameComparer();
IEnumerable<User> sortedUsers = sorter.Sort(users);
NameComparer35 sorter35 = new NameComparer35();
IEnumerable<User> sortedUsers35 = sorter35.Sort(users);
}
public abstract class MyComparer<T> : IComparer<T> where T: User
{
public abstract int Compare(T x, T y);
public IEnumerable<T> Sort(IEnumerable<T> items)
{
items.ToList().Sort(this);
return items;
}
}
public abstract class MyComparer35<T> where T : User
{
public abstract IEnumerable<T> Sort(IEnumerable<T> items);
}
public class NameComparer35 : MyComparer35<User>
{
public override IEnumerable<User> Sort(IEnumerable<User> items)
{
return items.OrderBy(u => u.Name);
}
}
public class NameComparer : MyComparer<User>
{
public override int Compare(User x, User y)
{
return x.Name.CompareTo(y.Name);
}
}
public class AgeComparer : MyComparer<User>
{
public override int Compare(User x, User y)
{
return x.Age.CompareTo(y.Age);
}
}
public class User
{
public string Name { get; set; }
public int Age { get; set; }
public override string ToString()
{
return string.Format("{0} {1}", Name, Age);
}
}