391

有没有办法编写一个 T-SQL 命令让它休眠一段时间?我正在异步编写 Web 服务,我希望能够运行一些测试以查看异步模式是否真的会使其更具可扩展性。为了“模拟”缓慢的外部服务,我希望能够使用运行缓慢但实际上并没有处理大量内容的脚本调用 SQL 服务器。

4

4 回答 4

677

查看WAITFOR命令。

例如

-- wait for 1 minute
WAITFOR DELAY '00:01'

-- wait for 1 second
WAITFOR DELAY '00:00:01'

此命令允许您获得高精度,但在典型机器上仅在 10ms - 16ms 内准确,因为它依赖于GetTickCount。因此,例如,调用WAITFOR DELAY '00:00:00:001'很可能根本不需要等待。

于 2009-03-20T03:41:13.940 回答
11
WAITFOR DELAY 'HH:MM:SS'

我相信这可以等待的最长时间是 23 小时 59 分 59 秒。

这是一个标量值函数来展示它的用途;下面的函数将采用秒的整数参数,然后将其转换为 HH:MM:SS 并使用EXEC sp_executesql @sqlcode查询命令执行它。下面的函数仅用于演示,我知道它不适合用作标量值函数!:-)

    CREATE FUNCTION [dbo].[ufn_DelayFor_MaxTimeIs24Hours]
    (
    @sec int
    )
    RETURNS
    nvarchar(4)
    AS
    BEGIN


    declare @hours int = @sec / 60 / 60
    declare @mins int = (@sec / 60) - (@hours * 60)
    declare @secs int = (@sec - ((@hours * 60) * 60)) - (@mins * 60)


    IF @hours > 23 
    BEGIN
    select @hours = 23
    select @mins = 59
    select @secs = 59
    -- 'maximum wait time is 23 hours, 59 minutes and 59 seconds.'
    END


    declare @sql nvarchar(24) = 'WAITFOR DELAY '+char(39)+cast(@hours as nvarchar(2))+':'+CAST(@mins as nvarchar(2))+':'+CAST(@secs as nvarchar(2))+char(39)


    exec sp_executesql @sql

    return ''
    END

如果您希望延迟超过 24 小时,我建议您使用 @Days 参数持续几天并将可执行的函数包装在一个循环中......例如。

    Declare @Days int = 5
    Declare @CurrentDay int = 1

    WHILE @CurrentDay <= @Days
    BEGIN

    --24 hours, function will run for 23 hours, 59 minutes, 59 seconds per run.
    [ufn_DelayFor_MaxTimeIs24Hours] 86400

    SELECT @CurrentDay = @CurrentDay + 1
    END
于 2015-09-24T14:17:06.343 回答
5

你也可以“等待”一个“时间”:

    RAISERROR('Im about to wait for a certain time...', 0, 1) WITH NOWAIT
    WAITFOR TIME '16:43:30.000'
    RAISERROR('I waited!', 0, 1) WITH NOWAIT
于 2016-04-05T20:43:51.277 回答
0

这是一段非常简单的 C# 代码,用于测试 CommandTimeout。它会创建一个等待 2 秒的新命令。将 CommandTimeout 设置为 1 秒,运行时会看到异常。将 CommandTimeout 设置为 0 或高于 2 的值将运行良好。顺便说一句,默认的 CommandTimeout 是 30 秒。

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;

using System.Data.SqlClient;

namespace ConsoleApplication1
{
  class Program
  {
    static void Main(string[] args)
    {
      var builder = new SqlConnectionStringBuilder();
      builder.DataSource = "localhost";
      builder.IntegratedSecurity = true;
      builder.InitialCatalog = "master";

      var connectionString = builder.ConnectionString;

      using (var connection = new SqlConnection(connectionString))
      {
        connection.Open();

        using (var command = connection.CreateCommand())
        {
          command.CommandText = "WAITFOR DELAY '00:00:02'";
          command.CommandTimeout = 1;

          command.ExecuteNonQuery();
        }
      }
    }
  }
}
于 2013-03-20T18:35:40.510 回答