2

我在我的 WPF 应用程序中使用 EntityFramework 库并且遇到以下问题:我正在使用 MVVM 模式(据我所知)并且我正在尝试使用 EF 值进行组合框查找。

  • 我有一个包含许多办公室的公司类(也是一个类)
  • 这已通过 EntityFramework 建模,并且所有链接都是正确的(Office 有一个 CompanyName,它是一个外键)。

这是 OfficeView 类:

public partial class AddOffice : Window
{
    private DBHelper.ResourceManagementContext context = new DBHelper.ResourceManagementContext();
    public AddOffice()
    {
        InitializeComponent();
        context.Companies.Load(); 
        this.DataContext = context.Companies.Local; 
        //this.DataContext = new AddOfficeViewModel();
    }

    public void CloseCommandHandler(object sender, ExecutedRoutedEventArgs e)
    {
        this.Close();
    }
}

这是相应的 XAML:

  <Label Grid.Row="4" Grid.Column="0" Margin="10,10">Company:</Label>
    <ComboBox Grid.Row="4" Grid.Column="1" Margin="10,10"
              ItemsSource="{Binding}"
              DisplayMemberPath="CompanyName"
              SelectedValuePath="CompanyName"
              SelectedValue="{Binding Path=CompanyName}"/>

我知道 MVVM 模式通常将 ViewModel 传递给 View,那么我将如何使用 OfficeViewModel 将 EntityFramework Company 列表绑定到 ComboBox?

我了解 ComboBox 属性。我知道选定的值将是 Office 对象中的 CompanyName,SeletecValuePath 将是 Company 对象中的 CompanyName。

4

1 回答 1

4

在视图模型中:

    class OfficeViewModel
{

    private string _CompanyName;

    public string CompanyName
    {
        get
        {
            return _CompanyName;
        }
        set
        {
            _CompanyName = value;
            NotifyPropertyChanged("CompanyName");
        }
    }

    private List<Location> _CompanyList;

    public List<Location> CompanyList
    {
        get
        {
            return _CompanyList;
        }
        set
        {
            _CompanyList = value;
            NotifyPropertyChanged("CompanyList");
        }
    }

    public List<Company> GetCompanyList()
    {
        return (from comp in Entity.Companies select comp).ToList(); 
    }
}

在 Xaml 中:

在 xaml 中添加命名空间,如下所示:

xmlns:ViewModels="clr-namespace:WpfMvvmApplication.ViewModels"

在 window.resources 中添加以下内容:

<Window.Resources>
    <ViewModels:OfficeViewModel x:Key="OfficeController"/>       
</Window.Resources>

将视图模型绑定到组合框:

 <Label Grid.Row="4" Grid.Column="0" Margin="10,10">Company:</Label>
 <ComboBox Grid.Row="4" Grid.Column="1" Margin="10,10"
          ItemsSource="{Binding CompanyList, Source={StaticResource OfficeController}}"
          DisplayMemberPath="CompanyName"
          SelectedValuePath="CompanyName"
          SelectedValue="{Binding Path=CompanyName}"/>

希望这对您有所帮助。

于 2013-06-24T09:14:03.657 回答