유휴 CPU 사용을 줄이도록 전역 훅과 스케줄 타이머 조건부 활성화로 정리
Some checks failed
Release Gate / gate (push) Has been cancelled

앱 시작 시 파일 대화상자 통합이 꺼져 있어도 시스템 전역 WinEvent 훅을 항상 걸던 구조를 수정해, 설정이 켜져 있을 때만 FileDialogWatcher가 시작되도록 바꿨다. 설정 저장 시 watcher와 스케줄러 상태를 즉시 다시 계산하도록 App 초기화 경로도 함께 보강했다.

SchedulerService는 활성 일정이 하나도 없으면 타이머를 만들지 않고, 실행 중 일정이 모두 비활성화되면 스스로 정지하도록 Refresh 기반 구조로 정리했다. 이 변경으로 런처와 AX Agent 창이 닫힌 유휴 상태에서도 발생하던 불필요한 30초 주기 깨우기와 전역 이벤트 콜백을 줄였다.

README와 DEVELOPMENT 문서에 2026-04-06 17:18 (KST) 기준 이력을 반영했고, 표준 검증 빌드(dotnet build src/AxCopilot/AxCopilot.csproj -c Release -v minimal -p:OutputPath=bin\\verify\\ -p:IntermediateOutputPath=obj\\verify\\) 결과 경고 0, 오류 0을 확인했다.
This commit is contained in:
2026-04-06 17:12:00 +09:00
parent c2e96c0286
commit 9877d347b1
4 changed files with 108 additions and 52 deletions

View File

