[WPF][C#]DataGridの列の自動生成を属性でカスタマイズ
えムナウさんに指摘されたはじめて知った属性AttachedPropertyBrowsableForTypeAttributeあたりをがんばって調べてみた。どうも、型指定で添付プロパティを見せたり見せなかったり出来るみたいです。
ということで、普通の属性も手抜きで属性つけてなかったりしたので、そこらへんも簡単になおしてみました。
HeaderAttributeとHideAttributeは、プロパティにつけれて継承しても引き継がれなくて、複数つけるのをゆるさないということを示すAttributeUsageをつけます。
using System;
namespace DataGridAutoGenerateCustomSample
{
// DataGridの行ヘッダに表示されるテキストを設定する
[AttributeUsage(AttributeTargets.Property,
Inherited=false, AllowMultiple=false)]
public class HeaderAttribute : Attribute
{
public string Text { get; private set; }
public HeaderAttribute(string text)
{
this.Text = text;
}
}
// 指定したプロパティを表示しないようにする
[AttributeUsage(AttributeTargets.Property,
Inherited=false, AllowMultiple=false)]
public class HideAttribute : Attribute
{
}
}
そして本題のAttachedPropertyBrowsableForType属性もつけます。これは、どうやらSet~メソッドとGet~メソッドにつけるらしいのでつけます。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Windows;
using Microsoft.Windows.Controls;
using System.Diagnostics;
using System.ComponentModel;
namespace DataGridAutoGenerateCustomSample
{
public class GenerateAttributeColumn
{
// DataGridしか駄目よ
[AttachedPropertyBrowsableForType(typeof(DataGrid))]
public static bool GetEnable(DependencyObject obj)
{
return (bool)obj.GetValue(EnableProperty);
}
// DataGridしか駄目よ
[AttachedPropertyBrowsableForType(typeof(DataGrid))]
public static void SetEnable(DependencyObject obj, bool value)
{
obj.SetValue(EnableProperty, value);
}
public static readonly DependencyProperty EnableProperty =
DependencyProperty.RegisterAttached(
"Enable",
typeof(bool),
typeof(GenerateAttributeColumn),
new UIPropertyMetadata(false,
EnablePropertyChanged));
private static void EnablePropertyChanged(DependencyObject sender, DependencyPropertyChangedEventArgs e)
{
var dataGrid = sender as DataGrid;
// DataGridじゃなきゃ何もしない
if (dataGrid == null) return;
var enable = (bool) e.NewValue;
dataGrid.AutoGeneratingColumn -= DataGridAutoGeneratingColumn;
if (enable)
{
dataGrid.AutoGeneratingColumn += DataGridAutoGeneratingColumn;
}
}
private static void DataGridAutoGeneratingColumn(object sender, DataGridAutoGeneratingColumnEventArgs e)
{
var dataGrid = sender as DataGrid;
var desc = e.PropertyDescriptor as PropertyDescriptor;
// 重要な変数がキャストできなかったら処理をしない
if (dataGrid == null || desc == null) return;
// HideAttributeがある場合は列を作らない
var hide = desc.Attributes[typeof(HideAttribute)];
if (hide != null)
{
e.Cancel = true;
return;
}
// HeaderAttributeが指定されている場合は、ヘッダーのテキストを変える
var header = desc.Attributes[typeof(HeaderAttribute)] as HeaderAttribute;
if (header != null)
{
e.Column.Header = header.Text;
}
}
}
}
ただ、つけたからといって何も動作が変わらないのが気になる…。
名前からしててっきりXAMLエディタでDataGrid以外では表示されなくなると思ったのに、がっつりButtonでも表示されてしまう。
いずれ、いいことに巡り合えるんだろうか。