Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 3 additions & 0 deletions .jules/bolt.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,3 @@
## 2025-04-02 - TaskGroup Static Chunking vs Sliding Window
**Learning:** In Swift structured concurrency, processing high-volume tasks (like hundreds of PIDs in `ProcessMemoryScanner`) using `withTaskGroup` with static chunking limits throughput due to tail latency (waiting for the slowest task in a chunk to complete before starting the next chunk).
**Action:** Instead of chunking arrays, use a sliding window approach with `makeIterator()`. Enqueue the initial max concurrency limit, and add a new task immediately as each `await group.next()` completes, maintaining maximum continuous throughput.
39 changes: 23 additions & 16 deletions Sources/Cacheout/Memory/ProcessMemoryScanner.swift
Original file line number Diff line number Diff line change
Expand Up @@ -97,29 +97,36 @@ actor ProcessMemoryScanner {
///
/// Returns the collected entries and the count of EPERM failures.
private func scanPIDs(_ pids: [pid_t]) async -> (entries: [ProcessEntryDTO], epermCount: Int) {
// Chunk PIDs to cap concurrency at maxConcurrency.
let chunks = stride(from: 0, to: pids.count, by: maxConcurrency).map {
Array(pids[$0..<min($0 + maxConcurrency, pids.count)])
}

var allEntries: [ProcessEntryDTO] = []
var totalEperm = 0

for chunk in chunks {
await withTaskGroup(of: ScanPIDResult.self) { group in
for pid in chunk {
// Use an iterator to manage a sliding window of tasks, capping concurrency at maxConcurrency.
var pidIterator = pids.makeIterator()

await withTaskGroup(of: ScanPIDResult.self) { group in
// Enqueue initial set of tasks up to maxConcurrency
for _ in 0..<maxConcurrency {
if let pid = pidIterator.next() {
group.addTask { [self] in
self.scanSinglePID(pid)
}
}
for await result in group {
switch result {
case .success(let entry):
allEntries.append(entry)
case .eperm:
totalEperm += 1
case .otherError:
break
}

// As each task completes, process its result and add a new task if available
for await result in group {
switch result {
case .success(let entry):
allEntries.append(entry)
case .eperm:
totalEperm += 1
case .otherError:
break
}

if let pid = pidIterator.next() {
group.addTask { [self] in
self.scanSinglePID(pid)
}
}
}
Expand Down