如何捕获SQLServer超时异常

我需要专门捕获SQL Server超时异常,以便可以对它们进行不同的处理。我知道我可以捕获SqlException,然后检查消息字符串是否包含“

Timeout”,但想知道是否有更好的方法吗?

try

{

//some code

}

catch (SqlException ex)

{

if (ex.Message.Contains("Timeout"))

{

//handle timeout

}

else

{

throw;

}

}

回答:

要检查超时,我相信您要检查ex.Number的值。如果为-2,则表示超时。

-2是超时错误代码,它是从DBNETLIB(SQL Server的MDAC驱动程序)返回的。可以通过下载Reflector并在System.Data.SqlClient.TdsEnums下查找TIMEOUT_EXPIRED 来看到。

您的代码将显示为:

if (ex.Number == -2)

{

//handle timeout

}

演示失败的代码:

try

{

SqlConnection sql = new SqlConnection(@"Network Library=DBMSSOCN;Data Source=YourServer,1433;Initial Catalog=YourDB;Integrated Security=SSPI;");

sql.Open();

SqlCommand cmd = sql.CreateCommand();

cmd.CommandText = "DECLARE @i int WHILE EXISTS (SELECT 1 from sysobjects) BEGIN SELECT @i = 1 END";

cmd.ExecuteNonQuery(); // This line will timeout.

cmd.Dispose();

sql.Close();

}

catch (SqlException ex)

{

if (ex.Number == -2) {

Console.WriteLine ("Timeout occurred");

}

}

以上是 如何捕获SQLServer超时异常 的全部内容, 来源链接: utcz.com/qa/425034.html

回到顶部