Как правильно инициализировать объект .NET OleDbConnection и его свойство ConnectionString? - PullRequest
0 голосов
/ 26 января 2012

Это мой код C # для подключения и работы с базой данных Access.

using System.Data.OleDb;

var cb = new OleDbCommandBuilder(da);

DataRow dRow = ds1.Tables["Customer"].NewRow();

dRow[0] = textBox1.Text;
dRow[1] = textBox2.Text;
dRow[2] = textBox3.Text;

ds1.Tables["Customer"].Rows.Add(dRow);

da.Update(ds1, "Customer");

con.Close();

MessageBox.Show("Entry added");


Но строка da.Update(ds1,"Customer"); выдает исключение:

Свойство ConnectionString не было инициализировано.

1 Ответ

1 голос
/ 26 января 2012

Я не очень хорошо понимаю ваш вопрос, но вот пример кода, который может помочь вам понять, что вы пытаетесь сделать.

Для ясности: база данных называется «MyDb.accdb» и имеет таблицу с именем «Клиент», в которой есть два поля «Имя» и «Телефон». В этом примере предполагается, что база данных находится в том же каталоге, что и исполняемый файл.

private void AddCustomer(string customerName, string customerPhone)
{
    string name = customerName;
    string phone = customerPhone;

    // An easy way to determine the connection string to your database is to open the database from Visual Studio's 'Server Explorer'.
    // Then, from Server Explorer, view the Properties of the database - in the Properties you will see the "Connection String". 
    // You can/should replace the arbitrary part of the path with "|DataDirectory|".
    string connString = @"Provider=Microsoft.ACE.OLEDB.12.0;Data Source=|DataDirectory|MyDb.accdb;Persist Security Info=True";

    // Create your sql query in a string variable
    string cmdText = string.Format("INSERT INTO Customer(Name, Phone) VALUES('{0}','{1}');", name, phone);

    // Use the 'using' statement on your connection so that the resource is managed properly
    using (System.Data.OleDb.OleDbConnection connection = new System.Data.OleDb.OleDbConnection(connString))
    {                
        // Here's where/how we fire off the INSERT statement
        OleDbCommand cmd = new OleDbCommand(cmdText, connection);
        connection.Open();
        cmd.ExecuteNonQuery();
    }
}
...