これは、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
ステートメントを使用してこれを実装する方法は?
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
}
}
}
エラーをキャッチしたい場合は、すべてをtry
--catch
ブロックでラップする必要があります。 using
ブロックは、管理されていないリソースが破棄されることを保証するだけであり、例外を処理することはできません。
また、SqlCommand
はIDisposable
を実装しているので、それもusing
ブロックに入れることをお勧めします。
明示的に書き出すだけです。
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();
}
はい、using
ブロックをtry
ブロックに入れることができます。次のcatch
は、try
ブロックに関連するエラーをキャッチします。
フィールドのデータベースに一意のインデックスを追加して、エラーをキャッチします。
各行の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
}
}
}
}