PowerShellで日常業務を自動化する実例10選

統計では知的労働の約3割が既存技術で自動化可能とされ、運用部門の時間の多くが定型業務に費やされています¹。PowerShell 7は並列処理とパイプラインの高速化を背景に、Windowsに限らずクロスプラットフォームでの自動化基盤として成熟し²、ファイルI/Oやログ解析などのバッチ処理はWindows PowerShell 5.1比で短縮しやすい傾向があります。運用の現場の観点で見ると、日々の小さな繰り返しをスクリプトに置き換えるだけで、MTTR(平均修復時間)や人的工数に明確な差が出ます。ここでは、実運用で応用しやすい10の実例を、実行時の注意点と改善したエラーハンドリングを含むコードで提示します。サンプル測定はWindows 11 23H2、PowerShell 7.4、デスクトップ級(Ryzen 7相当・32GB RAM・NVMe SSD)の一般的な構成を前提とし、1回目キャッシュ無しの測定を原則とします。
PowerShell自動化の前提と測定設計
読者の多くが抱えるのは、ツール選定ではなく定着と再現性の課題です。そこで前提を明確にし、スクリプトはすべて冪等性(何度実行しても同じ状態に収束する性質)、ログの残置、障害時の通知を満たす形で示します。エラーは例外化し、try-catchで握りつぶさず必ず外部に可視化します。パフォーマンスはMeasure-Commandによるウォールタイムと、件数あたりのスループットで比較し、効果は処理時間の短縮率、人的工数の削減、失敗率の低下で評価します。導入はローカル実行から始め、タスクスケジューラやAzure Automationへの移行で無人化し、最終的にGitでバージョン管理して変更差分を追跡できる状態まで持っていきます²⁰。秘密情報は平文で埋め込まず、Windows資格情報マネージャー、Azure Key Vault、またはローカルの暗号化セキュアストリングに退避して参照します。キーワードとしては「PowerShell 自動化・スクリプト・Windows 管理・監視・バックアップ」の観点で読み進めてください。
実例で学ぶ日常業務の自動化10選
実例1:ログの自動圧縮と世代管理で保存コストを抑制
アプリケーションログが肥大化するとバックアップ時間も圧迫されます。7日より古いプレーンログを日次でzipし、30日より古いアーカイブを削除するだけで保存容量と転送時間を下げられます。1日1GB程度の環境では、バックアップ所要時間が約3割前後短縮されることが多いです(あくまで一般的な目安)。
# PowerShell 7+ 想定。管理者権限不要。
$ErrorActionPreference = 'Stop'
$logRoot = 'D:\AppLogs'
$retainPlainDays = 7
$retainZipDays = 30
$stamp = (Get-Date).ToString('yyyyMMdd')
$archive = Join-Path $logRoot "archive-$stamp.zip"
try {
if (-not (Test-Path -LiteralPath $logRoot)) {
throw "Log root not found: $logRoot"
}
$targets = Get-ChildItem -Path $logRoot -Filter '*.log' -File -Recurse -ErrorAction Stop |
Where-Object { $_.LastWriteTime -lt (Get-Date).AddDays(-$retainPlainDays) }
if ($targets -and $targets.Count -gt 0) {
Compress-Archive -Path $targets.FullName -DestinationPath $archive -CompressionLevel Optimal -Force -ErrorAction Stop
foreach ($t in $targets) {
try { Remove-Item -LiteralPath $t.FullName -Force -ErrorAction Stop }
catch { Write-Warning "Failed to delete $($t.FullName): $($_.Exception.Message)" }
}
}
Get-ChildItem -Path $logRoot -Filter 'archive-*.zip' -File -ErrorAction Stop |
Where-Object { $_.LastWriteTime -lt (Get-Date).AddDays(-$retainZipDays) } |
ForEach-Object {
try { Remove-Item -LiteralPath $_.FullName -Force -ErrorAction Stop }
catch { Write-Warning "Failed to remove archive $($_.FullName): $($_.Exception.Message)" }
}
}
catch {
Write-Error "Log rotation failed: $($_.Exception.Message)"
exit 1
}
数千ファイル規模でも処理は数分程度に収まることが多く、ジョブ化すれば業務時間外のI/Oピークを避けられます。
実例2:Active Directoryの休眠アカウント検出と無効化案のレポート
権限の放置は監査指摘の定番です。無効化は人事確認後に行う前提で、まずは休眠候補の一覧を可視化します。Windows Server RSATが入った管理端末での実行を想定します。Search-ADAccountとGet-ADUserの組み合わせは一般的なパターンです⁴。
Import-Module ActiveDirectory -ErrorAction Stop
$ErrorActionPreference = 'Stop'
$days = 60
$out = "C:\Temp\stale-users-$days-days.csv"
try {
$users = Search-ADAccount -UsersOnly -AccountInactive -TimeSpan (New-TimeSpan -Days $days) -ErrorAction Stop |
Get-ADUser -Properties LastLogonDate, Enabled -ErrorAction Stop
$users |
Select-Object SamAccountName, Name, Enabled, LastLogonDate |
Sort-Object LastLogonDate |
Export-Csv -NoTypeInformation -Encoding UTF8 -Path $out -ErrorAction Stop
# 無効化は承認後に切り替え。安全のためWhatIfで検証。
# $users | Where-Object Enabled | Disable-ADAccount -WhatIf
}
catch {
Write-Error "AD scan failed: $($_.Exception.Message)"
exit 1
}
ドメインユーザーが数千規模でも、収集は数十秒〜数分程度が目安です。無効化手順は必ずWhatIfとスコープ限定でテストしてから本番適用します。
実例3:Microsoft 365ライセンス使用率レポートでコスト最適化
未利用ライセンスの棚卸しは直結でコストに効きます。Microsoft Graph PowerShell SDKを使用し、付与数と利用兆候を概算で掴みます。SignInActivityは必要スコープで取得可能です⁵。また、PowerShellでのライセンス状況の可視化手順は公式にまとめられています⁶。初回はConnect-MgGraphで権限同意が必要です。外部APIはスロットリング(429/503)を考慮し、簡易リトライを入れておくと堅牢性が上がります¹⁹。
$ErrorActionPreference = 'Stop'
Import-Module Microsoft.Graph.Users -ErrorAction Stop
function Invoke-WithRetry {
param(
[scriptblock]$Script,
[int]$MaxRetry = 3,
[int]$BaseDelaySec = 2
)
for ($i=0; $i -le $MaxRetry; $i++) {
try { return & $Script }
catch {
if ($i -eq $MaxRetry) { throw }
$wait = [math]::Pow(2, $i) * $BaseDelaySec
Write-Warning "Retry $($i+1)/$MaxRetry after $wait sec: $($_.Exception.Message)"
Start-Sleep -Seconds $wait
}
}
}
Connect-MgGraph -Scopes 'User.Read.All','Directory.Read.All'
try {
$users = Invoke-WithRetry { Get-MgUser -All -Property AssignedLicenses,SignInActivity,UserPrincipalName }
$rows = foreach ($u in $users) {
[pscustomobject]@{
UPN = $u.UserPrincipalName
AssignedSku = ($u.AssignedLicenses.Count)
LastSignIn = $u.SignInActivity.LastSignInDateTime
}
}
$rows | Export-Csv -NoTypeInformation -Encoding UTF8 -Path "m365-license-usage.csv" -ErrorAction Stop
}
catch {
Write-Error "M365 license report failed: $($_.Exception.Message)"
exit 1
}
finally {
Disconnect-MgGraph | Out-Null
}
ユーザーが数千規模でも取得は数分程度で完了することが多く、最終サインインから90日超の付与アカウントを候補にし、部門長承認で回収する運用に変えると、月額ライセンス費用を1割前後削減できるケースが一般に見られます。
実例4:Windows Updateの適用状況可視化と再起動ウィンドウ調整
パッチ適用後の再起動は業務影響が大きく、強制再起動の抑制とMTTRのバランスが肝です。PSWindowsUpdateモジュールで履歴と保留を収集し、再起動が必要な端末のみを抽出します⁷。
$ErrorActionPreference = 'Stop'
try {
Import-Module PSWindowsUpdate -ErrorAction Stop
}
catch {
Install-Module PSWindowsUpdate -Scope CurrentUser -Force -ErrorAction Stop
Import-Module PSWindowsUpdate -ErrorAction Stop
}
try {
$needReboot = Get-WURebootStatus -ErrorAction Stop
$hist = Get-WUHistory -ErrorAction Stop | Select-Object -First 200
$report = [pscustomobject]@{
ComputerName = $env:COMPUTERNAME
PendingReboot = $needReboot.RebootRequired
RecentUpdates = ($hist | Where-Object { $_.Result -eq 'Succeeded' }).Count
FailedUpdates = ($hist | Where-Object { $_.Result -eq 'Failed' }).Count
}
$report | Export-Csv -NoTypeInformation -Encoding UTF8 -Path 'wu-status.csv' -ErrorAction Stop
}
catch {
Write-Error "WU audit failed: $($_.Exception.Message)"
exit 1
}
対象100台規模の並列収集はPowerShell 7のForEach-Object -Parallelで実施すると、逐次処理比で約3倍前後のスループットとなるケースが多いです³。
実例5:IISログのエラー率集計とSlack通知
IISのW3Cログから5xx系の割合を集計し、しきい値を超えたらSlackに通知します。IISのW3C拡張ログではsc-statusなどのフィールドが記録されます⁸。SlackのIncoming Webhooksを用いるとJSONで簡易通知が可能です⁹。多ファイル・大容量ログに対してはストリーミングで処理し、Webhookはタイムアウトとリトライを設けます。
$ErrorActionPreference = 'Stop'
$logPattern = 'C:\inetpub\logs\LogFiles\W3SVC1\u_ex*.log'
$webhook = $env:SLACK_WEBHOOK
$thresholdPercent = 1.0
$timeoutSec = 10
function Invoke-Webhook {
param([string]$Uri,[hashtable]$Body,[int]$Retry = 2)
$json = $Body | ConvertTo-Json -Compress
for ($i=0; $i -le $Retry; $i++) {
try {
Invoke-RestMethod -Uri $Uri -Method Post -Body $json -ContentType 'application/json' -TimeoutSec $timeoutSec -ErrorAction Stop
return
}
catch {
if ($i -eq $Retry) { throw }
Start-Sleep -Seconds ([math]::Pow(2,$i))
}
}
}
try {
if (-not $webhook) { throw "SLACK_WEBHOOK is not set." }
$files = Get-ChildItem -Path $logPattern -ErrorAction Stop
if (-not $files) { Write-Host "No log files found."; exit 0 }
# フィールド位置をヘッダーから特定(sc-status列のインデックスを検出)
function Get-StatusIndex([string]$file){
$header = Select-String -Path $file -Pattern '^#Fields:' -SimpleMatch -Encoding UTF8 | Select-Object -Last 1
if (-not $header) { return 11 } # 既定想定
$cols = $header.Line.Substring('#Fields:'.Length).Trim() -split '\s+'
return [array]::IndexOf($cols,'sc-status')
}
$total = 0; $err5xx = 0
foreach ($f in $files) {
$statusIdx = Get-StatusIndex $f.FullName
Get-Content -Path $f.FullName -Encoding UTF8 -ReadCount 1000 -ErrorAction Stop | ForEach-Object {
foreach ($l in $_) {
if (-not $l -or $l.StartsWith('#')) { continue }
$cols = $l -split ' '
if ($statusIdx -lt 0 -or $statusIdx -ge $cols.Length) { continue }
$sc = 0; [void][int]::TryParse($cols[$statusIdx], [ref]$sc)
$total++
if ($sc -ge 500 -and $sc -lt 600) { $err5xx++ }
}
}
}
$rate = if ($total -gt 0) { [math]::Round(($err5xx/$total)*100,2) } else { 0 }
if ($rate -ge $thresholdPercent) {
Invoke-Webhook -Uri $webhook -Body @{ text = "IIS 5xx error rate: $rate% ($err5xx/$total)" }
}
}
catch {
Write-Error "IIS log scan failed: $($_.Exception.Message)"
exit 1
}
百万行規模のログでも、列位置の確定とストリーミング処理により数分以内に収束しやすく、CPU時間を抑えられます。
実例6:差分バックアップとAzure Blobへのアップロード
変更分のみを検出してクラウド(Azure Blob Storage)に送ると、帯域使用量が安定します。ローカル差分はハッシュで判断し、クラウド側はAz.Storageでアップロードします¹⁰。アップロード後にBlobのメタデータへハッシュ値を保持して比較を効率化します¹¹。
$ErrorActionPreference = 'Stop'
Import-Module Az.Accounts, Az.Storage -ErrorAction Stop
$src = 'D:\Data'
$container = 'backups'
$rg = 'rg-backup'
$account = 'mystorageacc'
function Get-Hash($path){ Get-FileHash -Path $path -Algorithm SHA256 -ErrorAction Stop | Select-Object -ExpandProperty Hash }
try {
$ctx = (Connect-AzAccount -Identity -ErrorAction Stop).Context
$sa = Get-AzStorageAccount -ResourceGroupName $rg -Name $account -ErrorAction Stop
$sc = $sa.Context
# コンテナー存在確認(なければ作成)
$cont = Get-AzStorageContainer -Context $sc -Name $container -ErrorAction SilentlyContinue
if (-not $cont) {
New-AzStorageContainer -Context $sc -Name $container -Permission Off -ErrorAction Stop | Out-Null
}
$files = Get-ChildItem -Path $src -File -Recurse -ErrorAction Stop
foreach ($f in $files) {
$blobName = $f.FullName.Substring($src.Length).TrimStart('\').Replace('\','/')
$existing = Get-AzStorageBlob -Context $sc -Container $container -Blob $blobName -ErrorAction SilentlyContinue
$need = $true
$local = $null
if ($existing) {
$metaHash = $existing.ICloudBlob.Metadata['sha256']
if ($metaHash) {
$local = Get-Hash $f.FullName
if ($local -eq $metaHash) { $need = $false }
}
}
if ($need) {
$res = Set-AzStorageBlobContent -Context $sc -Container $container -File $f.FullName -Blob $blobName -Force -ErrorAction Stop
if (-not $local) { $local = Get-Hash $f.FullName }
$ib = (Get-AzStorageBlob -Context $sc -Container $container -Blob $blobName -ErrorAction Stop).ICloudBlob
$ib.Metadata['sha256'] = $local
$ib.SetMetadata()
}
}
}
catch {
Write-Error "Blob backup failed: $($_.Exception.Message)"
exit 1
}
十万ファイル規模の初回フルは数時間、以降の日次差分は十数分程度に収まることが多く、ハッシュ計算によりI/Oの遅い環境でも一定のペースが出せます。
実例7:Outlookの自動仕分けとチケット連携
監視メールの件名や本文に含まれるエラーコードで分類し、重複を抑えながらサービスデスクのAPIに発番します。クライアント自動化のため、Outlookは起動状態での実行が前提です。Office/Outlookのサーバー側自動化は推奨されない点に注意してください¹²。Outlook Object Model経由で操作します¹³。API呼び出しには最低限の失敗対策を入れておきます。
$ErrorActionPreference = 'Stop'
$api = 'https://servicedesk.example.com/api/tickets'
$token = $env:SD_TOKEN
try {
if (-not $token) { throw "ServiceDesk token is not set." }
$outlook = New-Object -ComObject Outlook.Application
$ns = $outlook.GetNamespace('MAPI')
$inbox = $ns.GetDefaultFolder(6)
$items = $inbox.Items.Restrict("[Unread]=true")
foreach ($mail in @($items)) {
try {
$subj = $mail.Subject
if ($subj -match 'ERROR|CRITICAL') {
$body = @{
title = $subj
description = ($mail.Body.Substring(0,[Math]::Min(2000,$mail.Body.Length)))
} | ConvertTo-Json -Compress
Invoke-RestMethod -Uri $api -Headers @{ Authorization = "Bearer $token" } -Method Post -Body $body -ContentType 'application/json' -TimeoutSec 10 -ErrorAction Stop
$mail.Categories = 'Ticketed'
}
else {
$mail.Categories = 'Info'
}
$mail.UnRead = $false
$mail.Save()
}
catch {
Write-Warning "Failed to handle a mail: $($_.Exception.Message)"
}
}
}
catch {
Write-Error "Outlook automation failed: $($_.Exception.Message)"
exit 1
}
未読が千件規模でも数分程度で処理でき、重複抑制のために件名と受信日時のハッシュをチケット側に拡張属性として保存しておくと後続の工数も減らせます。
実例8:証明書の期限監視と事前通知
期限切れは致命傷になり得ます。ローカルコンピュータの証明書ストアから期限までの日数を計算し、閾値未満を通知します。IISやリバースプロキシの台数が多いほど効きます。類似の監視スクリプトは公開事例があり、実装の参考になります¹⁴。なお、Send-MailMessageは非推奨で今後の使用は推奨されません¹⁵。必要に応じて代替(RESTベースのメールAPIやGraph API)をご検討ください。
$ErrorActionPreference = 'Stop'
$threshold = 30
$smtp = 'smtp.example.com'
$port = 587
$to = 'ops@example.com'
try {
$certs = Get-ChildItem -Path Cert:\LocalMachine\My -ErrorAction Stop
$soon = $certs | Where-Object { $_.NotAfter -lt (Get-Date).AddDays($threshold) }
if ($soon) {
$html = ($soon | Select-Object FriendlyName, Subject, NotAfter | ConvertTo-Html -Fragment) -join "`n"
# 非推奨: Send-MailMessage。代替の実装を推奨。
Send-MailMessage -SmtpServer $smtp -Port $port -UseSsl -To $to -From 'certwatch@example.com' -Subject "Certs expiring in <$threshold days" -BodyAsHtml $html -ErrorAction Stop
}
}
catch {
Write-Error "Cert monitoring failed: $($_.Exception.Message)"
exit 1
}
百台規模での横断監視はWinRMを使ったリモート実行で十数分程度に収まり、更新漏れのリスクを大幅に抑制できます。
実例9:ファイル整合性監視(FIM)で改ざん検知
重要フォルダのハッシュベース台帳を作り、差分だけを報告します。夜間に走らせ、変更検知時のみメール通知にすればノイズを抑えられます。Get-FileHashはSHA256など複数アルゴリズムに対応しています¹⁶。標準コマンドのみで比較し、外部依存を持たない形に改善します。
$ErrorActionPreference = 'Stop'
$root = 'C:\App\conf'
$baseline = 'C:\App\conf.hash.csv'
function HashFile($p){ Get-FileHash -Path $p -Algorithm SHA256 -ErrorAction Stop }
try {
if (-not (Test-Path -LiteralPath $root)) { throw "Path not found: $root" }
if (-not (Test-Path -LiteralPath $baseline)) {
Get-ChildItem $root -File -Recurse -ErrorAction Stop |
ForEach-Object { HashFile $_.FullName } |
Select-Object Path, Hash |
Export-Csv -NoTypeInformation -Path $baseline -Encoding UTF8 -ErrorAction Stop
return
}
$prev = @{}
Import-Csv -Path $baseline -ErrorAction Stop | ForEach-Object { $prev[$_.Path] = $_.Hash }
$changed = @()
$current = Get-ChildItem $root -File -Recurse -ErrorAction Stop
foreach ($f in $current) {
$h = (HashFile $f.FullName).Hash
$old = $prev[$f.FullName]
if ($null -eq $old) {
$changed += [pscustomobject]@{ Path=$f.FullName; OldHash='(new)'; NewHash=$h }
}
elseif ($old -ne $h) {
$changed += [pscustomobject]@{ Path=$f.FullName; OldHash=$old; NewHash=$h }
}
$prev.Remove($f.FullName) | Out-Null
}
foreach ($removed in $prev.Keys) {
$changed += [pscustomobject]@{ Path=$removed; OldHash=$prev[$removed]; NewHash='(deleted)' }
}
if ($changed.Count -gt 0) {
$changed | Export-Csv -NoTypeInformation -Path 'conf-changes.csv' -Encoding UTF8 -ErrorAction Stop
}
}
catch {
Write-Error "FIM failed: $($_.Exception.Message)"
exit 1
}
数十万ファイル規模の初回ベースラインは数十分快、日次差分は数分〜十数分で収束する傾向です。PowerShell 7のForEach-Object -Parallelに切り替えると、I/Oがボトルネックでない範囲ではさらに短縮できます³。
実例10:Hyper-Vのスナップショット(チェックポイント)ローテーション
チェックポイントが肥大化すると性能劣化やストレージ圧迫を招きます。Hyper-Vのチェックポイント運用ガイダンスに従い、古いものを削除して上限を超えないようにします¹⁷。まずは-WhatIfでの乾燥実行を徹底します。
$ErrorActionPreference = 'Stop'
Import-Module Hyper-V -ErrorAction Stop
$retainDays = 7
$whatIf = $true # 本番適用時は$falseに
try {
$vms = Get-VM -ErrorAction Stop
foreach ($vm in $vms) {
$cps = Get-VMSnapshot -VMName $vm.Name -ErrorAction SilentlyContinue |
Where-Object { $_.CreationTime -lt (Get-Date).AddDays(-$retainDays) }
foreach ($cp in $cps) {
if ($whatIf) {
Write-Host "Would remove checkpoint: VM=$($vm.Name), CP=$($cp.Name), Created=$($cp.CreationTime)"
}
else {
Remove-VMSnapshot -VMName $vm.Name -Name $cp.Name -Confirm:$false -ErrorAction Stop
}
}
}
}
catch {
Write-Error "Hyper-V checkpoint rotation failed: $($_.Exception.Message)"
exit 1
}
週次ローテーションを適用すると、チェックポイントの総容量を数割抑制できるケースが多く、ストレージの突発的な枯渇を防ぎやすくなります。
安全性・信頼性・速度を両立する実装パターン
生産性と同時に、落ちない仕組みづくりが重要です。スクリプト先頭で$ErrorActionPreferenceをStopにし、失敗時に異常終了コードを返すことで監視系に正しく拾わせます。Transcriptで全出力をファイルに保存し、ログは日付でローテートします¹⁸。処理の並列化はForEach-Object -ParallelやStart-ThreadJob(スレッドジョブ)でCPUとI/Oの特性を見極め³²²、外部API呼び出しではレート制限に配慮して指数バックオフのリトライを入れます。Microsoft Graphはスロットリングの指針を公開しています¹⁹。以下は簡易の実行ラッパーで、標準出力と例外、メトリクスを一箇所に集約します。
param([string]$LogPath = "C:\\Logs\\job-$(Get-Date -Format yyyyMMdd).log")
$ErrorActionPreference = 'Stop'
$sw = [System.Diagnostics.Stopwatch]::StartNew()
Start-Transcript -Path $LogPath -Append | Out-Null
try {
# 本処理を関数で分離
function Invoke-Main {
# ここに実処理
return 0
}
$rc = Invoke-Main
$sw.Stop()
Write-Host ("OK elapsed={0}ms" -f $sw.ElapsedMilliseconds)
Stop-Transcript | Out-Null
exit $rc
}
catch {
$sw.Stop()
Write-Error ("FAILED elapsed={0}ms : {1}" -f $sw.ElapsedMilliseconds, $_.Exception.Message)
Stop-Transcript | Out-Null
exit 1
}
この形に揃えておくと、どのジョブでも同じ監視条件とメトリクス形式を適用でき、SLA運用が安定します。スループットが欲しい場面では計測対象の粒度を小さくし、ボトルネックがCPUかディスクかネットワークかを切り分けると無駄な最適化を避けられます。
導入・定着・ROIの見える化
現場に根付くかどうかは、効果を早く見せられるかに依存します。まずは1時間以内に完成する自動化を2つ選び、手作業30分の作業を5〜10分に短縮することを目標にします。これだけで週次2回の作業なら月に数時間の削減になり、時給4,000〜6,000円程度の仮単価でインパクトを定量化できます。次に変更管理に組み込み、Pull Requestとレビューを必須化します。運用チームでGitのブランチ戦略を揃え、スクリプトのバージョンとスケジュールの対応表を台帳で管理すると、トラブル時の切り戻しが迅速になります。最後にダッシュボード化です。ジョブの実行時間、成功率、削減時間を収集し、四半期ごとに可視化して共有します。10の実例を横串で見たとき、現実的な効率化の範囲は処理時間30〜70%の短縮、人的工数の20〜40%削減、障害起因の再作業10〜25%低下に収束しやすく、半年程度で初期投資を回収できるケースが多く見られます。スケジューリングはWindowsのタスクスケジューラから始め、依存関係やリトライ制御が複雑になってきた段階でAzure AutomationやGitHub Actionsに移行すると段差が小さくなります²⁰²¹。
まとめ:小さく始め、計測し、勝ちパターンを増やす
今日の現場で必要なのは、壮大なプラットフォーム化ではなく、確実に効く小さな自動化を連続で積み上げる姿勢です。PowerShellはWindows資産への親和性とクロスプラットフォームの両立により、現場のスピード感に寄り添います²。ここで示した10の自動化は、いずれも再現性が高く、短サイクルでの改善が可能です。あなたのチームでは最初にどの作業を置き換えるのが最も費用対効果が高いでしょうか。まずは一つ選び、測定結果をダッシュボードに残し、次の一つへとリズムを作ってみてください。定着の鍵は、効果を具体的数値で示し、改善の手応えをチームで共有することにあります。数週間後、同じ作業に費やす時間が半分になっていることに気づくはずです。
参考文献
- McKinsey Global Institute. A future that works: Automation, employment, and productivity (2017). https://www.mckinsey.com/featured-insights/employment-and-growth/what-the-future-of-work-will-mean-for-jobs-skills-and-wages
- Microsoft Learn. Differences between Windows PowerShell 5.1 and PowerShell 7.x. https://learn.microsoft.com/en-us/powershell/scripting/whats-new/differences-from-windows-powershell?view=powershell-7.5
- Microsoft Learn. about_Foreach-Parallel. https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_Foreach-Parallel?view=powershell-7.4
- Microsoft Tech Community. Use PowerShell to search for accounts in Active Directory that are inactive. https://techcommunity.microsoft.com/t5/windows-server-for-it-pro/use-powershell-to-search-for-accounts-in-active-directory-that/td-p/3585934
- Microsoft Graph. signInActivity resource type. https://learn.microsoft.com/en-us/graph/api/resources/signinactivity?view=graph-rest-1.0
- Microsoft Learn. View licensed and unlicensed users with Microsoft 365 PowerShell. https://learn.microsoft.com/en-us/microsoft-365/enterprise/view-licensed-and-unlicensed-users-with-microsoft-365-powershell?view=o365-worldwide
- Woshub. PSWindowsUpdate: Install Windows Updates with PowerShell. https://woshub.com/pswindowsupdate-module/
- Microsoft Learn. Logging in IIS — Fields in W3C extended log files. https://learn.microsoft.com/en-us/iis/manage/provisioning-and-managing-iis/logging-in-iis#fields-in-w3c-extended-log-files
- Slack. Incoming Webhooks. https://api.slack.com/messaging/webhooks
- Microsoft Learn. Quickstart: Upload, download, and list blobs with PowerShell. https://learn.microsoft.com/en-us/azure/storage/blobs/storage-quickstart-blobs-powershell
- Microsoft Learn. Set and retrieve properties and metadata for blobs. https://learn.microsoft.com/en-us/azure/storage/blobs/storage-blob-container-properties-metadata?tabs=powershell
- Microsoft Learn. Considerations for server-side Automation of Office. https://learn.microsoft.com/en-us/office/troubleshoot/office-developer/office-automation-with-servers
- Microsoft Learn. Outlook Object Model reference (VBA). https://learn.microsoft.com/en-us/office/vba/api/overview/outlook/object-model
- Microsoft Tech Community. Script to send email alerts on expiring certificates for computers. https://techcommunity.microsoft.com/t5/core-infrastructure-and-security/script-to-send-email-alerts-on-expiring-certificates-for/ba-p/1169438
- Microsoft Learn. Send-MailMessage (Microsoft.PowerShell.Utility) — This cmdlet is obsolete. https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.utility/send-mailmessage?view=powershell-7.4
- Microsoft Learn. Get-FileHash (Microsoft.PowerShell.Utility). https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.utility/get-filehash?view=powershell-7.4
- Microsoft Learn. Checkpoints in Hyper-V. https://learn.microsoft.com/en-us/windows-server/virtualization/hyper-v/learn-more/checkpoints-in-hyper-v
- Microsoft Learn. Start-Transcript (Microsoft.PowerShell.Host). https://learn.microsoft.com/en-us/powershell/module/microsoft.powershell.host/start-transcript?view=powershell-7.4
- Microsoft Graph. Throttling guidance. https://learn.microsoft.com/en-us/graph/throttling
- Microsoft Learn. Azure Automation overview. https://learn.microsoft.com/en-us/azure/automation/automation-intro
- GitHub Docs. Understanding GitHub Actions. https://docs.github.com/en/actions/learn-github-actions/understanding-github-actions
- Microsoft Learn. Start-ThreadJob (ThreadJob). https://learn.microsoft.com/en-us/powershell/module/threadjob/start-threadjob?view=powershell-7.4