web-dev-qa-db-ja.com

C#usingステートメント、SQL、およびSqlConnection

これは、usingステートメントC#SQLを使用して可能ですか?

private static void CreateCommand(string queryString,
    string connectionString)
{
    using (SqlConnection connection = new SqlConnection(
               connectionString))
    {
        SqlCommand command = new SqlCommand(queryString, connection);
        command.Connection.Open();
        command.ExecuteNonQuery();
    }
}

接続を開いているときにエラーが発生した場合はどうなりますか?

Usingステートメントはtryandfinallyです
キャッチなし

それで、使用ブラケットの外側でキャッチした場合、キャッチは接続開放エラーをキャッチしますか?

そうでない場合は、上記のusingステートメントを使用してこれを実装する方法は?

11
user287745

C#でこれを行うことは可能です(コードがMSDNに正確に示されていることもわかります http://msdn.Microsoft.com/en-us/library/system.data.sqlclient.sqlcommand.executenonquery.aspx )。ただし、防御する必要があり、たとえば実稼働環境でのトラブルシューティングに役立つ可能性のある例外をログに記録する必要がある場合は、次のアプローチを取ることができます。

private static void CreateCommand(string queryString,
string connectionString)
{
    using (SqlConnection connection = new SqlConnection(
           connectionString))
    {
        try
        {
            SqlCommand command = new SqlCommand(queryString, connection);
            command.Connection.Open();
            command.ExecuteNonQuery();
        }
        catch (InvalidOperationException)
        {
            //log and/or rethrow or ignore
        }
        catch (SqlException)
        {
            //log and/or rethrow or ignore
        }
        catch (ArgumentException)
        {
            //log and/or rethrow or ignore
        }
    }
}
18

エラーをキャッチしたい場合は、すべてをtry --catchブロックでラップする必要があります。 usingブロックは、管理されていないリソースが破棄されることを保証するだけであり、例外を処理することはできません。

また、SqlCommandIDisposableを実装しているので、それもusingブロックに入れることをお勧めします。

5
David Neale

明示的に書き出すだけです。

SqlConnection connection = new SqlConnection(connectionString);
try
{
    using (SqlCommand command = new SqlCommand(queryString, connection))
    {
        command.Connection.Open();
        command.ExecuteNonQuery();
    }
}
catch (Exception e)
{
    // ...handle, rethrow. Also, you might want to catch
    // more specific exceptions...
}
finally
{
    connection.Close();
}
2

はい、usingブロックをtryブロックに入れることができます。次のcatchは、tryブロックに関連するエラーをキャッチします。

1
Femaref

フィールドのデータベースに一意のインデックスを追加して、エラーをキャッチします。

各行のSQL接続を再インスタンス化しないでください。接続の開閉はリソースを大量に消費します。次のようなものを試してください。

protected void btn_insert_Click(object sender, EventArgs e)
{
    string connStr = "your connection string";
    SqlCommand cmd;

    using (SqlConnection con = new SqlConnection(connStr))
    {
        con.Open();
        foreach (GridViewRow g1 in GridView1.Rows)
        {
            try
            {
                cmd = new SqlCommand("command text", con);
                cmd.ExecuteNonQuery();
            }
            catch (SqlException sqlEx)
            {
                //Ignore the relevant Sql exception for violating a sql unique index
            }
        }
    }
}
0
Michael