0

我正在尝试在我正在处理的 C# 程序上建立 MySQL 连接。我已经到了构建查询的地步。我的基本前提是你在一个你要调用的类中有一个函数,它接受一个表的名称和一个带有列名及其各自值的哈希表(对于插入命令)。

前任:

Hashtable hash = new Hashtable();
hash.Add("title", title);
hash.Add("contents", content);

db.Insert(stories, hash);

所以,我的问题是,我如何遍历 Insert 方法接收的哈希表,每次在特定的变化位置添加键和值。

可能的查询是“插入TABLE ( key1 , key2 ) VALUES (' value1 ', ' value2 ')”

我的困境是试图让键和值在字符串中匹配。

4

1 回答 1

0

您可以使用 List 来存储 Hashtable 中的列名和值,然后将它们加入到命令文本中。该命令的参数是在您遍历 Hashtable 时添加的。

private void Insert(string tableName, Hashtable hash)
{
    MySqlCommand command = new MySqlCommand();

    List<string> columnList = new List<string>();
    List<string> valueList = new List<string>();

    foreach (DictionaryEntry entry in hash)
    {
        columnList.Add(entry.Key.ToString());
        valueList.Add("@" + entry.Key.ToString());

        command.Parameters.AddWithValue("@" + entry.Key.ToString(), entry.Value);
    }

    command.CommandText = "INSERT INTO " + tableName + "(" + string.Join(", ", columnList.ToArray()) + ") ";
    command.CommandText += "VALUES (" + string.Join(", ", valueList.ToArray()) + ")";

    command.ExecuteScalar();

}

于 2013-07-31T04:03:28.853 回答