@@ -1,58 +1,77 @@
using System.Diagnostics;
using System.IO;
using System.Linq;
using System.Windows;
using AxCopilot.Models;
using System.Linq;
namespace AxCopilot.Services;
/// <summary>
/// L5-6: 자동화 스케줄 백그라운드 서비스.
/// 30초 간격으로 활성 스케줄을 검사하여 해당 시각에 액션을 실행합니다.
/// 예약 작업을 백그라운드에서 점검하고 조건이 맞으면 액션을 실행합니다.
/// 활성 일정이 없을 때는 타이머를 돌리지 않아 유휴 CPU 사용을 줄입니다.
/// </summary>
public sealed class SchedulerService : IDisposable
{
private readonly SettingsService _settings;
private Timer? _timer;
private bool _disposed;
private Timer? _timer;
private bool _disposed;
public SchedulerService(SettingsService settings)
{
_settings = settings;
}
// ─── 시작 / 중지 ─────────────────────────────────────────────────────
public void Start()
{
// 30초 간격 체크 (즉시 1회 실행 후)
if (_disposed || _timer != null) return;
_timer = new Timer(OnTick, null, TimeSpan.FromSeconds(10), TimeSpan.FromSeconds(30));
LogService.Info("SchedulerService 시작");
}
public void Stop()
{
_timer?.Change(Timeout.Infinite, Timeout.Infinite);
if (_timer == null) return;
_timer.Dispose();
_timer = null;
LogService.Info("SchedulerService 중지");
}
public void Refresh()
{
if (_disposed) return;
if (HasEnabledSchedules())
{
Start();
return;
}
Stop();
}
public void Dispose()
{
if (_disposed) return;
_disposed = true;
_timer?.Dispose();
_timer = null;
Stop();
}
// ─── 트리거 검사 ─────────────────────────────────────────────────────
private void OnTick(object? _)
{
try
{
var now = DateTime.Now;
var schedules = _settings.Settings.Schedules;
bool dirty = false;
if (!HasEnabledSchedules())
{
Stop();
return;
}
foreach (var entry in schedules.ToList()) // ToList: 반복 중 수정 방지
var now = DateTime.Now;
var schedules = _settings.Settings.Schedules;
var dirty = false;
foreach (var entry in schedules.ToList())
{
if (!ShouldFire(entry, now)) continue;
@@ -62,12 +81,15 @@ public sealed class SchedulerService : IDisposable
entry.LastRun = now;
dirty = true;
// once 트리거는 실행 후 비활성화
if (entry.TriggerType == "once")
entry.Enabled = false;
}
if (dirty) _settings.Save();
if (dirty)
{
_settings.Save();
Refresh();
}
}
catch (Exception ex)
{
@@ -75,54 +97,54 @@ public sealed class SchedulerService : IDisposable
}
}
// ─── 트리거 조건 검사 ─────────────────────────────────────────────────
private bool HasEnabledSchedules() =>
_settings.Settings.Schedules.Any(entry => entry.Enabled);
private static bool ShouldFire(ScheduleEntry entry, DateTime now)
{
if (!entry.Enabled) return false;
if (!TimeSpan.TryParse(entry.TriggerTime, out var triggerTime)) return false;
// 트리거 시각과 ±1분 이내인지 확인
var targetDt = now.Date + triggerTime;
if (Math.Abs((now - targetDt).TotalMinutes) > 1.0) return false;
// 오늘 이미 실행했는지 확인 (once 제외)
if (entry.TriggerType != "once" &&
entry.LastRun.HasValue &&
entry.LastRun.Value.Date == now.Date)
return false;
bool typeMatch = entry.TriggerType switch
{
"daily" => true,
return false;
}
var typeMatch = entry.TriggerType switch
{
"daily" => true,
"weekdays" => now.DayOfWeek >= DayOfWeek.Monday &&
now.DayOfWeek <= DayOfWeek.Friday,
"weekly" => entry.WeekDays.Count > 0 &&
entry.WeekDays.Contains((int)now.DayOfWeek),
"once" => !entry.LastRun.HasValue &&
entry.TriggerDate != null &&
DateTime.TryParse(entry.TriggerDate, out var d) &&
now.Date == d.Date,
_ => false
"weekly" => entry.WeekDays.Count > 0 &&
entry.WeekDays.Contains((int)now.DayOfWeek),
"once" => !entry.LastRun.HasValue &&
entry.TriggerDate != null &&
DateTime.TryParse(entry.TriggerDate, out var d) &&
now.Date == d.Date,
_ => false
};
if (!typeMatch) return false;
// ─── L6-4: 프로세스 조건 검사 ─────────────────────────────────────
if (!string.IsNullOrWhiteSpace(entry.ConditionProcess))
{
var procName = entry.ConditionProcess.Trim()
.Replace(".exe", "", StringComparison.OrdinalIgnoreCase);
bool isRunning = Process.GetProcessesByName(procName).Length > 0;
var isRunning = Process.GetProcessesByName(procName).Length > 0;
if (entry.ConditionProcessMustRun && !isRunning) return false;
if (!entry.ConditionProcessMustRun && isRunning) return false;
if (!entry.ConditionProcessMustRun && isRunning) return false;
}
return true;
}
// ─── 액션 실행 ────────────────────────────────────────────────────────
private static void ExecuteAction(ScheduleEntry entry)
{
try
@@ -131,12 +153,14 @@ public sealed class SchedulerService : IDisposable
{
case "app":
if (!string.IsNullOrWhiteSpace(entry.ActionTarget))
{
Process.Start(new ProcessStartInfo
{
FileName = entry.ActionTarget,
Arguments = entry.ActionArgs ?? "",
FileName = entry.ActionTarget,
Arguments = entry.ActionArgs ?? "",
UseShellExecute = true
});
}
break;
case "notification":
@@ -144,7 +168,7 @@ public sealed class SchedulerService : IDisposable
? entry.Name
: entry.ActionTarget;
Application.Current?.Dispatcher.Invoke(() =>
NotificationService.Notify($"[스케줄] {entry.Name}", msg));
NotificationService.Notify($"[일정] {entry.Name}", msg));
break;
}
}
@@ -154,9 +178,6 @@ public sealed class SchedulerService : IDisposable
}
}
// ─── 유틸리티 (핸들러·편집기에서 공유) ──────────────────────────────
/// <summary>지정 스케줄의 다음 실행 예정 시각을 계산합니다.</summary>
public static DateTime? ComputeNextRun(ScheduleEntry entry)
{
if (!entry.Enabled) return null;
@@ -187,28 +208,29 @@ public sealed class SchedulerService : IDisposable
private static DateTime? NextOccurrence(DateTime now, TimeSpan t, Func<DateTime, bool> dayFilter)
{
for (int i = 0; i <= 7; i++)
for (var i = 0; i <= 7; i++)
{
var candidate = now.Date.AddDays(i) + t;
if (candidate > now && dayFilter(candidate))
return candidate;
}
return null;
}
/// <summary>트리거 유형 표시 이름.</summary>
public static string TriggerLabel(ScheduleEntry e) => e.TriggerType switch
{
"daily" => "매일",
"daily" => "매일",
"weekdays" => "주중(월~금)",
"weekly" => WeekDayLabel(e.WeekDays),
"once" => $"한번({e.TriggerDate})",
_ => e.TriggerType
"weekly" => WeekDayLabel(e.WeekDays),
"once" => $"한번({e.TriggerDate})",
_ => e.TriggerType
};
private static readonly string[] DayShort = ["일", "월", "화", "수", "목", "금", "토"];
private static string WeekDayLabel(List<int> days) =>
days.Count == 0 ? "매주(요일 미지정)" :
"매주 " + string.Join("·", days.OrderBy(d => d).Select(d => DayShort[d]));
days.Count == 0
? "매주(요일 미지정)"
: "매주 " + string.Join(", ", days.OrderBy(d => d).Select(d => DayShort[d]));
}