obsidian-reference-architecture
Implement Obsidian reference architecture with best-practice project layout. Use when designing new plugins, reviewing project structure, or establishing architecture standards for Obsidian development. Trigger with phrases like "obsidian architecture", "obsidian project structure", "obsidian best practices", "organize obsidian plugin". allowed-tools: Read, Grep version: 1.0.0 license: MIT author: Jeremy Longshore <jeremy@intentsolutions.io>
Allowed Tools
No tools specified
Provided by Plugin
obsidian-pack
Claude Code skill pack for Obsidian plugin development and vault management (24 skills)
Installation
This skill is included in the obsidian-pack plugin:
/plugin install obsidian-pack@claude-code-plugins-plus
Click to copy
Instructions
# Obsidian Reference Architecture
## Overview
Production-ready architecture patterns for Obsidian plugin development.
## Prerequisites
- Understanding of layered architecture
- TypeScript and Obsidian API knowledge
- Project setup complete
## Project Structure
```
my-obsidian-plugin/
βββ src/
β βββ main.ts # Plugin entry point
β βββ types.ts # TypeScript type definitions
β βββ constants.ts # Constants and configuration
β β
β βββ settings/
β β βββ settings.ts # Settings interface & defaults
β β βββ settings-tab.ts # Settings UI component
β β βββ settings-migration.ts # Settings version migration
β β
β βββ services/
β β βββ vault-service.ts # Vault operations
β β βββ metadata-service.ts # Frontmatter/cache operations
β β βββ search-service.ts # Search functionality
β β βββ api-service.ts # External API integration
β β
β βββ commands/
β β βββ index.ts # Command registration
β β βββ note-commands.ts # Note-related commands
β β βββ utility-commands.ts # Utility commands
β β
β βββ ui/
β β βββ modals/
β β β βββ input-modal.ts
β β β βββ confirm-modal.ts
β β βββ views/
β β β βββ sidebar-view.ts
β β β βββ view-registry.ts
β β βββ components/
β β βββ status-bar.ts
β β βββ ribbon-icon.ts
β β
β βββ events/
β β βββ event-manager.ts # Event registration
β β βββ event-handlers.ts # Event handler implementations
β β
β βββ utils/
β βββ debounce.ts
β βββ async-queue.ts
β βββ cache.ts
β βββ logger.ts
β
βββ tests/
β βββ services/
β β βββ vault-service.test.ts
β βββ commands/
β β βββ note-commands.test.ts
β βββ setup.ts # Test configuration
β
βββ styles/
β βββ styles.css # Plugin styles
β
βββ docs/
β βββ ARCHITECTURE.md # Architecture documentation
β
βββ manifest.json # Plugin manifest
βββ versions.json # Version compatibility
βββ package.json # Node dependencies
βββ tsconfig.json # TypeScript configuration
βββ esbuild.config.mjs # Build configuration
βββ .eslintrc.js # Linting rules
βββ .gitignore
```
## Layer Architecture
```
βββββββββββββββββββββββββββββββββββββββββββ
β UI Layer β
β (Views, Modals, Components) β
βββββββββββββββββββββββββββββββββββββββββββ€
β Command Layer β
β (Commands, Event Handlers) β
βββββββββββββββββββββββββββββββββββββββββββ€
β Service Layer β
β (Business Logic, Data Access) β
βββββββββββββββββββββββββββββββββββββββββββ€
β Infrastructure Layer β
β (Cache, Logger, Utilities) β
βββββββββββββββββββββββββββββββββββββββββββ
```
## Key Components
### Step 1: Main Plugin Entry Point
```typescript
// src/main.ts
import { Plugin } from 'obsidian';
import { MyPluginSettings, DEFAULT_SETTINGS, MyPluginSettingsTab } from './settings';
import { VaultService } from './services/vault-service';
import { registerCommands } from './commands';
import { EventManager } from './events/event-manager';
import { registerViews } from './ui/views/view-registry';
import { Logger } from './utils/logger';
export default class MyPlugin extends Plugin {
settings: MyPluginSettings;
private logger: Logger;
private vaultService: VaultService;
private eventManager: EventManager;
async onload() {
this.logger = new Logger(this.manifest.id);
this.logger.info('Loading plugin');
// Load settings
await this.loadSettings();
// Initialize services
this.vaultService = new VaultService(this.app);
// Initialize event manager
this.eventManager = new EventManager(this);
// Register UI components
this.addSettingTab(new MyPluginSettingsTab(this.app, this));
registerViews(this);
registerCommands(this);
// Setup events after layout is ready
this.app.workspace.onLayoutReady(() => {
this.eventManager.registerAll();
this.logger.info('Plugin ready');
});
}
onunload() {
this.logger.info('Unloading plugin');
// Cleanup handled automatically by Obsidian
}
async loadSettings() {
const data = await this.loadData();
this.settings = Object.assign({}, DEFAULT_SETTINGS, data);
}
async saveSettings() {
await this.saveData(this.settings);
}
// Public API for other plugins
getVaultService(): VaultService {
return this.vaultService;
}
}
```
### Step 2: Service Layer Pattern
```typescript
// src/services/vault-service.ts
import { App, TFile, TFolder, Vault, CachedMetadata } from 'obsidian';
export class VaultService {
constructor(private app: App) {}
get vault(): Vault {
return this.app.vault;
}
// File operations
async readFile(file: TFile): Promise {
return this.vault.read(file);
}
async writeFile(file: TFile, content: string): Promise {
await this.vault.modify(file, content);
}
async createFile(path: string, content: string): Promise {
await this.ensureFolder(path);
return this.vault.create(path, content);
}
getFileByPath(path: string): TFile | null {
const file = this.vault.getAbstractFileByPath(path);
return file instanceof TFile ? file : null;
}
// Folder operations
private async ensureFolder(filePath: string): Promise {
const folderPath = filePath.substring(0, filePath.lastIndexOf('/'));
if (!folderPath) return;
const folder = this.vault.getAbstractFileByPath(folderPath);
if (!folder) {
await this.vault.createFolder(folderPath);
}
}
// Query operations
getMarkdownFiles(): TFile[] {
return this.vault.getMarkdownFiles();
}
getFilesInFolder(folderPath: string): TFile[] {
return this.getMarkdownFiles().filter(f => f.path.startsWith(folderPath + '/'));
}
// Metadata operations
getMetadata(file: TFile): CachedMetadata | null {
return this.app.metadataCache.getFileCache(file);
}
getFrontmatter(file: TFile): Record | null {
return this.getMetadata(file)?.frontmatter || null;
}
}
```
### Step 3: Command Registration Pattern
```typescript
// src/commands/index.ts
import { Plugin } from 'obsidian';
import { registerNoteCommands } from './note-commands';
import { registerUtilityCommands } from './utility-commands';
export function registerCommands(plugin: Plugin): void {
registerNoteCommands(plugin);
registerUtilityCommands(plugin);
}
// src/commands/note-commands.ts
import { Plugin, MarkdownView, Editor } from 'obsidian';
export function registerNoteCommands(plugin: Plugin): void {
// Simple command
plugin.addCommand({
id: 'my-plugin-action',
name: 'Perform Action',
callback: () => {
// Action implementation
},
});
// Editor command
plugin.addCommand({
id: 'my-plugin-editor-action',
name: 'Editor Action',
editorCallback: (editor: Editor, view: MarkdownView) => {
// Editor-specific action
},
});
// Conditional command
plugin.addCommand({
id: 'my-plugin-conditional',
name: 'Conditional Action',
checkCallback: (checking: boolean) => {
const view = plugin.app.workspace.getActiveViewOfType(MarkdownView);
if (view) {
if (!checking) {
// Execute action
}
return true;
}
return false;
},
});
}
```
### Step 4: Event Manager Pattern
```typescript
// src/events/event-manager.ts
import { Plugin, TFile, TAbstractFile } from 'obsidian';
import { debounce } from '../utils/debounce';
export class EventManager {
constructor(private plugin: Plugin) {}
registerAll(): void {
this.registerVaultEvents();
this.registerWorkspaceEvents();
}
private registerVaultEvents(): void {
// Debounced file modify handler
const onModify = debounce((file: TAbstractFile) => {
if (file instanceof TFile) {
this.handleFileModify(file);
}
}, 500);
this.plugin.registerEvent(
this.plugin.app.vault.on('modify', onModify)
);
this.plugin.registerEvent(
this.plugin.app.vault.on('create', (file) => {
if (file instanceof TFile) {
this.handleFileCreate(file);
}
})
);
this.plugin.registerEvent(
this.plugin.app.vault.on('delete', (file) => {
this.handleFileDelete(file);
})
);
this.plugin.registerEvent(
this.plugin.app.vault.on('rename', (file, oldPath) => {
if (file instanceof TFile) {
this.handleFileRename(file, oldPath);
}
})
);
}
private registerWorkspaceEvents(): void {
this.plugin.registerEvent(
this.plugin.app.workspace.on('file-open', (file) => {
if (file) {
this.handleFileOpen(file);
}
})
);
}
private handleFileModify(file: TFile): void {
// Handle file modification
}
private handleFileCreate(file: TFile): void {
// Handle file creation
}
private handleFileDelete(file: TAbstractFile): void {
// Handle file deletion
}
private handleFileRename(file: TFile, oldPath: string): void {
// Handle file rename
}
private handleFileOpen(file: TFile): void {
// Handle file open
}
}
```
### Step 5: Settings Pattern
```typescript
// src/settings/settings.ts
export interface MyPluginSettings {
enabled: boolean;
apiEndpoint: string;
maxItems: number;
excludeFolders: string[];
settingsVersion: number;
}
export const DEFAULT_SETTINGS: MyPluginSettings = {
enabled: true,
apiEndpoint: '',
maxItems: 100,
excludeFolders: [],
settingsVersion: 1,
};
// src/settings/settings-tab.ts
import { App, PluginSettingTab, Setting } from 'obsidian';
import type MyPlugin from '../main';
export class MyPluginSettingsTab extends PluginSettingTab {
plugin: MyPlugin;
constructor(app: App, plugin: MyPlugin) {
super(app, plugin);
this.plugin = plugin;
}
display(): void {
const { containerEl } = this;
containerEl.empty();
containerEl.createEl('h2', { text: 'My Plugin Settings' });
new Setting(containerEl)
.setName('Enable Plugin')
.setDesc('Turn the plugin features on or off')
.addToggle(toggle => toggle
.setValue(this.plugin.settings.enabled)
.onChange(async (value) => {
this.plugin.settings.enabled = value;
await this.plugin.saveSettings();
}));
new Setting(containerEl)
.setName('Max Items')
.setDesc('Maximum number of items to display')
.addSlider(slider => slider
.setLimits(10, 500, 10)
.setValue(this.plugin.settings.maxItems)
.setDynamicTooltip()
.onChange(async (value) => {
this.plugin.settings.maxItems = value;
await this.plugin.saveSettings();
}));
}
}
```
## Data Flow Diagram
```
User Action (Command/Event)
β
βΌ
βββββββββββββββββββ
β UI Layer β
β (Modal/View) β
ββββββββββ¬βββββββββ
β
βΌ
βββββββββββββββββββ
β Command Handler β
β (Orchestration) β
ββββββββββ¬βββββββββ
β
βΌ
βββββββββββββββββββ βββββββββββββββ
β Service Layer ββββββΆβ Cache β
β (Business) β β (Memory) β
ββββββββββ¬βββββββββ βββββββββββββββ
β
βΌ
βββββββββββββββββββ
β Obsidian API β
β (Vault/Cache) β
βββββββββββββββββββ
```
## Output
- Organized project structure
- Clear separation of concerns
- Reusable service layer
- Centralized event management
- Type-safe settings
## Error Handling
| Issue | Cause | Solution |
|-------|-------|----------|
| Circular dependencies | Wrong imports | Use interface segregation |
| Missing types | Incomplete definitions | Create types.ts |
| Event leaks | Unregistered events | Use registerEvent |
| Settings lost | Migration missing | Implement version migration |
## Examples
### Quick Setup Script
```bash
#!/bin/bash
# setup-plugin-structure.sh
mkdir -p src/{services,commands,ui/{modals,views,components},events,utils,settings}
mkdir -p tests/{services,commands}
touch src/main.ts
touch src/types.ts
touch src/constants.ts
touch src/settings/{settings,settings-tab,settings-migration}.ts
touch src/services/{vault-service,metadata-service,search-service}.ts
touch src/commands/{index,note-commands,utility-commands}.ts
touch src/events/{event-manager,event-handlers}.ts
touch src/utils/{debounce,async-queue,cache,logger}.ts
echo "Plugin structure created!"
```
## Resources
- [Obsidian Plugin Guidelines](https://docs.obsidian.md/Plugins/Releasing/Plugin+guidelines)
- [Clean Architecture](https://blog.cleancoder.com/uncle-bob/2012/08/13/the-clean-architecture.html)
## Flagship Skills
For multi-environment setup, see `obsidian-multi-env-setup`.