Событие таймера не вызывается в службе Windows - PullRequest
3 голосов
/ 30 декабря 2010

У меня есть оконная служба, которая воспроизводит звуковой файл в указанное время, поэтому для этого я использовал Timer, но его событие Tick никогда не запускается, то же самое работает в приложении WinForm.

Ниже приведенфрагмент кода моего сервиса ...

public partial class ClockService : ServiceBase
{
    private TimeSpan _alarmTime = new TimeSpan(9, 55, 0);
    private int _snoozeTime = 2; // 2 minutes
    private int _repeatCounter = -1;
    private const int ALARM_REPETITION = 5;
    private string _alarmSoundPath = @"C:\Sound\default.wav";
    private string _alarmLogPath = @"C:\Sound\log.txt";

    public ClockService()
    {
        InitializeComponent();
        alarmTimer.Enabled = true;
    }

    protected override void OnStart(string[] args)
    {
        using (FileStream fileStream = new FileStream(_alarmLogPath, FileMode.OpenOrCreate))
        {
            using (StreamWriter writer = new StreamWriter(fileStream))
            {
                writer.WriteLine("Service has started at {0}", DateTime.Now);
            }
        }
    }

    protected override void OnStop()
    {
        using (FileStream fileStream = new FileStream(_alarmLogPath, FileMode.OpenOrCreate))
        {
            using (StreamWriter writer = new StreamWriter(fileStream))
            {
                writer.WriteLine("Service has stopped at {0}", DateTime.Now);
            }
        }
    }

    private void alarmTimer_Tick(object sender, EventArgs e)
    {
        using (FileStream fileStream = new FileStream(_alarmLogPath, FileMode.OpenOrCreate))
        {
            using (StreamWriter writer = new StreamWriter(fileStream))
            {
                writer.WriteLine("Alarm time is: {0}", _alarmTime);
            }
        }

        TimeSpan currentTime = new TimeSpan(DateTime.Now.TimeOfDay.Hours, DateTime.Now.TimeOfDay.Minutes, DateTime.Now.TimeOfDay.Seconds);


        if (currentTime == _alarmTime)
        {
            using (FileStream fileStream = new FileStream(_alarmLogPath, FileMode.OpenOrCreate))
            {
                using (StreamWriter writer = new StreamWriter(fileStream))
                {
                    writer.WriteLine("Alarm time is: {0} and current time is: {1}", _alarmTime, currentTime);
                }
            }

            _alarmTime = _alarmTime.Add(new TimeSpan(0, _snoozeTime, 0));
            _repeatCounter++;

            if (File.Exists(_alarmSoundPath))
            {
                SoundPlayer player = new SoundPlayer(_alarmSoundPath);
                player.PlayLooping();
            }

        }

        if (_repeatCounter == ALARM_REPETITION)
        {
            _alarmTime = _alarmTime.Subtract(new TimeSpan(0, (ALARM_REPETITION * _snoozeTime), 0));
            _repeatCounter = 0;
        }

    }
}

Чтобы убедиться, что я все сделал правильно, вот мой метод InitializeComponent

    private void InitializeComponent()
            {
                this.components = new System.ComponentModel.Container();
                this.alarmTimer = new System.Windows.Forms.Timer(this.components);
                this.alarmTimer.Enabled = true;
                this.alarmTimer.Interval = 1000; 
            this.alarmTimer.Tick += new System.EventHandler(this.alarmTimer_Tick);
        this.ServiceName = "PravoAlarmService";
    }

Пожалуйста, кто-нибудь взглянет и направит меня...проблема - событие галочки никогда не запускается ..

Ответы [ 5 ]

10 голосов
/ 30 декабря 2010

Попробуйте использовать System.Timers.Timer вместо этого.

this.alarmTimer = new System.Timers.Timer();

System.Windows.Forms.Timer - как следует из названия - работает в Forms приложениях, но не в чем-то вроде NT Service.

1 голос
/ 30 декабря 2010

Я думаю, System.Timers.Timer - лучший выбор:

Timer _timer = new Timer();
// In miliseconds 60000 = 1 minute
// This timer will tick every 1 minute
_timer.Interval += 6000;
// Activate the timer
_timer.Enabled = true;
// When timer "tick"
_timer.Elapsed += new ElapsedEventHandler(_timer_Elapsed);
0 голосов
/ 30 декабря 2010

Вы уверены, что проблема в таймере?Для службы Windows крайне необычно получить доступ к звуковой системе, (как бы вы ее отключили?) Она может быть заблокирована или может потребоваться «взаимодействие с рабочим столом».

Сказав это, TomTom правТаймеры форм - это возможность маршалировать в поток пользовательского интерфейса, которого у вас нет, а использовать таймер потоков.

0 голосов
/ 30 декабря 2010

попробуйте использовать другой таймер :) вот разница

0 голосов
/ 30 декабря 2010

Не используйте System.Windows.FOrms.Timer, используйте System.Threading.Timer.

Услуга не является формой.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...