gpt4 book ai didi

c# - 通过约定/反射动态地连接 View、Model 和 Presenter

转载 作者:太空宇宙 更新时间:2023-11-03 13:51:12 25 4
gpt4 key购买 nike

我正在尝试使用 MVP 模式开发应用程序。

问题是手动连接所有代码。我希望减少所需的代码。我试图复制另一个解决方案,但我无法开始工作。我正在使用 Winforms,而我用作源的解决方案是使用 WPF。

它会根据一些约定连接东西:

View events are wired by name. For example:"Loaded" event on the view will be wired to the "OnLoaded()" method on the presenter Button commands are wired by name. For example: MoveNext" button is wired to the "OnMoveNext()" method. Grids double click is wired by name. For example: Double click on "Actions" will be wired to the "OnActionsChoosen(ToDoAction)"

WPF 中的工作代码是:

    private static void WireListBoxesDoubleClick(IPresenter presenter)
{
var presenterType = presenter.GetType();
var methodsAndListBoxes = from method in GetActionMethods(presenterType)
where method.Name.EndsWith("Choosen")
where method.GetParameters().Length == 1
let elementName = method.Name.Substring(2, method.Name.Length - 2 /*On*/- 7 /*Choosen*/)
let matchingListBox = LogicalTreeHelper.FindLogicalNode(presenter.View, elementName) as ListBox
where matchingListBox != null
select new {method, matchingListBox};

foreach (var methodAndEvent in methodsAndListBoxes)
{
var parameterType = methodAndEvent.method.GetParameters()[0].ParameterType;
var action = Delegate.CreateDelegate(typeof(Action<>).MakeGenericType(parameterType),
presenter, methodAndEvent.method);

methodAndEvent.matchingListBox.MouseDoubleClick += (sender, args) =>
{
var item1 = ((ListBox)sender).SelectedItem;
if(item1 == null)
return;
action.DynamicInvoke(item1);
};
}
}

private static void WireEvents(IPresenter presenter)
{
var viewType = presenter.View.GetType();
var presenterType = presenter.GetType();
var methodsAndEvents =
from method in GetParameterlessActionMethods(presenterType)
let matchingEvent = viewType.GetEvent(method.Name.Substring(2))
where matchingEvent != null
where matchingEvent.EventHandlerType == typeof(RoutedEventHandler)
select new { method, matchingEvent };

foreach (var methodAndEvent in methodsAndEvents)
{
var action = (Action)Delegate.CreateDelegate(typeof(Action),
presenter, methodAndEvent.method);

var handler = (RoutedEventHandler)((sender, args) => action());
methodAndEvent.matchingEvent.AddEventHandler(presenter.View, handler);
}
}

private static IEnumerable<MethodInfo> GetActionMethods(Type type)
{
return from method in type.GetMethods(BindingFlags.DeclaredOnly | BindingFlags.Public | BindingFlags.Instance)
where method.Name.StartsWith("On")
select method;
}

private static IEnumerable<MethodInfo> GetParameterlessActionMethods(Type type)
{
return from method in GetActionMethods(type)
where method.GetParameters().Length == 0
select method;
}

无论如何,我尝试将其移植到 WinForm 应用程序,但没有成功。我将 RoutedEventHandlers 更改为 EventHandlers,但找不到如何处理 LogicalTreeHelper

我有点卡在这上面了。我可以手动完成,但我发现这个迷你框架如此巧妙,以至于它几乎是疯狂的。

PS:来源是http://msdn.microsoft.com/en-us/magazine/ee819139.aspx

编辑

我刚刚意识到一件事。我没变傻,上面的代码不是很适合测试,是吗?

最佳答案

好的。我自己搞定了。我只是发布答案,因为至少有其他人觉得有趣。

一、景色

public interface IBaseView
{
void Show();
C Get<C>(string controlName) where C : Control; //Needed to later wire the events
}

public interface IView : IBaseView
{
TextBox ClientId { get; set; } //Need to expose this
Button SaveClient { get; set; }
ListBox MyLittleList { get; set; }
}

