0

私が持っているのは ( WPFの) DataGrid で、作成したカスタム クラスのリストにバインドしました。

簡単にするために、クラスは次のようになります。

public class MyClass{

   int val;
   string str;
   static const int alwaysSetValue = 10;

}

(データバインディングまたはクラス自体で) 「val = -1 の場合、データグリッドで -1 を表示する代わりに、単に空白または ' ' を表示する」と言う方法はありますか?

Binding の IsTargetNull 値を見ていましたが、int が null 許容型である場合はそれでよいのですが、int を使用したくないですか? もし可能なら。

これを行う方法はありますか?ある種のオーバーライド ToString() か何か?

解決策 は以下の回答を参照してください。私が行った唯一の変更は、コードでバインディングと変換を設定することでした:

DataGrid.Columns.Add(new DataGridTextColumn() { Header = "Value", Binding = new Binding("val") { Converter = new MyValConverter() } });
4

1 に答える 1

1

次に例を示します。

XAML ファイル:

<Window x:Class="DataGridConverter.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        Title="MainWindow" Height="350" Width="525"
        xmlns:local="clr-namespace:DataGridConverter"
        >
    <Window.Resources>
        <local:MyValConverter x:Key="myCon" />
    </Window.Resources>
    <Grid>
        <DataGrid Name="grid" AutoGenerateColumns="False">
            <DataGrid.Columns>
                <DataGridTextColumn Header="Val" Binding="{Binding val, Converter={StaticResource myCon}}" />
                <DataGridTextColumn Header="Str" Binding="{Binding str}" />               
            </DataGrid.Columns>
        </DataGrid>
    </Grid>
</Window>

コード ビハインド ファイル:

using System;
using System.Collections.Generic;
using System.Windows;
using System.Windows.Data;
using System.Windows.Documents;

namespace DataGridConverter
{
    /// <summary>
    /// Interaction logic for MainWindow.xaml
    /// </summary>
    public partial class MainWindow : Window
    {
        public MainWindow()
        {
            InitializeComponent();

            List<MyClass> _source = new List<MyClass>();
            for (int i = 0; i < 5; i++)
            {
                _source.Add(new MyClass { val = 1, str = "test " + i });
            }

            _source[2].val = -1;

            grid.ItemsSource = _source;
        }
    }

    public class MyClass
    {
        public int val { get; set; }
        public string str { get; set; }
        const int alwaysSetValue = 10;
    }

    public class MyValConverter : IValueConverter
    {
        public object Convert(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
        {
            return (int)value == -1 ? string.Empty : value;
        }

        public object ConvertBack(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
        {
            throw new NotImplementedException();
        }
    }
}
于 2012-07-25T19:34:49.037 に答える