VS2010 WPF(C#) DataGrid + データベース バインド

  DataGrid に MDB のデータを読み込んで表示するテンプレート



SkyDrive へ移動




SQL を作成して、context.ExecuteQuery を実行してバインドします。バインドに必要なクラス( SELECT 構文に対応した表示用のクラス )を用いて、DataGrid には自動的に(DataGrid.AutoGenerateColumns プロパティ)バインドさせます。



  SELECT 構文の列リストの内容と対応するクラス



SQL

  
string cols = "社員コード,氏名,フリガナ,所属,性別," +
	"Format(社員マスタ.作成日, 'yyyy/MM/dd') as 作成日," +
	"Format(社員マスタ.更新日, 'yyyy/MM/dd') as 更新日," +
	"給与,手当,管理者,生年月日";
string query = String.Format(
	"select {0} from 社員マスタ where 社員コード >= '{1}'", cols, "0005"
);
  

バインド用のクラス

  
private class Syain : ItemBaseModel {
	public string 社員コード { get; set; }
	public string 氏名 { get; set; }

	private string _check;
	public string チェック {
		get { return _check; }
		set {
			SetAndNotifyString(GetName(() => チェック), ref _check, value);
		}
	}

	public string フリガナ { get; set; }
	public string 所属 { get; set; }
	public int 性別 { get; set; }
	public string 作成日 { get; set; }
	public string 更新日 { get; set; }
	public int 給与 { get; set; }
	public int? 手当 { get; set; }
	public string 管理者 { get; set; }
	public DateTime? 生年月日 { get; set; }
}
  

テーブル定義(MDB)




作成日と更新日は、変更の発生しない管理用の列なので、SQL 側でフォーマットして、文字列として クラス内で定義しています。生年月日は通常データなので、そのまま日付型として格納していますが、データとしては未入力です。 (DateTime? の ? は NULL許容型です )

SetAndNotifyString は、継承した ItemBaseModel に定義されているバインド時に使うプロパティ変更通知メソッドの実行処理です。

ItemBaseModel

INotifyPropertyChanged インターフェイス

  
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.ComponentModel;
using System.Linq.Expressions;

namespace WPF_DataGrid_Database1 {
	public class ItemBaseModel : INotifyPropertyChanged {

		// *********************************************
		// 文字列プロパティ用のセットメソッド
		// *********************************************
		public void SetAndNotifyString(string PropName, 
						ref string OldData,
						string NewData) {
			// 無駄の無いように、値が違った時だけ処理
			if (OldData != NewData) {
				// 値の変更
				OldData = NewData;
				// 値が変更された事をバインドシステムに通知
				NotifyPropertyChanged(PropName);
			}
		}

		// *********************************************
		// プロパティを文字列に変換するメソッド
		// *********************************************
		public string GetName<T>(Expression<Func<T>> e) {
			var member = (MemberExpression)e.Body;
			return member.Member.Name;
		}

		// *****************************************************
		// データが変更された事を通知する為の実装
		// *****************************************************
		public event PropertyChangedEventHandler PropertyChanged;
		public void NotifyPropertyChanged(String propertyName) {
			PropertyChangedEventHandler handler = PropertyChanged;
			if (null != handler) {
				handler(this, new PropertyChangedEventArgs(propertyName));
			}
		}

	}
}
  



  画面定義

画面定義は、一覧表示する為の DataGrid がメインですが、以下のプロパティが重要です。
ItemsSource="{Binding}"
AutoGenerateColumns="True"
IsReadOnly="True"
CanUserAddRows="false"
CanUserDeleteRows="False"
CanUserSortColumns="False"

ItemsSource はバインドする為、本来はコレクション項目を設定するのですが、この場合はコレクションを DataContext に設定するので、{Bibding のみになっています}。

AutoGenerateColumns は、自動的にカラム作成させる設定です。登録済みの既定値は true ですが、省略するとソースコードから判断付きづらいケースもあると考えて True を明示的に設定しています。

IsReadOnly を True に設定する事によって本来編集可能な DataGrid のカラムを問い合わせ用のコントロールとして使うようにしています。

CanUserAddRows="false"
CanUserDeleteRows="False"
CanUserSortColumns="False"


以上の設定は、IsReadOnly を True にした場合でも意図しないコントロールの動作を起こさせない為に設定しています

MainWindow.xaml

  
<Window x:Class="WPF_DataGrid_Database1.MainWindow"
	xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
	xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
	xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
	xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
	mc:Ignorable="d"
	Title="MainWindow"
	Height="719"
	Width="848"
	BorderBrush="Black"
	BorderThickness="1">
	<Window.Background>
	   <ImageBrush
	      ImageSource="/WPF_DataGrid_Database1;component/Images/back_001.jpg"
	      Stretch="UniformToFill"
	      TileMode="None" />
	</Window.Background>
	
	<Grid
		AllowDrop="True">
		<Grid.RowDefinitions>
			<RowDefinition
				Height="70*" />
			<RowDefinition
				Height="608*" />
		</Grid.RowDefinitions>
		
		<!--実行ボタン-->
		<Button
			Name="actButton"
			Content="データ表示"
			Height="35"
			HorizontalAlignment="Left"
			Margin="28,20,0,0"
			VerticalAlignment="Top"
			Width="154"
			Click="actButton_Click" />

		<!--一覧表示-->
		<DataGrid
			Grid.Row="1"
			Height="534"
			HorizontalAlignment="Left"
			Margin="28,0,0,0"
			Name="dataGrid1"
			VerticalAlignment="Top"
			Width="764"
			Background="#C5FFFFFF"
			
			ItemsSource="{Binding}"
			AutoGenerateColumns="True"
			IsReadOnly="True"
			CanUserAddRows="false"
			CanUserDeleteRows="False"
			CanUserSortColumns="False"
			MouseDoubleClick="dataGrid1_MouseDoubleClick">
		</DataGrid>
		
	</Grid>
</Window>
  



  MainWindow.xaml

殆ど処理は無く、ボタンをクリックした後にデータを読み込んでデータを DataContext に設定しています。一番重要な部分は、ExecuteQuery の結果そのままではバインドできないので、バインド用の ObservableCollection でラップしているところです。後は、DataGrid をダブルクリックした場合の処理ですが、元のクラスのデータの内容を変更するだけで、画面のコントロールに反映されます。

001.using System;
002.using System.Collections.Generic;
003.using System.Linq;
004.using System.Text;
005.using System.Diagnostics;
006.using System.Net;
007.using System.Windows;
008.using System.Windows.Input;
009.using System.Collections.ObjectModel;
010.using System.Data.Odbc;
011.using System.Data.Linq;
012.using System.Data;
013. 
014.namespace WPF_DataGrid_Database1 {
015.    public partial class MainWindow : Window {
016. 
017.        private OdbcConnection cn = null;
018.        private ObservableCollection<Syain> syain_list = null;
019.        // *********************************************
020.        // コンストラクタ
021.        // *********************************************
022.        public MainWindow() {
023.            InitializeComponent();
024.        }
025. 
026.        private class Syain : ItemBaseModel {
027.            public string 社員コード { get; set; }
028.            public string 氏名 { get; set; }
029. 
030.            private string _check;
031.            public string チェック {
032.                get { return _check; }
033.                set {
034.                    SetAndNotifyString(GetName(() => チェック), ref _check, value);
035.                }
036.            }
037. 
038.            public string フリガナ { get; set; }
039.            public string 所属 { get; set; }
040.            public int 性別 { get; set; }
041.            public string 作成日 { get; set; }
042.            public string 更新日 { get; set; }
043.            public int 給与 { get; set; }
044.            public int? 手当 { get; set; }
045.            public string 管理者 { get; set; }
046.            public DateTime? 生年月日 { get; set; }
047.        }
048. 
049.        private void actButton_Click(object sender, RoutedEventArgs e) {
050. 
051.            string cs = null;
052. 
053.            // cs = "Driver={MySQL ODBC 5.2w Driver};" +
054.            //            "Server=localhost;" +
055.            //            "Database=lightbox;" +
056.            //            "Uid=root;" +
057.            //            "Pwd=password;";
058. 
059.            // *********************************************
060.            // MDB
061.            // *********************************************
062.            cs =
063.                "Provider=MSDASQL" +
064.                ";Driver={Microsoft Access Driver (*.mdb)}" +
065.                @";Dbq=lib\販売管理C.mdb" +
066.                ";";
067. 
068.            string cols = "社員コード,氏名,フリガナ,所属,性別," +
069.                "Format(社員マスタ.作成日, 'yyyy/MM/dd') as 作成日," +
070.                "Format(社員マスタ.更新日, 'yyyy/MM/dd') as 更新日," +
071.                "給与,手当,管理者,生年月日";
072.            string query = String.Format("select {0} from 社員マスタ where 社員コード >= '{1}'", cols, "0005");
073. 
074.            try {
075.                cn = new OdbcConnection(cs);
076.                DataContext context = new DataContext(cn);
077.                syain_list = new ObservableCollection<Syain>(
078.                        context.ExecuteQuery<Syain>(query)
079.                );
080.                this.dataGrid1.DataContext = syain_list;
081.            }
082.            catch (Exception ex) {
083.                Debug.WriteLine(ex.Message);
084.            }
085. 
086.            if (cn.State == ConnectionState.Open) {
087.                cn.Close();
088.                cn.Dispose();
089.            }
090. 
091.        }
092. 
093.        private void dataGrid1_MouseDoubleClick(object sender, MouseButtonEventArgs e) {
094.            Debug.WriteLine(dataGrid1.SelectedIndex);
095.            int row = dataGrid1.SelectedIndex;
096.            if (row != -1) {
097.                syain_list[row].チェック = "◎";
098.            }
099. 
100.        }
101. 
102.    }
103.}










  infoboard   管理者用   





フリーフォントWEBサービス
SQLの窓WEBサービス

SQLの窓フリーソフト

素材

一般WEBツールリンク

SQLの窓

フリーソフト

JSライブラリ