obsidian-data-handling
Implement vault data backup, sync, and recovery strategies. Use when building backup features, implementing data export, or handling vault synchronization in your plugin. Trigger with phrases like "obsidian backup", "obsidian sync", "obsidian data export", "vault backup strategy".
Install
mkdir -p .claude/skills/obsidian-data-handling && curl -L -o skill.zip "https://mcp.directory/api/skills/download/1206" && unzip -o skill.zip -d .claude/skills/obsidian-data-handling && rm skill.zipInstalls to .claude/skills/obsidian-data-handling
About this skill
Obsidian Data Handling
Overview
Implement robust data handling patterns for vault backup, export, sync, and recovery in Obsidian plugins.
Prerequisites
- Understanding of Obsidian file system
- Knowledge of data serialization formats
- Basic understanding of sync patterns
Data Categories
| Data Type | Storage Location | Backup Priority |
|---|---|---|
| Notes (md) | Vault root | Critical |
| Attachments | Vault/attachments | Critical |
| Plugin settings | .obsidian/plugins/*/data.json | High |
| Plugin cache | .obsidian/plugins/*/cache/ | Low |
| Vault config | .obsidian/*.json | Medium |
Instructions
Step 1: Data Export Service
// src/services/export-service.ts
import { App, TFile, TFolder, Notice } from 'obsidian';
export interface ExportOptions {
includeAttachments: boolean;
includeMetadata: boolean;
format: 'json' | 'markdown' | 'zip';
folder?: string;
}
export interface ExportedNote {
path: string;
content: string;
metadata?: Record<string, any>;
created: number;
modified: number;
}
export class ExportService {
constructor(private app: App) {}
async exportNotes(options: ExportOptions): Promise<ExportedNote[]> {
const files = this.app.vault.getMarkdownFiles();
const filteredFiles = options.folder
? files.filter(f => f.path.startsWith(options.folder!))
: files;
const exportedNotes: ExportedNote[] = [];
for (const file of filteredFiles) {
const content = await this.app.vault.read(file);
const metadata = options.includeMetadata
? this.app.metadataCache.getFileCache(file)?.frontmatter
: undefined;
exportedNotes.push({
path: file.path,
content,
metadata,
created: file.stat.ctime,
modified: file.stat.mtime,
});
}
return exportedNotes;
}
async exportToJson(options: ExportOptions): Promise<string> {
const notes = await this.exportNotes(options);
const exportData = {
exported: new Date().toISOString(),
vault: this.app.vault.getName(),
noteCount: notes.length,
notes,
};
return JSON.stringify(exportData, null, 2);
}
async downloadExport(options: ExportOptions, filename: string): Promise<void> {
const json = await this.exportToJson(options);
const blob = new Blob([json], { type: 'application/json' });
const url = URL.createObjectURL(blob);
const a = document.createElement('a');
a.href = url;
a.download = filename;
a.click();
URL.revokeObjectURL(url);
new Notice(`Exported ${options.folder || 'all notes'}`);
}
}
Step 2: Data Import Service
// src/services/import-service.ts
import { App, TFile, Notice } from 'obsidian';
export interface ImportOptions {
overwrite: boolean;
targetFolder?: string;
dryRun: boolean;
}
export interface ImportResult {
created: string[];
updated: string[];
skipped: string[];
errors: { path: string; error: string }[];
}
export class ImportService {
constructor(private app: App) {}
async importFromJson(
jsonContent: string,
options: ImportOptions
): Promise<ImportResult> {
const result: ImportResult = {
created: [],
updated: [],
skipped: [],
errors: [],
};
try {
const data = JSON.parse(jsonContent);
const notes = data.notes || [];
for (const note of notes) {
try {
const targetPath = options.targetFolder
? `${options.targetFolder}/${note.path}`
: note.path;
const existing = this.app.vault.getAbstractFileByPath(targetPath);
if (existing instanceof TFile) {
if (options.overwrite) {
if (!options.dryRun) {
await this.app.vault.modify(existing, note.content);
}
result.updated.push(targetPath);
} else {
result.skipped.push(targetPath);
}
} else {
if (!options.dryRun) {
await this.ensureFolder(targetPath);
await this.app.vault.create(targetPath, note.content);
}
result.created.push(targetPath);
}
} catch (error) {
result.errors.push({
path: note.path,
error: (error as Error).message,
});
}
}
} catch (error) {
result.errors.push({
path: 'root',
error: `Failed to parse JSON: ${(error as Error).message}`,
});
}
return result;
}
private async ensureFolder(filePath: string): Promise<void> {
const folderPath = filePath.substring(0, filePath.lastIndexOf('/'));
if (!folderPath) return;
const folder = this.app.vault.getAbstractFileByPath(folderPath);
if (!folder) {
await this.app.vault.createFolder(folderPath);
}
}
async importFromFile(
file: File,
options: ImportOptions
): Promise<ImportResult> {
const content = await file.text();
return this.importFromJson(content, options);
}
}
Step 3: Backup Service
// src/services/backup-service.ts
import { App, TFile, Notice } from 'obsidian';
export interface BackupConfig {
autoBackup: boolean;
intervalMinutes: number;
maxBackups: number;
backupFolder: string;
includePluginData: boolean;
}
export interface BackupManifest {
id: string;
timestamp: string;
vault: string;
noteCount: number;
size: number;
checksum: string;
}
export class BackupService {
private config: BackupConfig;
private intervalId: number | null = null;
constructor(private app: App, config: BackupConfig) {
this.config = config;
}
async createBackup(): Promise<BackupManifest> {
const timestamp = new Date().toISOString().replace(/[:.]/g, '-');
const backupId = `backup-${timestamp}`;
const backupFolder = `${this.config.backupFolder}/${backupId}`;
// Create backup folder
await this.app.vault.createFolder(backupFolder);
// Get all markdown files
const files = this.app.vault.getMarkdownFiles();
let totalSize = 0;
// Copy files
for (const file of files) {
const content = await this.app.vault.read(file);
const targetPath = `${backupFolder}/${file.path}`;
await this.ensureFolder(targetPath);
await this.app.vault.create(targetPath, content);
totalSize += content.length;
}
// Calculate checksum
const checksum = await this.calculateVaultChecksum(files);
// Create manifest
const manifest: BackupManifest = {
id: backupId,
timestamp: new Date().toISOString(),
vault: this.app.vault.getName(),
noteCount: files.length,
size: totalSize,
checksum,
};
// Save manifest
await this.app.vault.create(
`${backupFolder}/manifest.json`,
JSON.stringify(manifest, null, 2)
);
// Clean old backups
await this.cleanOldBackups();
new Notice(`Backup created: ${backupId}`);
return manifest;
}
private async calculateVaultChecksum(files: TFile[]): Promise<string> {
const encoder = new TextEncoder();
let combinedContent = '';
for (const file of files.sort((a, b) => a.path.localeCompare(b.path))) {
const content = await this.app.vault.read(file);
combinedContent += `${file.path}:${content.length}:`;
}
const data = encoder.encode(combinedContent);
const hashBuffer = await crypto.subtle.digest('SHA-256', data);
const hashArray = Array.from(new Uint8Array(hashBuffer));
return hashArray.map(b => b.toString(16).padStart(2, '0')).join('').substring(0, 16);
}
async listBackups(): Promise<BackupManifest[]> {
const backups: BackupManifest[] = [];
const backupFolder = this.app.vault.getAbstractFileByPath(this.config.backupFolder);
if (!backupFolder) return backups;
const children = (backupFolder as any).children || [];
for (const child of children) {
const manifestPath = `${child.path}/manifest.json`;
const manifestFile = this.app.vault.getAbstractFileByPath(manifestPath);
if (manifestFile instanceof TFile) {
const content = await this.app.vault.read(manifestFile);
backups.push(JSON.parse(content));
}
}
return backups.sort((a, b) =>
new Date(b.timestamp).getTime() - new Date(a.timestamp).getTime()
);
}
async restoreBackup(backupId: string, options: { dryRun: boolean }): Promise<void> {
const backupFolder = `${this.config.backupFolder}/${backupId}`;
const folder = this.app.vault.getAbstractFileByPath(backupFolder);
if (!folder) {
throw new Error(`Backup not found: ${backupId}`);
}
// Read manifest
const manifestFile = this.app.vault.getAbstractFileByPath(
`${backupFolder}/manifest.json`
);
if (!(manifestFile instanceof TFile)) {
throw new Error('Invalid backup: manifest.json not found');
}
const manifest: BackupManifest = JSON.parse(
await this.app.vault.read(manifestFile)
);
if (options.dryRun) {
new Notice(`Would restore ${manifest.noteCount} notes from ${manifest.timestamp}`);
return;
}
// Restore files
const importService = new ImportService(this.app);
const files = this.app.vault.getMarkdownFiles()
.filter(f => f.path.startsWith(backupFolder + '/'))
.filter(f => f.name !== 'manifest.json');
for (const file of files) {
const content = await this.app.vault.read(file);
const targetPath = file.path.replace(backupFolder + '/', '');
await this.ensureFolder(targetPath);
const existing = this.app.vault.getAbstractFileByPath(targetPath);
if (existing instanceof TFile) {
await this.app.vault.modify(existing, content);
} else {
await this.app.vault.create(targetPath, content);
}
}
new Notice(`Restored backup: ${manifest.noteCount} notes`);
}
private async cleanOldBackups(): Promise<void> {
const backups = await this.listBackups();
if (backups.length > this.config.maxBackups) {
const toDelete = backups.slice(this.config.maxBackups);
for (const backup of toDelete) {
const folder = this.app.vault.getAbstractFileByPath(
`${this.config.backupFolder}/${backup.id}`
);
if (folder) {
await this.app.vault.delete(folder, true);
}
}
}
}
private async ensureFolder(filePath: string): Promise<void> {
const folderPath = filePath.substring(0, filePath.lastIndexOf('/'));
if (!folderPath) return;
const folder = this.app.vault.getAbstractFileByPath(folderPath);
if (!folder) {
await this.app.vault.createFolder(folderPath);
}
}
startAutoBackup(): void {
if (!this.config.autoBackup) return;
this.intervalId = window.setInterval(
() => this.createBackup(),
this.config.intervalMinutes * 60 * 1000
);
}
stopAutoBackup(): void {
if (this.intervalId) {
window.clearInterval(this.intervalId);
this.intervalId = null;
}
}
}
Step 4: Data Validation
// src/services/validation-service.ts
import { App, TFile } from 'obsidian';
export interface ValidationResult {
valid: boolean;
errors: ValidationError[];
warnings: ValidationWarning[];
}
interface ValidationError {
file: string;
type: 'frontmatter' | 'link' | 'syntax' | 'encoding';
message: string;
}
interface ValidationWarning {
file: string;
type: string;
message: string;
}
export class ValidationService {
constructor(private app: App) {}
async validateVault(): Promise<ValidationResult> {
const result: ValidationResult = {
valid: true,
errors: [],
warnings: [],
};
const files = this.app.vault.getMarkdownFiles();
for (const file of files) {
await this.validateFile(file, result);
}
result.valid = result.errors.length === 0;
return result;
}
private async validateFile(file: TFile, result: ValidationResult): Promise<void> {
try {
const content = await this.app.vault.read(file);
// Validate frontmatter
this.validateFrontmatter(file, content, result);
// Validate links
this.validateLinks(file, result);
// Check for binary content
if (this.containsBinaryContent(content)) {
result.warnings.push({
file: file.path,
type: 'encoding',
message: 'File may contain binary content',
});
}
} catch (error) {
result.errors.push({
file: file.path,
type: 'syntax',
message: `Failed to read file: ${(error as Error).message}`,
});
}
}
private validateFrontmatter(
file: TFile,
content: string,
result: ValidationResult
): void {
const frontmatterMatch = content.match(/^---\n([\s\S]*?)\n---/);
if (frontmatterMatch) {
try {
// Check for common YAML issues
const yaml = frontmatterMatch[1];
// Check for tabs (YAML prefers spaces)
if (yaml.includes('\t')) {
result.warnings.push({
file: file.path,
type: 'frontmatter',
message: 'Frontmatter contains tabs (use spaces)',
});
}
// Check for unquoted special characters
if (/:\s*[@#!]/.test(yaml)) {
result.warnings.push({
file: file.path,
type: 'frontmatter',
message: 'Frontmatter values may need quoting',
});
}
} catch (error) {
result.errors.push({
file: file.path,
type: 'frontmatter',
message: `Invalid frontmatter: ${(error as Error).message}`,
});
}
}
}
private validateLinks(file: TFile, result: ValidationResult): void {
const cache = this.app.metadataCache.getFileCache(file);
if (!cache?.links) return;
for (const link of cache.links) {
const linkedFile = this.app.metadataCache.getFirstLinkpathDest(
link.link,
file.path
);
if (!linkedFile) {
result.warnings.push({
file: file.path,
type: 'link',
message: `Broken link: [[${link.link}]]`,
});
}
}
}
private containsBinaryContent(content: string): boolean {
// Check for null bytes or high concentration of non-printable chars
const nullByteCount = (content.match(/\0/g) || []).length;
return nullByteCount > 0;
}
}
Step 5: Data Sync Patterns
// src/services/sync-service.ts
import { App, TFile } from 'obsidian';
export interface SyncStatus {
lastSync: string | null;
pendingChanges: number;
conflicts: SyncConflict[];
}
export interface SyncConflict {
path: string;
localModified: number;
remoteModified: number;
resolution: 'local' | 'remote' | 'manual' | null;
}
export class SyncService {
private syncHashes = new Map<string, string>();
private pendingChanges = new Set<string>();
constructor(private app: App) {}
async trackChange(file: TFile): Promise<void> {
const hash = await this.hashFile(file);
const previousHash = this.syncHashes.get(file.path);
if (previousHash && previousHash !== hash) {
this.pendingChanges.add(file.path);
}
this.syncHashes.set(file.path, hash);
}
async getChangedFiles(): Promise<TFile[]> {
const changedFiles: TFile[] = [];
for (const path of this.pendingChanges) {
const file = this.app.vault.getAbstractFileByPath(path);
if (file instanceof TFile) {
changedFiles.push(file);
}
}
return changedFiles;
}
markSynced(path: string): void {
this.pendingChanges.delete(path);
}
getStatus(): SyncStatus {
return {
lastSync: null, // Implement timestamp tracking
pendingChanges: this.pendingChanges.size,
conflicts: [],
};
}
private async hashFile(file: TFile): Promise<string> {
const content = await this.app.vault.read(file);
const encoder = new TextEncoder();
const data = encoder.encode(content);
const hashBuffer = await crypto.subtle.digest('SHA-256', data);
const hashArray = Array.from(new Uint8Array(hashBuffer));
return hashArray.map(b => b.toString(16).padStart(2, '0')).join('').substring(0, 16);
}
}
Output
- Data export with multiple formats
- Import with conflict handling
- Automated backup with retention
- Vault validation
- Change tracking for sync
Error Handling
| Issue | Cause | Solution |
|---|---|---|
| Export fails | Large vault | Use streaming export |
| Import conflicts | Existing files | Provide overwrite option |
| Backup corruption | Interrupted write | Verify with checksum |
| Sync conflicts | Concurrent edits | Implement conflict resolution |
Examples
Quick Backup Command
this.addCommand({
id: 'quick-backup',
name: 'Create Quick Backup',
callback: async () => {
const backupService = new BackupService(this.app, {
autoBackup: false,
intervalMinutes: 60,
maxBackups: 5,
backupFolder: '_backups',
includePluginData: true,
});
await backupService.createBackup();
},
});
Resources
Next Steps
For team access patterns, see obsidian-enterprise-rbac.
More by jeremylongshore
View all →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
rust-coding-skill
UtakataKyosui
Guides Claude in writing idiomatic, efficient, well-structured Rust code using proper data modeling, traits, impl organization, macros, and build-speed best practices.
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.