модульный тест приложенное поведение wpf

Я - все еще понимание, присоединил поведения в целом и затрудняются видеть, как записать модульный тест на один.

Я вставил некоторый код ниже от платформы Подпруги Sacha Barber, которая позволяет окну быть закрытым через приложенное поведение. somewone может показать мне модульный тест в качестве примера на него?

Спасибо!
Berryl

    #region Close

    /// <summary>Dependency property which holds the ICommand for the Close event</summary>
    public static readonly DependencyProperty CloseProperty =
        DependencyProperty.RegisterAttached("Close",
            typeof(ICommand), typeof(Lifetime),
                new UIPropertyMetadata(null, OnCloseEventInfoChanged));

    /// <summary>Attached Property getter to retrieve the CloseProperty ICommand</summary>
    public static ICommand GetClose(DependencyObject source)
    {
        return (ICommand)source.GetValue(CloseProperty);
    }

    /// <summary>Attached Property setter to change the CloseProperty ICommand</summary>
    public static void SetClose(DependencyObject source, ICommand command)
    {
        source.SetValue(CloseProperty, command);
    }

    /// <summary>This is the property changed handler for the Close property.</summary>
    private static void OnCloseEventInfoChanged(DependencyObject sender, DependencyPropertyChangedEventArgs e)
    {
        var win = sender as Window;
        if (win == null) return;

        win.Closing -= OnWindowClosing;
        win.Closed -= OnWindowClosed;

        if (e.NewValue == null) return;

        win.Closing += OnWindowClosing;
        win.Closed += OnWindowClosed;
    }

    /// <summary>
    /// This method is invoked when the Window.Closing event is raised.  
    /// It checks with the ICommand.CanExecute handler
    /// and cancels the event if the handler returns false.
    /// </summary>
    private static void OnWindowClosing(object sender, CancelEventArgs e)
    {
        var dpo = (DependencyObject)sender;
        var ic = GetClose(dpo);
        if (ic == null) return;

        e.Cancel = !ic.CanExecute(GetCommandParameter(dpo));
    }

    /// <summary>
    /// This method is invoked when the Window.Closed event is raised.  
    /// It executes the ICommand.Execute handler.
    /// </summary>
    static void OnWindowClosed(object sender, EventArgs e)
    {
        var dpo = (DependencyObject)sender;
        var ic = GetClose(dpo);
        if (ic == null) return;

        ic.Execute(GetCommandParameter(dpo));
    }

    #endregion
7
задан Berryl 19 February 2010 в 14:43
поделиться

2 ответа

Вы, вероятно, использовали бы лямбда в своей ICommand , используя DelegateCommand или RelayCommand ]. Повсюду существует множество их реализаций, и в Cinch может быть что-то похожее. Действительно простая версия (например, не предназначенная для производственного использования):

public class DelegateCommand : ICommand {
    private Action _execute = null;

    public void Execute( object parameter ) {
        _execute();
    }

    public DelegateCommand( Action execute ) {
        _execute = execute;
    }

    #region stuff that doesn't affect functionality
    public bool CanExecute( object parameter ) {
        return true;
    }
    public event EventHandler CanExecuteChanged {
        add { }
        remove { }
    }
    #endregion
}

Тогда ваше тестовое тело может выглядеть примерно так:

bool wascalled = false;

var execute = new DelegateCommand(
    () => {
        wascalled = true;
    } );

var window = new Window();
SomeClass.SetClose( window, execute );

// does the window need to be shown for Close() to work? Nope.

window.Close();

AssertIsTrue( wascalled );

Это чрезмерно упрощенный пример. Конечно, есть и другие тесты, которые вы захотите выполнить, и в этом случае вы должны создать или найти более полную реализацию DelegateCommand , которая, помимо прочего, правильно реализует CanExecute .

5
ответ дан 7 December 2019 в 05:21
поделиться

Само по себе изменение DependencyProperty и принуждение значений выглядит для меня «невозможными зависимостями». Ссылка на Window делает все еще сложнее. Думаю, я бы пошел с паттерном Обычный объект здесь ...

3
ответ дан 7 December 2019 в 05:21
поделиться
Другие вопросы по тегам:

Похожие вопросы: