16

我有一个使用 Model-View-ViewModel 模式的 WPF 应用程序。
在我的 ViewModel 中,我有一个 ListCollectionView 来保存项目列表。
此 ListCollectionView 绑定到我的视图中的 ListBox。

<ListBox Grid.Row="1" ItemsSource="{Binding Useragents}" SelectionMode="Multiple"/>

ListBox 具有 SelectionMode=Multiple,因此您可以一次选择多个项目。现在 ViewModel 需要知道哪些项目已被选中。

问题是:在 View-Model-ViewModel 模式中,ViewModel 无法访问 View,所以我不能只询问 ListBox 哪些项目已被选中。我所拥有的只是 ListCollectionView,但我无法找到一种方法来查找其中已选择哪些项目。

那么如何找到 ListBox 中选择了哪些项目呢?或者实现这一点的技巧(也许将某些东西绑定到我的项目中的布尔“IsSelected”?但是什么?如何?)

也许使用这种模式的人也可以在这里帮助我?

4

9 回答 9

12

您需要创建一个具有 IsSelected 概念的 ViewModel,并绑定到使用标准 WPF 绑定架构在 View 中表示它的实际 ListBoxItem 的 IsSelected 属性。

然后在您的代码中,它知道您的 ViewModel,但不知道它由任何特定 View 表示的事实,可以只使用该属性来找出模型中的哪些项目实际上是被选择的,而不管设计师选择它在看法。

于 2009-01-16T21:46:20.583 回答
9

PRISM MVVM 参考实现有一个称为 SynchronizeSelectedItems 的行为,在 Prism4\MVVM RI\MVVM.Client\Views\MultipleSelectionView.xaml 中使用,它将选中的项目与名为的 ViewModel 属性同步Selections

        <ListBox Grid.Column="0" Grid.Row="1" IsTabStop="False" SelectionMode="Multiple"
                 ItemsSource="{Binding Question.Range}" Margin="5">

            <ListBox.ItemContainerStyle>
                <!-- Custom style to show the multi-selection list box as a collection of check boxes -->
                <Style TargetType="ListBoxItem">
                    <Setter Property="Template">
                        <Setter.Value>
                            <ControlTemplate TargetType="ListBoxItem">
                                <Grid Background="Transparent">
                                    <CheckBox IsChecked="{Binding IsSelected, RelativeSource={RelativeSource TemplatedParent}, Mode=TwoWay}" 
                                              IsHitTestVisible="False" IsTabStop="True"
                                              AutomationProperties.AutomationId="CheckBoxAutomationId">
                                        <ContentPresenter/>
                                    </CheckBox>
                                </Grid>
                            </ControlTemplate>
                        </Setter.Value>
                    </Setter>
                </Style>
            </ListBox.ItemContainerStyle>
            <i:Interaction.Behaviors>
                <!-- Custom behavior that synchronizes the selected items with the view models collection -->
                <Behaviors:SynchronizeSelectedItems Selections="{Binding Selections}"/>
            </i:Interaction.Behaviors>
        </ListBox>

转到http://compositewpf.codeplex.com/并全部获取或使用它:

//===================================================================================
// Microsoft patterns & practices
// Composite Application Guidance for Windows Presentation Foundation and Silverlight
//===================================================================================
// Copyright (c) Microsoft Corporation.  All rights reserved.
// THIS CODE AND INFORMATION IS PROVIDED "AS IS" WITHOUT WARRANTY
// OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING BUT NOT
// LIMITED TO THE IMPLIED WARRANTIES OF MERCHANTABILITY AND
// FITNESS FOR A PARTICULAR PURPOSE.
//===================================================================================
// The example companies, organizations, products, domain names,
// e-mail addresses, logos, people, places, and events depicted
// herein are fictitious.  No association with any real company,
// organization, product, domain name, email address, logo, person,
// places, or events is intended or should be inferred.
//===================================================================================
using System;
using System.Collections;
using System.Collections.Specialized;
using System.Diagnostics.CodeAnalysis;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Interactivity;

namespace MVVM.Client.Infrastructure.Behaviors
{
    /// <summary>
    /// Custom behavior that synchronizes the list in <see cref="ListBox.SelectedItems"/> with a collection.
    /// </summary>
    /// <remarks>
    /// This behavior uses a weak event handler to listen for changes on the synchronized collection.
    /// </remarks>
    public class SynchronizeSelectedItems : Behavior<ListBox>
    {
        public static readonly DependencyProperty SelectionsProperty =
            DependencyProperty.Register(
                "Selections",
                typeof(IList),
                typeof(SynchronizeSelectedItems),
                new PropertyMetadata(null, OnSelectionsPropertyChanged));

        private bool updating;
        private WeakEventHandler<SynchronizeSelectedItems, object, NotifyCollectionChangedEventArgs> currentWeakHandler;

        [SuppressMessage("Microsoft.Usage", "CA2227:CollectionPropertiesShouldBeReadOnly",
            Justification = "Dependency property")]
        public IList Selections
        {
            get { return (IList)this.GetValue(SelectionsProperty); }
            set { this.SetValue(SelectionsProperty, value); }
        }

