0

我想要做的只是让一个组合框填充来自 sqlite 表的数据。虽然我已经使用代码方法完成了这项工作,但我真的很喜欢这样做,因为我认为这是更好的 WPF 做事方式。

据我了解,流程应该是这样的:

我应该有一个保存数据的类,我创建了一个快速类,默认构造函数是连接到数据库并将其结果转储到如下列表中:

internal class mainmenusql
{
    private List<string> _Jobs;

    public mainmenusql()
    {
        SQLiteConnection conn = new SQLiteConnection();
        conn.ConnectionString = "Data Source=C:\\Users\\user\\Documents\\db.sqlite;Version=3";

        try
        {
            conn.Open();
            SQLiteDataReader reader;
            SQLiteCommand command = new SQLiteCommand(conn);
            command.CommandType = CommandType.Text;
            command.CommandText = "SELECT * FROM Tasks";
            reader = command.ExecuteReader();

            if (reader.HasRows)
            {
                while (reader.Read())
                {
                    _Jobs.Add(reader.GetValue(0).ToString());
                }
            }
            else
            {
                MessageBox.Show("No records");
            }

        }
        catch (Exception err)
        {
            MessageBox.Show(err.Message);
        }
        finally
        {
            conn.Close();
        }
    }
}

列表“对象引用未设置为对象的实例”有一些错误。

但无论如何,下一步应该将DataContext表单设置为这个对象,对吧?

    public MainWindow()
    {
        DataContext = new mainmenusql();
        InitializeComponent();
    }

最后组合框应该有绑定权吗?

<Window x:Class="sqliteDatacontext.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">
    <Grid>
        <ComboBox DataContext="{Binding Path=_Jobs}" HorizontalAlignment="Left" Margin="141,124,0,0" VerticalAlignment="Top" Width="120"/>
    </Grid>
</Window>

我在这里做错了什么?

4

1 回答 1

3

为了绑定到某个数据上下文,它需要通过公共 getter / setter 公开......

public class mainmenusql
{
    public List<string> _Jobs
    { get ; protected set; }   


    public mainmenusql()
    {
       _Jobs = new List<string>();

       // rest of populating your data
    }
}

窗口控件中的绑定是 ItemsSource

<ComboBox ItemsSource="{Binding Path=_Jobs}" />

“DataContext”应用于整个窗口......以此为基础,您的任何控件都可以将其元素“绑定”到您的数据上下文中几乎任何“公开”可用的东西......在这种情况下,一个组合框选择列表来自其“ItemSource”属性...所以您希望 ITEMSOURCE 指向您的 _Jobs。

于 2013-06-13T00:27:29.303 回答