Files
aoc/backend/sources/intune_audit.py
2025-11-28 21:43:44 +01:00

74 lines
2.4 KiB
Python

import requests
from datetime import datetime, timedelta
from typing import List
from graph.auth import get_access_token
def fetch_intune_audit(hours: int = 24, max_pages: int = 50) -> List[dict]:
"""
Fetch Intune audit events via Microsoft Graph.
Requires Intune audit permissions (e.g., DeviceManagementConfiguration.Read.All).
"""
token = get_access_token()
start_time = (datetime.utcnow() - timedelta(hours=hours)).isoformat() + "Z"
url = (
"https://graph.microsoft.com/v1.0/deviceManagement/auditEvents"
f"?$filter=activityDateTime ge {start_time}"
)
headers = {"Authorization": f"Bearer {token}"}
events = []
pages = 0
while url:
if pages >= max_pages:
raise RuntimeError(f"Aborting Intune pagination after {max_pages} pages.")
try:
res = requests.get(url, headers=headers, timeout=20)
res.raise_for_status()
body = res.json()
except requests.RequestException as exc:
raise RuntimeError(f"Failed to fetch Intune audit logs: {exc}") from exc
except ValueError as exc:
raise RuntimeError(f"Invalid Intune response JSON: {exc}") from exc
events.extend(body.get("value", []))
url = body.get("@odata.nextLink")
pages += 1
return [_normalize_intune(e) for e in events]
def _normalize_intune(e: dict) -> dict:
"""
Map Intune audit event to normalized schema.
"""
actor = e.get("actor", {}) or {}
target = e.get("resources", [{}])[0] if e.get("resources") else {}
return {
"id": e.get("id"),
"activityDateTime": e.get("activityDateTime"),
"category": e.get("category") or "Intune",
"activityDisplayName": e.get("activity") or e.get("activityType"),
"result": e.get("activityResult") or e.get("result"),
"initiatedBy": {
"user": {
"id": actor.get("userId"),
"userPrincipalName": actor.get("userPrincipalName"),
"displayName": actor.get("userName"),
"ipAddress": actor.get("ipAddress"),
}
},
"targetResources": [
{
"id": target.get("id"),
"displayName": target.get("displayName") or target.get("modifiedProperties", [{}])[0].get("displayName"),
"type": target.get("type"),
}
]
if target
else [],
"raw": e,
}