        protected override void OnAttached()
        {
            base.OnAttached();

            this.AssociatedObject.SelectionChanged += this.OnSelectedItemsChanged;
            this.UpdateSelectedItems();
        }

        protected override void OnDetaching()
        {
            this.AssociatedObject.SelectionChanged += this.OnSelectedItemsChanged;

            base.OnDetaching();
        }

        private static void OnSelectionsPropertyChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
        {
            var behavior = d as SynchronizeSelectedItems;

            if (behavior != null)
            {
                if (behavior.currentWeakHandler != null)
                {
                    behavior.currentWeakHandler.Detach();
                    behavior.currentWeakHandler = null;
                }

                if (e.NewValue != null)
                {
                    var notifyCollectionChanged = e.NewValue as INotifyCollectionChanged;
                    if (notifyCollectionChanged != null)
                    {
                        behavior.currentWeakHandler =
                            new WeakEventHandler<SynchronizeSelectedItems, object, NotifyCollectionChangedEventArgs>(
                                behavior,
                                (instance, sender, args) => instance.OnSelectionsCollectionChanged(sender, args),
                                (listener) => notifyCollectionChanged.CollectionChanged -= listener.OnEvent);
                        notifyCollectionChanged.CollectionChanged += behavior.currentWeakHandler.OnEvent;
                    }

                    behavior.UpdateSelectedItems();
                }
            }
        }

        private void OnSelectedItemsChanged(object sender, SelectionChangedEventArgs e)
        {
            this.UpdateSelections(e);
        }

        private void UpdateSelections(SelectionChangedEventArgs e)
        {
            this.ExecuteIfNotUpdating(
                () =>
                {
                    if (this.Selections != null)
                    {
                        foreach (var item in e.AddedItems)
                        {
                            this.Selections.Add(item);
                        }

                        foreach (var item in e.RemovedItems)
                        {
                            this.Selections.Remove(item);
                        }
                    }
                });
        }

        private void OnSelectionsCollectionChanged(object sender, NotifyCollectionChangedEventArgs e)
        {
            this.UpdateSelectedItems();
        }

        private void UpdateSelectedItems()
        {
            this.ExecuteIfNotUpdating(
                () =>
                {
                    if (this.AssociatedObject != null)
                    {
                        this.AssociatedObject.SelectedItems.Clear();
                        foreach (var item in this.Selections ?? new object[0])
                        {
                            this.AssociatedObject.SelectedItems.Add(item);
                        }
                    }
                });
        }

        private void ExecuteIfNotUpdating(Action execute)
        {
            if (!this.updating)
            {
                try
                {
                    this.updating = true;
                    execute();
                }
                finally
                {
                    this.updating = false;
                }
            }
        }
    }
}
于 2011-12-03T17:32:23.200 回答
1

查看 Josh Smith的这篇博文 绑定到分组 ICollectionView 时最初选择的项目

于 2009-03-26T19:56:01.317 回答
1

Drew Marsh 的解决方案效果很好,我推荐它。我还有另一个解决方案!

模型视图 ViewModel 是一个被动视图,您还可以使用演示模型访问演示文稿的某些数据,而无需与 WPF 耦合(此模式用于PRISM的Stocktrader示例)。

于 2009-03-26T20:11:08.397 回答
1

如果您有一个小列表,Drew Marsh 的答案很好,如果您有一个大列表,查找所有选定项目的性能可能会很糟糕!我最喜欢的解决方案是在 ListBox 上创建一个附加属性,然后绑定到包含所选项目的 ObservableCollection。然后使用附加的属性订阅 items SelectionChanged 事件以从集合中添加/删除项目。

于 2009-07-02T20:05:42.903 回答
1

对我来说,最好的答案是打破一点 MVVM 的原则。

在后面的代码 1. 实例化您的 viewModel 2. 添加一个事件处理程序 SelectionChanged 3. 遍历您选择的项目并将每个项目添加到您的 viewModel 列表中

ViewModel viewModel = new ViewModel();

viewModel.SelectedModules = new ObservableCollection<string>();

foreach (var selectedModule in listBox1.SelectedItems)
{
    viewModel.SelectedModules.Add(selectedModule.ToString());
}
于 2012-09-10T09:57:03.033 回答
0

这是 View-Model-ViewModel 模式的另一种变体,其中 ViewModel 可以通过 IView 接口访问视图。

我遇到了很多不能使用 WPF 绑定的场景,然后你需要在代码中同步 View 和 ViewModel 之间的状态。

这里显示了如何做到这一点:

WPF 应用程序框架 (WAF)

于 2009-07-02T19:09:03.253 回答
0

看看这里 http://blog.functionalfun.net/2009/02/how-to-databind-to-selecteditems.html

于 2009-10-06T13:33:48.210 回答
0

David Rogers 的解决方案很棒,在以下相关问题中有详细说明:

将多选列表框中的 SelectedItems 与 ViewModel 中的集合同步

于 2010-11-18T03:10:02.397 回答