Hope
Hope

Reputation: 1292

How to Schedule a task in windows azure worker role

I have a simple Azure Worker role running that performs a task every day at 12 PM. Below is the code that accomplishes this.

public override void Run()
{
    try
    {
        while (true)
        {
              int time = Convert.ToInt32(DateTime.Now.TimeOfDay);
              if (time == 12)
              {
                   DoSomethingElse();
              }
        }

    }
    catch (Exception ex)
    {
        Log.Add(ex, true);
    }            
}

Here DoSomethingElse() is a method to send an email at every day 12 PM, and also fires once and only once per day.

How can I implement a scheduler that fire when the time is 12PM and execute DoSomethingElse().

My question is: Is this (above code) is the best method or use any 3rd party tool.

Upvotes: 9

Views: 10005

Answers (4)

Dunc
Dunc

Reputation: 18922

Use the Azure Task Scheduler. Nice tutorial by Scott Gu here.

Specifically, I would look at the Storage Queue action type - just register for queue events in your Worker Role.

(Note that this service may cost money if you want to schedule tasks more frequently than every hour.)

Upvotes: 0

AntonK
AntonK

Reputation: 2310

Cloud Scheduler specifically deals with task scheduling in the cloud.

I just came across this so I Haven't tried it.

http://getcloudscheduler.com/

Update: Forget cloud scheduler! I ran my daily schedule 600 times consecutively resulting on 600 email being sent to my clients. Don't use!!!

Upvotes: 0

Alexandre Brisebois
Alexandre Brisebois

Reputation: 6743

You could also use Quartz.Net http://quartznet.sourceforge.net/ using the blob lease mentioned ab ove is a great way to make sure only one of your instances is hosting tasks.

Using Quartz.Net to Schedule Jobs in Windows Azure Worker Roles

Upvotes: 1

David Makogon
David Makogon

Reputation: 71031

There are several other questions here that deal with this (and I've marked one above). Having said that, and at the risk of repeating what other answers already state:

In your case, a simple message on a Windows Azure Queue, time-delayed to not show up until noon, would work. This also helps deal with multi-instance scenarios: If you're running two instances of your role, you don't want the same scheduled task running twice, so you need a way to have only one of those instances execute this code. This is easily handled via queue message, or you could run scheduler code on a single instance by using something like a blob lease (which may only have one write-lock against it) as a mutex. This is covered in @smarx's blog post, here.

Upvotes: 5

Related Questions