skillUsageTracking.ts
utils/suggestions/skillUsageTracking.ts
No strong subsystem tag
56
Lines
1948
Bytes
2
Exports
1
Imports
10
Keywords
What this is
This page documents one file from the repository and includes its full source so you can read it without leaving the docs site.
Beginner explanation
This file is one piece of the larger system. Its name, directory, imports, and exports show where it fits. Start by reading the exports and related files first.
How it is used
Start from the exports list and related files. Those are the easiest clues for where this file fits into the system.
Expert explanation
Architecturally, this file intersects with general runtime concerns. It contains 56 lines, 1 detected imports, and 2 detected exports.
Important relationships
Detected exports
recordSkillUsagegetSkillUsageScore
Keywords
usageskillnameconfigcurrentskillusagesaveglobalconfiglastwritebyskillusedlastwriteusagecount
Detected imports
../config.js
Source notes
This page embeds the full file contents. Small or leaf files are still indexed honestly instead of being over-explained.
Full source
import { getGlobalConfig, saveGlobalConfig } from '../config.js'
const SKILL_USAGE_DEBOUNCE_MS = 60_000
// Process-lifetime debounce cache — avoids lock + read + parse on debounced
// calls. Same pattern as lastConfigStatTime / globalConfigWriteCount in config.ts.
const lastWriteBySkill = new Map<string, number>()
/**
* Records a skill usage for ranking purposes.
* Updates both usage count and last used timestamp.
*/
export function recordSkillUsage(skillName: string): void {
const now = Date.now()
const lastWrite = lastWriteBySkill.get(skillName)
// The ranking algorithm uses a 7-day half-life, so sub-minute granularity
// is irrelevant. Bail out before saveGlobalConfig to avoid lock + file I/O.
if (lastWrite !== undefined && now - lastWrite < SKILL_USAGE_DEBOUNCE_MS) {
return
}
lastWriteBySkill.set(skillName, now)
saveGlobalConfig(current => {
const existing = current.skillUsage?.[skillName]
return {
...current,
skillUsage: {
...current.skillUsage,
[skillName]: {
usageCount: (existing?.usageCount ?? 0) + 1,
lastUsedAt: now,
},
},
}
})
}
/**
* Calculates a usage score for a skill based on frequency and recency.
* Higher scores indicate more frequently and recently used skills.
*
* The score uses exponential decay with a half-life of 7 days,
* meaning usage from 7 days ago is worth half as much as usage today.
*/
export function getSkillUsageScore(skillName: string): number {
const config = getGlobalConfig()
const usage = config.skillUsage?.[skillName]
if (!usage) return 0
// Recency decay: halve score every 7 days
const daysSinceUse = (Date.now() - usage.lastUsedAt) / (1000 * 60 * 60 * 24)
const recencyFactor = Math.pow(0.5, daysSinceUse / 7)
// Minimum recency factor of 0.1 to avoid completely dropping old but heavily used skills
return usage.usageCount * Math.max(recencyFactor, 0.1)
}