Size: 3075
Comment:
|
Size: 3076
Comment:
|
Deletions are marked like this. | Additions are marked like this. |
Line 43: | Line 43: |
{{{!csharp | {{{#!csharp |
Entity Framework and Windows Presentation Foundation Walk Through
Entity Framework
The first thing to do is get the Database Model going:
- Fire up Visual Studio 2012
- Create a new project called EF_WPF_Example, Select Windows, WPF project type.
- If the Data Sources side bar (windows) is not visible Press Shift+Alt+D
- Click Add New Data Sources and in the wizard...
- Click Database, Next
- Entity Data Model, Next
- Generate from database, Next
- Click New Connection...
- Give your server name and click on the drop down under "Select or enter a database name"
- Select the University Database Example that we have been working on.
- Test the connection to make sure that it works, then click OK
- Make a special note of the connection string name, Click next
Under tables place check marks next to "advisor", "instructor", "student" and notice the Model Namespace (Mine was UniversityExampleModel), Click Finish.
Your file should now look like this:
One last thing: Rename the file to be UniversityModel (I just don't like Model1.edmx).
WPF Part (1)
Now we will build the GUI (You could do this in Blend too, but I'm going to use Visual Studio 2012).
- Make sure the toolbox is visible.
Add two Label and two TextBox objects on the screen, one DataGrid and three buttons so that it looks like the following (Don't worry about the Binding yet though!):
Creating the View Model
There are two parts to the view model. First you need to create an object that implements ICommand. I'm using a rather standard way of doing these called a DelegateCommand
1 using System;
2 using System.Collections.Generic;
3 using System.Linq;
4 using System.Text;
5 using System.Threading.Tasks;
6 using System.Windows.Input;
7
8 namespace EF_WPF_Example
9 {
10 class DelegateCommand : ICommand
11 {
12 private readonly Predicate<object> _canExecute;
13 private readonly Action<object> _execute;
14 private bool flagExecutable = false;
15
16 public event EventHandler CanExecuteChanged;
17
18 public DelegateCommand(Action<object> execute, Predicate<object> canExecute)
19 {
20 _execute = execute;
21 _canExecute = canExecute;
22 }
23
24 public bool CanExecute(object parameter)
25 {
26 bool flag = _canExecute == null || _canExecute(parameter);
27 if (flagExecutable != flag)
28 {
29 flagExecutable = !flagExecutable;
30 RaiseCanExecuteChanged();
31 }
32 return flag;
33 }
34
35 public void Execute(object parameter)
36 {
37 _execute(parameter);
38 }
39
40 public void RaiseCanExecuteChanged()
41 {
42 if (CanExecuteChanged != null)
43 {
44 CanExecuteChanged(this, EventArgs.Empty);
45 }
46 }
47 }
48 }