public partial class View : Form, IView
{
public TextBox ClientId //since I'm exposing it, my "concrete view" the controls are camelCased
{
get { return this.clientId; }
set { this.clientId = value; }
}

public Button SaveClient
{
get { return this.saveClient; }
set { this.saveClient = value; }
}

public ListBox MyLittleList
{
get { return this.myLittleList; }
set { this.myLittleList = value; }
}

//The view must also return the control to be wired.
public C Get<C>(string ControlName) where C : Control
{
var controlName = ControlName.ToLower();
var underlyingControlName = controlName[0] + ControlName.Substring(1);
var underlyingControl = this.Controls.Find(underlyingControlName, true).FirstOrDefault();
//It is strange because is turning PascalCase to camelCase. Could've used _Control for the controls on the concrete view instead
return underlyingControl as C;
}

现在是演示者:

public class Presenter : BasePresenter <ViewModel, View>
{
Client client;
IView view;
ViewModel viewModel;

public Presenter(int clientId, IView viewParam, ViewModel viewModelParam)
{
this.view = viewParam;
this.viewModel = viewModelParam;

client = viewModel.FindById(clientId);
BindData(client);
wireEventsTo(view); //Implement on the base class
}

public void OnSaveClient(object sender, EventArgs e)
{
viewModel.Save(client);
}

public void OnEnter(object sender, EventArgs e)
{
MessageBox.Show("It works!");
}

public void OnMyLittleListChanged(object sender, EventArgs e)
{
MessageBox.Show("Test");
}
}

“魔法”发生在基类。在 wireEventsTo(IBaseView View )

public abstract class BasePresenter
<VM, V>
where VM : BaseViewModel
where V : IBaseView, new()
{

protected void wireEventsTo(IBaseView view)
{
Type presenterType = this.GetType();
Type viewType = view.GetType();

foreach (var method in presenterType.GetMethods())
{
var methodName = method.Name;

if (methodName.StartsWith("On"))
{
try
{
var presenterMethodName = methodName.Substring(2);
var nameOfMemberToMatch = presenterMethodName.Replace("Changed", ""); //ListBoxes wiring

var matchingMember = viewType.GetMember(nameOfMemberToMatch).FirstOrDefault();

if (matchingMember == null)
{
return;
}

if (matchingMember.MemberType == MemberTypes.Event)
{
wireMethod(view, matchingMember, method);
}

if (matchingMember.MemberType == MemberTypes.Property)
{
wireMember(view, matchingMember, method);
}

}
catch (Exception ex)
{
continue;
}
}
}
}

private void wireMember(IBaseView view, MemberInfo match, MethodInfo method)
{
var matchingMemberType = ((PropertyInfo)match).PropertyType;

if (matchingMemberType == typeof(Button))
{
var matchingButton = view.Get<Button>(match.Name);

var eventHandler = (EventHandler)EventHandler.CreateDelegate(typeof(EventHandler), this, method);

matchingButton.Click += eventHandler;
}

if (matchingMemberType == typeof(ListBox))
{
var matchinListBox = view.Get<ListBox>(match.Name);

var eventHandler = (EventHandler)EventHandler.CreateDelegate(typeof(EventHandler), this, method);

matchinListBox.SelectedIndexChanged += eventHandler;
}
}

private void wireMethod(IBaseView view, MemberInfo match, MethodInfo method)
{
var viewType = view.GetType();

var matchingEvent = viewType.GetEvent(match.Name);

if (matchingEvent != null)
{
if (matchingEvent.EventHandlerType == typeof(EventHandler))
{
var eventHandler = EventHandler.CreateDelegate(typeof(EventHandler), this, method);
matchingEvent.AddEventHandler(view, eventHandler);
}

if (matchingEvent.EventHandlerType == typeof(FormClosedEventHandler))
{
var eventHandler = FormClosedEventHandler.CreateDelegate(typeof(FormClosedEventHandler), this, method);
matchingEvent.AddEventHandler(view, eventHandler);
}
}
}
}

我已经让这个在这里正常工作了。它将 Presenter 上的 EventHandler 自动连接到 IView 上的控件的默认事件。

另外,附带说明一下,我想分享 BindData 方法。

    protected void BindData(Client client)
{
string nameOfPropertyBeingReferenced;

nameOfPropertyBeingReferenced = MVP.Controller.GetPropertyName(() => client.Id);
view.ClientId.BindTo(client, nameOfPropertyBeingReferenced);

nameOfPropertyBeingReferenced = MVP.Controller.GetPropertyName(() => client.FullName);
view.ClientName.BindTo(client, nameOfPropertyBeingReferenced);
}

public static void BindTo(this TextBox thisTextBox, object viewModelObject, string nameOfPropertyBeingReferenced)
{
Bind(viewModelObject, thisTextBox, nameOfPropertyBeingReferenced, "Text");
}

private static void Bind(object sourceObject, Control destinationControl, string sourceObjectMember, string destinationControlMember)
{
Binding binding = new Binding(destinationControlMember, sourceObject, sourceObjectMember, true, DataSourceUpdateMode.OnPropertyChanged);
//Binding binding = new Binding(sourceObjectMember, sourceObject, destinationControlMember);
destinationControl.DataBindings.Clear();
destinationControl.DataBindings.Add(binding);
}

public static string GetPropertyName<T>(Expression<Func<T>> exp)
{
return (((MemberExpression)(exp.Body)).Member).Name;
}

这从绑定(bind)中消除了“魔法字符串”。我认为它也可以用在 INotificationPropertyChanged 上。

无论如何,我希望有人觉得它有用。如果您想指出代码异味,我完全同意。

关于c# - 通过约定/反射动态地连接 View、Model 和 Presenter,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/13635503/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com