As we all know SQL Server 2005 Express is a very powerful free edition of SQL Server 2005. However it does not contain SQL Server Agent service. Because of this scheduling jobs is not possible. So if we want to do this we have to install a free or commercial 3rd party product. This usually isn't allowed due to the security policies of many hosting companies and thus presents a problem. Maybe we want to schedule daily backups, database reindexing, statistics updating, etc. This is why I wanted to have a solution based only on SQL Server 2005 Express and not dependent on the hosting company. And of course there is one based on our old friend the Service Broker.
-->New terminology
To achieve scheduling we will use SQL Server Service Broker. If you're not familiar with this great addition to the storage engine go read my previous three articles about it. There you'll get familiarized with the terminology and database objects used in this article. Done? OK, let's move on. So you're familiar with services, queues, activation procedures, messages, contracts, conversations, etc... The new member we have to take a look at is the Conversation Timer:
BEGIN CONVERSATION TIMER ( conversation_handle ) TIMEOUT = timeoutInSeconds [ ; ]
When the conversation timer is set it waits the number of seconds specified in the timeout and then it sends the http://schemas.microsoft.com/SQL/ServiceBroker/DialogTimer message to the local queue that is the part of a conversation. It never sends the message to the remote queue. As the DialogTimer message comes to the queue, the activation stored procedure associated with the queue fires, receives the message from the queue and executes whatever logic we have programmed it to.Don't mistake the conversation timer for the conversation lifetime! Each part of the conversation can have a different conversation timer set while the conversation lifetime is the time from the beginning to the end of the conversation.
How it works
Let's see how this scheduling infrastructure is built from start in simple bullet points:1. Create the needed tables for our scheduled jobs information2. Create the needed stored procedures that handle scheduled jobs3. Create the needed contract, queue and service
1. Needed tables
We need two tables:- ScheduledJobs stores information about our scheduled jobs- ScheduledJobsErrors stores possible errors when manipulating scheduled jobs
CREATE TABLE ScheduledJobs ( ID INT IDENTITY(1,1), ScheduledSql nvarchar(max) NOT NULL, FirstRunOn datetime NOT NULL, LastRunOn datetime, LastRunOK BIT NOT NULL DEFAULT (0), IsRepeatable BIT NOT NULL DEFAULT (0), IsEnabled BIT NOT NULL DEFAULT (0), ConversationHandle uniqueidentifier NULL ) CREATE TABLE ScheduledJobsErrors ( Id BIGINT IDENTITY(1, 1) PRIMARY KEY, ErrorLine INT, ErrorNumber INT, ErrorMessage NVARCHAR(MAX), ErrorSeverity INT, ErrorState INT, ScheduledJobId INT, ErrorDate DATETIME NOT NULL DEFAULT GETUTCDATE() )
2. Needed stored procedures
For our simple scheduling we need three stored procedures. Only the pieces of code are shown here so look at the accompanying script for full code.First two expose the scheduling functionality we use. The third one isn't supposed to be used directly but it can be if it is needed.- usp_AddScheduledJob adds a row for our job to the ScheduledJobs table, starts a new conversation on it and set a timer on it. Adding and conversation starting is done in a transaction since we want this to be an atomic operation.
INSERT INTO ScheduledJobs(ScheduledSql, FirstRunOn, IsRepeatable, ConversationHandle) VALUES (@ScheduledSql, @FirstRunOn, @IsRepeatable, NULL) SELECT @ScheduledJobId = SCOPE_IDENTITY() ... BEGIN DIALOG CONVERSATION @ConversationHandle FROM SERVICE [//ScheduledJobService] TO SERVICE '//ScheduledJobService', 'CURRENT DATABASE' ON CONTRACT [//ScheduledJobContract] WITH ENCRYPTION = OFF; BEGIN CONVERSATION TIMER (@ConversationHandle) TIMEOUT = @TimeoutInSeconds;
- usp_RemoveScheduledJob performs cleanup. It accepts the id of the scheduled job we wish to remove. It ends the conversation that the inputted scheduled job lives on, and it deletes the row from the ScheduledJobs table. Removing the job and ending the conversation is also done in a transaction as an atomic operation.
IF EXISTS (SELECT * FROM sys.conversation_endpoints WHERE conversation_handle = @ConversationHandle) END CONVERSATION @ConversationHandle DELETE ScheduledJobs WHERE Id = @ScheduledJobId
- usp_RunScheduledJob is the activation stored procedure on the queue and it receives the dialog timer messages put there by our conversation timer from the queue. Depending on the IsRepeatable setting it either sets the daily interval or ends the conversation. After that it runs our scheduled job and updates the ScheduledJobs table with the status of the finished scheduled job. This stored procedure isn't transactional since any errors are stored in the error table and we don't want to return the DialogTimer message back to the queue, which would cause problems with looping and poison messages which we'd have to again handle separately. We want to keep things simple.
RECEIVE TOP(1) @ConversationHandle = conversation_handle, @message_type_name = message_type_name FROM ScheduledJobQueue ... SELECT @ScheduledJobId = ID, @ScheduledSql = ScheduledSql, @IsRepeatable = IsRepeatable FROM ScheduledJobs WHERE ConversationHandle = @ConversationHandle AND IsEnabled = 1 ... -- run our job EXEC (@ScheduledSql)
3. Needed Service Broker objects
For everything to work we need to make a simple setup used by the Service Broker:- [//ScheduledJobContract] is the contract that allows only sending of the "http://schemas.microsoft.com/SQL/ServiceBroker/DialogTimer" message type.- ScheduledJobQueue is the queue we use to post our DialogTimer messages to and run the usp_RunScheduledJob activation procedure that runs the scheduled job.- [//ScheduledJobService] is a service set on top of the ScheduledJobQueue and bound by the [//ScheduledJobContract] contract.
CREATE CONTRACT [//ScheduledJobContract] ([http://schemas.microsoft.com/SQL/ServiceBroker/DialogTimer] SENT BY INITIATOR) CREATE QUEUE ScheduledJobQueue WITH STATUS = ON, ACTIVATION ( PROCEDURE_NAME = usp_RunScheduledJob, MAX_QUEUE_READERS = 20, -- we expect max 20 jobs to start simultaneously EXECUTE AS 'dbo' ); CREATE SERVICE [//ScheduledJobService] AUTHORIZATION dbo ON QUEUE ScheduledJobQueue ([//ScheduledJobContract])
4.Tying it all together
Now that we have created all our objects let's see how they all work together. First we have to have a valid SQL statement that we'll run as a scheduled job either daily or only once. We can add it to or remove it from the ScheduldJobs table by using our usp_AddScheduledJob stored procedure. This procedure starts a new conversation and links it to our scheduled job. After that it sets the conversation timer to elapse at the date and time we want our job to run. At this point we have our scheduled job lying nicely in a table and a timer that will run it at our time. When the scheduled time comes the dialog timer fires and service broker puts a DialogTimer message into the ScheduledJobQueue. The queue has an activation stored procedure usp_RunScheduledJob associated with it which runs every time a new message arrives to the queue. This activation stored procedure then receives our DialogTimer message from the queue, uses the conversation handle that comes with the message and looks up the job associated with that conversation handle. If our job is a run only once type it ends the conversation else it resets the timer to fire again in 24 hours. After that it runs our job. When the job finishes (either succeeds or fails) the status is written back to the ScheduledJobs table. And that's it. We can also manually remove the job at any time with the usp_RemoveScheduledJob stored procedure that ends the conversation and its timer from our job and then deletes a row from the ScheduledJobs table.The whole infrastructure is quite simple and low maintenance.
5. How to Schedule Jobs - Example
Here is an example with three scheduled jobs: a daily backup job of our test database, a faulty script and a one time update of statistics. All are run 30 seconds after you add them with the usp_AddScheduledJob stored procedure.
GO DECLARE @ScheduledSql nvarchar(max), @RunOn datetime, @IsRepeatable BIT SELECT @ScheduledSql = N'DECLARE @backupTime DATETIME, @backupFile NVARCHAR(512); SELECT @backupTime = GETDATE(), @backupFile = ''C:TestScheduledJobs_'' + replace(replace(CONVERT(NVARCHAR(25), @backupTime, 120), '' '', ''_''), '':'', ''_'') + N''.bak''; BACKUP DATABASE TestScheduledJobs TO DISK = @backupFile;', @RunOn = dateadd(s, 30, getdate()), @IsRepeatable = 0 EXEC usp_AddScheduledJob @ScheduledSql, @RunOn, @IsRepeatable GO DECLARE @ScheduledSql nvarchar(max), @RunOn datetime, @IsRepeatable BIT SELECT @ScheduledSql = N'select 1, where 1=1', @RunOn = dateadd(s, 30, getdate()), @IsRepeatable = 1 EXEC usp_AddScheduledJob @ScheduledSql, @RunOn, @IsRepeatable GO DECLARE @ScheduledSql nvarchar(max), @RunOn datetime, @IsRepeatable BIT SELECT @ScheduledSql = N'EXEC sp_updatestats;', @RunOn = dateadd(s, 30, getdate()), @IsRepeatable = 0 EXEC usp_AddScheduledJob @ScheduledSql, @RunOn, @IsRepeatable GO
6. Monitoring
We can monitor our scheduled jobs' conversations currently being processed and their success by running these queries:
-- show the currently active conversations. -- Look at dialog_timer column (in UTC time) to see when will the job be run next SELECT * FROM sys.conversation_endpoints -- shows the number of currently executing activation procedures SELECT * FROM sys.dm_broker_activated_tasks -- see how many unreceived messages are still in the queue. -- should be 0 when no jobs are running SELECT * FROM ScheduledJobQueue with (nolock) -- view our scheduled jobs' statuses SELECT * FROM ScheduledJobs with (nolock) -- view any scheduled jobs errors that might have happend SELECT * FROM ScheduledJobsErrors with (nolock)
================================================================
Code
================================================================
USE master
GO
IF EXISTS(SELECT * FROM sys.databases WHERE name = 'TestScheduledJobs')
DROP DATABASE TestScheduledJobs
GO
CREATE DATABASE TestScheduledJobs
GO
ALTER DATABASE TestScheduledJobs SET ENABLE_BROKER
GO
USE TestScheduledJobs
GO
IF object_id('ScheduledJobs') IS NOT NULL
DROP TABLE ScheduledJobs
GO
CREATE TABLE ScheduledJobs
(
ID INT IDENTITY(1,1),
ScheduledSql nvarchar(max) NOT NULL,
FirstRunOn datetime NOT NULL,
LastRunOn datetime,
LastRunOK BIT NOT NULL DEFAULT (0),
IsRepeatable BIT NOT NULL DEFAULT (0),
IsEnabled BIT NOT NULL DEFAULT (0),
ConversationHandle uniqueidentifier NULL
)
GO
IF object_id('ScheduledJobsErrors') IS NOT NULL
DROP TABLE ScheduledJobsErrors
CREATE TABLE ScheduledJobsErrors
(
Id BIGINT IDENTITY(1, 1) PRIMARY KEY,
ErrorLine INT,
ErrorNumber INT,
ErrorMessage NVARCHAR(MAX),
ErrorSeverity INT,
ErrorState INT,
ScheduledJobId INT,
ErrorDate DATETIME NOT NULL DEFAULT GETUTCDATE()
)
IF OBJECT_ID('usp_RemoveScheduledJob') IS NOT NULL
DROP PROC usp_RemoveScheduledJob
GO
CREATE PROC usp_RemoveScheduledJob
@ScheduledJobId INT
AS
BEGIN TRANSACTION
BEGIN TRY
DECLARE @ConversationHandle UNIQUEIDENTIFIER
-- get the conversation handle for our job
SELECT @ConversationHandle = ConversationHandle
FROM ScheduledJobs
WHERE Id = @ScheduledJobId
-- if the job doesn't exist return
IF @@ROWCOUNT = 0
RETURN;
-- end the conversation if it is active
IF EXISTS (SELECT * FROM sys.conversation_endpoints WHERE conversation_handle = @ConversationHandle)
END CONVERSATION @ConversationHandle
-- delete the scheduled job from out table
DELETE ScheduledJobs WHERE Id = @ScheduledJobId
END TRY
BEGIN CATCH
IF @@TRANCOUNT > 0
BEGIN
ROLLBACK;
END
INSERT INTO ScheduledJobsErrors (
ErrorLine, ErrorNumber, ErrorMessage,
ErrorSeverity, ErrorState, ScheduledJobId)
SELECT ERROR_LINE(), ERROR_NUMBER(), 'usp_RemoveScheduledJob: ' + ERROR_MESSAGE(),
ERROR_SEVERITY(), ERROR_STATE(), @ScheduledJobId
END CATCH
GO
IF OBJECT_ID('usp_AddScheduledJob') IS NOT NULL
DROP PROC usp_AddScheduledJob
GO
CREATE PROC usp_AddScheduledJob
(
@ScheduledSql NVARCHAR(MAX),
@FirstRunOn DATETIME,
@IsRepeatable BIT
)
AS
DECLARE @ScheduledJobId INT, @TimeoutInSeconds INT, @ConversationHandle UNIQUEIDENTIFIER
BEGIN TRANSACTION
BEGIN TRY
-- add job to our table
INSERT INTO ScheduledJobs(ScheduledSql, FirstRunOn, IsRepeatable, ConversationHandle)
VALUES (@ScheduledSql, @FirstRunOn, @IsRepeatable, NULL)
SELECT @ScheduledJobId = SCOPE_IDENTITY()
-- set the timeout. It's in seconds so we need the datediff
SELECT @TimeoutInSeconds = DATEDIFF(s, GETDATE(), @FirstRunOn);
-- begin a conversation for our scheduled job
BEGIN DIALOG CONVERSATION @ConversationHandle
FROM SERVICE [//ScheduledJobService]
TO SERVICE '//ScheduledJobService',
'CURRENT DATABASE'
ON CONTRACT [//ScheduledJobContract]
WITH ENCRYPTION = OFF;
-- start the conversation timer
BEGIN CONVERSATION TIMER (@ConversationHandle)
TIMEOUT = @TimeoutInSeconds;
-- associate or scheduled job with the conversation via the Conversation Handle
UPDATE ScheduledJobs
SET ConversationHandle = @ConversationHandle,
IsEnabled = 1
WHERE ID = @ScheduledJobId
IF @@TRANCOUNT > 0
BEGIN
COMMIT;
END
END TRY
BEGIN CATCH
IF @@TRANCOUNT > 0
BEGIN
ROLLBACK;
END
INSERT INTO ScheduledJobsErrors (
ErrorLine, ErrorNumber, ErrorMessage,
ErrorSeverity, ErrorState, ScheduledJobId)
SELECT ERROR_LINE(), ERROR_NUMBER(), 'usp_AddScheduledJob: ' + ERROR_MESSAGE(),
ERROR_SEVERITY(), ERROR_STATE(), @ScheduledJobId
END CATCH
GO
IF OBJECT_ID('usp_RunScheduledJob') IS NOT NULL
DROP PROC usp_RunScheduledJob
GO
CREATE PROC usp_RunScheduledJob
AS
DECLARE @ConversationHandle UNIQUEIDENTIFIER, @ScheduledJobId INT, @LastRunOn DATETIME, @IsEnabled BIT, @LastRunOK BIT
SELECT @LastRunOn = GETDATE(), @IsEnabled = 0, @LastRunOK = 0
-- we don't need transactions since we don't want to put the job back in the queue if it fails
BEGIN TRY
DECLARE @message_type_name sysname;
-- receive only one message from the queue
RECEIVE TOP(1)
@ConversationHandle = conversation_handle,
@message_type_name = message_type_name
FROM ScheduledJobQueue
-- exit if no message or other type of message than DialgTimer
IF @@ROWCOUNT = 0 OR ISNULL(@message_type_name, '') != 'http://schemas.microsoft.com/SQL/ServiceBroker/DialogTimer'
RETURN;
DECLARE @ScheduledSql NVARCHAR(MAX), @IsRepeatable BIT
-- get a scheduled job that is enabled and is associated with our conversation handle.
-- if a job fails we disable it by setting IsEnabled to 0
SELECT @ScheduledJobId = ID, @ScheduledSql = ScheduledSql, @IsRepeatable = IsRepeatable
FROM ScheduledJobs
WHERE ConversationHandle = @ConversationHandle AND IsEnabled = 1
-- end the conversation if it's non repeatable
IF @IsRepeatable = 0
BEGIN
END CONVERSATION @ConversationHandle
SELECT @IsEnabled = 0
END
ELSE
BEGIN
-- reset the timer to fire again in one day
BEGIN CONVERSATION TIMER (@ConversationHandle)
TIMEOUT = 86400; -- 60*60*24 secs = 1 DAY
SELECT @IsEnabled = 1
END
-- run our job
EXEC (@ScheduledSql)
SELECT @LastRunOK = 1
END TRY
BEGIN CATCH
SELECT @IsEnabled = 0
INSERT INTO ScheduledJobsErrors (
ErrorLine, ErrorNumber, ErrorMessage,
ErrorSeverity, ErrorState, ScheduledJobId)
SELECT ERROR_LINE(), ERROR_NUMBER(), 'usp_RunScheduledJob: ' + ERROR_MESSAGE(),
ERROR_SEVERITY(), ERROR_STATE(), @ScheduledJobId
-- if an error happens end our conversation if it exists
IF @ConversationHandle != NULL
BEGIN
IF EXISTS (SELECT * FROM sys.conversation_endpoints WHERE conversation_handle = @ConversationHandle)
END CONVERSATION @ConversationHandle
END
END CATCH;
-- update the job status
UPDATE ScheduledJobs
SET LastRunOn = @LastRunOn,
IsEnabled = @IsEnabled,
LastRunOK = @LastRunOK
WHERE ID = @ScheduledJobId
GO
IF EXISTS(SELECT * FROM sys.services WHERE NAME = N'//ScheduledJobService')
DROP SERVICE [//ScheduledJobService]
IF EXISTS(SELECT * FROM sys.service_queues WHERE NAME = N'ScheduledJobQueue')
DROP QUEUE ScheduledJobQueue
IF EXISTS(SELECT * FROM sys.service_contracts WHERE NAME = N'//ScheduledJobContract')
DROP CONTRACT [//ScheduledJobContract]
GO
CREATE CONTRACT [//ScheduledJobContract]
([http://schemas.microsoft.com/SQL/ServiceBroker/DialogTimer] SENT BY INITIATOR)
CREATE QUEUE ScheduledJobQueue
WITH STATUS = ON,
ACTIVATION (
PROCEDURE_NAME = usp_RunScheduledJob,
MAX_QUEUE_READERS = 20, -- we expect max 20 jobs to start simultaneously
EXECUTE AS 'dbo' );
CREATE SERVICE [//ScheduledJobService]
AUTHORIZATION dbo
ON QUEUE ScheduledJobQueue ([//ScheduledJobContract])
--------------------------------------------------------------------------------------------------
--------------------------------------------------------------------------------------------------
-- T E S T
--------------------------------------------------------------------------------------------------
--------------------------------------------------------------------------------------------------
GO
DECLARE @ScheduledSql nvarchar(max), @RunOn datetime, @IsRepeatable BIT
SELECT @ScheduledSql = N'DECLARE @backupTime DATETIME, @backupFile NVARCHAR(512);
SELECT @backupTime = GETDATE(),
@backupFile = ''C:TestScheduledJobs_'' +
replace(replace(CONVERT(NVARCHAR(25), @backupTime, 120), '' '', ''_''), '':'', ''_'') +
N''.bak'';
BACKUP DATABASE TestScheduledJobs TO DISK = @backupFile;',
@RunOn = dateadd(s, 30, getdate()),
@IsRepeatable = 0
EXEC usp_AddScheduledJob @ScheduledSql, @RunOn, @IsRepeatable
GO
DECLARE @ScheduledSql nvarchar(max), @RunOn datetime, @IsRepeatable BIT
SELECT @ScheduledSql = N'select 1, where 1=1',
@RunOn = dateadd(s, 30, getdate()),
@IsRepeatable = 1
EXEC usp_AddScheduledJob @ScheduledSql, @RunOn, @IsRepeatable
GO
DECLARE @ScheduledSql nvarchar(max), @RunOn datetime, @IsRepeatable BIT
SELECT @ScheduledSql = N'EXEC sp_updatestats;',
@RunOn = dateadd(s, 30, getdate()),
@IsRepeatable = 0
EXEC usp_AddScheduledJob @ScheduledSql, @RunOn, @IsRepeatable
GO
--EXEC usp_RemoveScheduledJob 1
--EXEC usp_RemoveScheduledJob 1
--EXEC usp_RemoveScheduledJob 3
GO
-- show the currently active conversations.
-- Look at dialog_timer column to see when will the job be run next
SELECT * FROM sys.conversation_endpoints
-- shows the number of currently executing activation procedures
SELECT * FROM sys.dm_broker_activated_tasks
-- see how many unreceived messages are still in the queue.
-- should be 0 when no jobs are running
SELECT * FROM ScheduledJobQueue with (nolock)
-- view our scheduled jobs' statuses
SELECT * FROM ScheduledJobs with (nolock)
-- view any scheduled jobs errors that might have happend
SELECT * FROM ScheduledJobsErrors with (nolock)[@more@]
编辑推荐:
- Word2007表格标题行重复出现如何设置03-02
- sqlServer修复有问题的表03-02
- Scheduling Jobs in SQL Server Express03-02
- MSSQL授权的问题-架构03-02
- Word2007如何设置段落缩进03-02
- Word2007如何设置段落间距03-02
- Microsoft SQL Server查询优化方法03-02
- word2007页码样式如何制作03-02
相关推荐
-
雷神推出 MIX PRO II 迷你主机:基于 Ultra 200H,玻璃上盖 + ARGB 灯效
2 月 9 日消息,雷神 (THUNDEROBOT) 现已宣布推出基于英
-
制造商 Musnap 推出彩色墨水屏电纸书 Ocean C:支持手写笔、第三方安卓应用
2 月 10 日消息,制造商 Musnap 现已在海外推出一款 Oce
热文推荐
- AutoCAD中式建筑模型烛台的画法
AutoCAD中式建筑模型烛台的画法
26-03-02 - word2007如何将自选图形对齐
word2007如何将自选图形对齐
26-03-02 - word2007怎么设置下拉菜单
word2007怎么设置下拉菜单
26-03-02 - 原来MSSQL还可以这样调优
原来MSSQL还可以这样调优
26-03-02 - SQL Server 检测字符串中是否有重复字符的函数
SQL Server 检测字符串中是否有重复字符的函数
26-03-02 - AutoCAD三维教程:南非世界杯足球的画法及渲染
AutoCAD三维教程:南非世界杯足球的画法及渲染
26-03-02 - 关于记录数的疑问
关于记录数的疑问
26-03-02 - 文件的导入导出
文件的导入导出
26-03-02 - CAD三维绘图教程:用中望3D绘制修正液教程
CAD三维绘图教程:用中望3D绘制修正液教程
26-03-02 - word2007中进行设置安全密码的操作方法
word2007中进行设置安全密码的操作方法
26-03-02
