Compare commits
26 Commits
new-storag
...
sql-absurd
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
d9ce884513 | ||
|
|
a1a1543ae1 | ||
|
|
93591a5815 | ||
|
|
b30c4c8b30 | ||
|
|
1f9db0ba94 | ||
|
|
bdc2d71d3c | ||
| 2647c5a77d | |||
|
|
682fceb1c6 | ||
|
|
e0013008b4 | ||
| 0674d98670 | |||
|
|
ee441d1aea | ||
|
|
75f6e99200 | ||
|
|
52c9e57ef4 | ||
| 603823d808 | |||
| 5f24f4975d | |||
| 5057d7d07f | |||
| 946e88d903 | |||
|
|
cbfb1ebf57 | ||
| a38934e38d | |||
| a3bdcfd168 | |||
| 83771caee1 | |||
| da35b225cd | |||
| 8c3920e108 | |||
| 54f269054f | |||
| 6556eb55a3 | |||
| 634e2bb2fb |
172
.cursor/rules/SQLITE.mdc
Normal file
172
.cursor/rules/SQLITE.mdc
Normal file
@@ -0,0 +1,172 @@
|
||||
---
|
||||
description:
|
||||
globs:
|
||||
alwaysApply: true
|
||||
---
|
||||
# @capacitor-community/sqlite MDC Ruleset
|
||||
|
||||
## Project Overview
|
||||
This ruleset is for the `@capacitor-community/sqlite` plugin, a Capacitor community plugin that provides native and Electron SQLite database functionality with encryption support.
|
||||
|
||||
## Key Features
|
||||
- Native SQLite database support for iOS, Android, and Electron
|
||||
- Database encryption support using SQLCipher (Native) and better-sqlite3-multiple-ciphers (Electron)
|
||||
- Biometric authentication support
|
||||
- Cross-platform database operations
|
||||
- JSON import/export capabilities
|
||||
- Database migration support
|
||||
- Sync table functionality
|
||||
|
||||
## Platform Support Matrix
|
||||
|
||||
### Core Database Operations
|
||||
| Operation | Android | iOS | Electron | Web |
|
||||
|-----------|---------|-----|----------|-----|
|
||||
| Create Connection (RW) | ✅ | ✅ | ✅ | ✅ |
|
||||
| Create Connection (RO) | ✅ | ✅ | ✅ | ❌ |
|
||||
| Open DB (non-encrypted) | ✅ | ✅ | ✅ | ✅ |
|
||||
| Open DB (encrypted) | ✅ | ✅ | ✅ | ❌ |
|
||||
| Execute/Query | ✅ | ✅ | ✅ | ✅ |
|
||||
| Import/Export JSON | ✅ | ✅ | ✅ | ✅ |
|
||||
|
||||
### Security Features
|
||||
| Feature | Android | iOS | Electron | Web |
|
||||
|---------|---------|-----|----------|-----|
|
||||
| Encryption | ✅ | ✅ | ✅ | ❌ |
|
||||
| Biometric Auth | ✅ | ✅ | ✅ | ❌ |
|
||||
| Secret Management | ✅ | ✅ | ✅ | ❌ |
|
||||
|
||||
## Configuration Requirements
|
||||
|
||||
### Base Configuration
|
||||
```typescript
|
||||
// capacitor.config.ts
|
||||
{
|
||||
plugins: {
|
||||
CapacitorSQLite: {
|
||||
iosDatabaseLocation: 'Library/CapacitorDatabase',
|
||||
iosIsEncryption: true,
|
||||
iosKeychainPrefix: 'your-app-prefix',
|
||||
androidIsEncryption: true,
|
||||
electronIsEncryption: true
|
||||
}
|
||||
}
|
||||
}
|
||||
```
|
||||
|
||||
### Platform-Specific Requirements
|
||||
|
||||
#### Android
|
||||
- Minimum SDK: 23
|
||||
- Target SDK: 35
|
||||
- Required Gradle JDK: 21
|
||||
- Required Android Gradle Plugin: 8.7.2
|
||||
- Required manifest settings for backup prevention
|
||||
- Required data extraction rules
|
||||
|
||||
#### iOS
|
||||
- No additional configuration needed beyond base setup
|
||||
- Supports biometric authentication
|
||||
- Uses keychain for encryption
|
||||
|
||||
#### Electron
|
||||
Required dependencies:
|
||||
```json
|
||||
{
|
||||
"dependencies": {
|
||||
"better-sqlite3-multiple-ciphers": "latest",
|
||||
"electron-json-storage": "latest",
|
||||
"jszip": "latest",
|
||||
"node-fetch": "2.6.7",
|
||||
"crypto": "latest",
|
||||
"crypto-js": "latest"
|
||||
}
|
||||
}
|
||||
```
|
||||
|
||||
#### Web
|
||||
- Requires `sql.js` and `jeep-sqlite`
|
||||
- Manual copy of `sql-wasm.wasm` to assets folder
|
||||
- Framework-specific asset placement:
|
||||
- Angular: `src/assets/`
|
||||
- Vue/React: `public/assets/`
|
||||
|
||||
## Best Practices
|
||||
|
||||
### Database Operations
|
||||
1. Always close connections after use
|
||||
2. Use transactions for multiple operations
|
||||
3. Implement proper error handling
|
||||
4. Use prepared statements for queries
|
||||
5. Implement proper database versioning
|
||||
|
||||
### Security
|
||||
1. Always use encryption for sensitive data
|
||||
2. Implement proper secret management
|
||||
3. Use biometric authentication when available
|
||||
4. Follow platform-specific security guidelines
|
||||
|
||||
### Performance
|
||||
1. Use appropriate indexes
|
||||
2. Implement connection pooling
|
||||
3. Use transactions for bulk operations
|
||||
4. Implement proper database cleanup
|
||||
|
||||
## Common Issues and Solutions
|
||||
|
||||
### Android
|
||||
- Build data properties conflict: Add to `app/build.gradle`:
|
||||
```gradle
|
||||
packagingOptions {
|
||||
exclude 'build-data.properties'
|
||||
}
|
||||
```
|
||||
|
||||
### Electron
|
||||
- Node-fetch version must be ≤2.6.7
|
||||
- For Capacitor Electron v5:
|
||||
- Use Electron@25.8.4
|
||||
- Add `"skipLibCheck": true` to tsconfig.json
|
||||
|
||||
### Web
|
||||
- Ensure proper WASM file placement
|
||||
- Handle browser compatibility
|
||||
- Implement proper fallbacks
|
||||
|
||||
## Version Compatibility
|
||||
- Requires Node.js ≥16.0.0
|
||||
- Compatible with Capacitor ≥7.0.0
|
||||
- Supports TypeScript 4.1.5+
|
||||
|
||||
## Testing Requirements
|
||||
- Unit tests for database operations
|
||||
- Platform-specific integration tests
|
||||
- Encryption/decryption tests
|
||||
- Biometric authentication tests
|
||||
- Migration tests
|
||||
- Sync functionality tests
|
||||
|
||||
## Documentation
|
||||
- API Documentation: `/docs/API.md`
|
||||
- Connection API: `/docs/APIConnection.md`
|
||||
- DB Connection API: `/docs/APIDBConnection.md`
|
||||
- Release Notes: `/docs/info_releases.md`
|
||||
- Changelog: `CHANGELOG.md`
|
||||
|
||||
## Contributing Guidelines
|
||||
- Follow Ionic coding standards
|
||||
- Use provided linting and formatting tools
|
||||
- Maintain platform compatibility
|
||||
- Update documentation
|
||||
- Add appropriate tests
|
||||
- Follow semantic versioning
|
||||
|
||||
## Maintenance
|
||||
- Regular security updates
|
||||
- Platform compatibility checks
|
||||
- Performance optimization
|
||||
- Documentation updates
|
||||
- Dependency updates
|
||||
|
||||
## License
|
||||
MIT License - See LICENSE file for details
|
||||
153
.cursor/rules/absurd-sql.mdc
Normal file
153
.cursor/rules/absurd-sql.mdc
Normal file
@@ -0,0 +1,153 @@
|
||||
---
|
||||
description:
|
||||
globs:
|
||||
alwaysApply: true
|
||||
---
|
||||
# Absurd SQL - Cursor Development Guide
|
||||
|
||||
## Project Overview
|
||||
Absurd SQL is a backend implementation for sql.js that enables persistent SQLite databases in the browser by using IndexedDB as a block storage system. This guide provides rules and best practices for developing with this project in Cursor.
|
||||
|
||||
## Project Structure
|
||||
```
|
||||
absurd-sql/
|
||||
├── src/ # Source code
|
||||
├── dist/ # Built files
|
||||
├── package.json # Dependencies and scripts
|
||||
├── rollup.config.js # Build configuration
|
||||
└── jest.config.js # Test configuration
|
||||
```
|
||||
|
||||
## Development Rules
|
||||
|
||||
### 1. Worker Thread Requirements
|
||||
- All SQL operations MUST be performed in a worker thread
|
||||
- Main thread should only handle worker initialization and communication
|
||||
- Never block the main thread with database operations
|
||||
|
||||
### 2. Code Organization
|
||||
- Keep worker code in separate files (e.g., `*.worker.js`)
|
||||
- Use ES modules for imports/exports
|
||||
- Follow the project's existing module structure
|
||||
|
||||
### 3. Required Headers
|
||||
When developing locally or deploying, ensure these headers are set:
|
||||
```
|
||||
Cross-Origin-Opener-Policy: same-origin
|
||||
Cross-Origin-Embedder-Policy: require-corp
|
||||
```
|
||||
|
||||
### 4. Browser Compatibility
|
||||
- Primary target: Modern browsers with SharedArrayBuffer support
|
||||
- Fallback mode: Safari (with limitations)
|
||||
- Always test in both modes
|
||||
|
||||
### 5. Database Configuration
|
||||
Recommended database settings:
|
||||
```sql
|
||||
PRAGMA journal_mode=MEMORY;
|
||||
PRAGMA page_size=8192; -- Optional, but recommended
|
||||
```
|
||||
|
||||
### 6. Development Workflow
|
||||
1. Install dependencies:
|
||||
```bash
|
||||
yarn add @jlongster/sql.js absurd-sql
|
||||
```
|
||||
|
||||
2. Development commands:
|
||||
- `yarn build` - Build the project
|
||||
- `yarn jest` - Run tests
|
||||
- `yarn serve` - Start development server
|
||||
|
||||
### 7. Testing Guidelines
|
||||
- Write tests for both SharedArrayBuffer and fallback modes
|
||||
- Use Jest for testing
|
||||
- Include performance benchmarks for critical operations
|
||||
|
||||
### 8. Performance Considerations
|
||||
- Use bulk operations when possible
|
||||
- Monitor read/write performance
|
||||
- Consider using transactions for multiple operations
|
||||
- Avoid unnecessary database connections
|
||||
|
||||
### 9. Error Handling
|
||||
- Implement proper error handling for:
|
||||
- Worker initialization failures
|
||||
- Database connection issues
|
||||
- Concurrent access conflicts (in fallback mode)
|
||||
- Storage quota exceeded scenarios
|
||||
|
||||
### 10. Security Best Practices
|
||||
- Never expose database operations directly to the client
|
||||
- Validate all SQL queries
|
||||
- Implement proper access controls
|
||||
- Handle sensitive data appropriately
|
||||
|
||||
### 11. Code Style
|
||||
- Follow ESLint configuration
|
||||
- Use async/await for asynchronous operations
|
||||
- Document complex database operations
|
||||
- Include comments for non-obvious optimizations
|
||||
|
||||
### 12. Debugging
|
||||
- Use `jest-debug` for debugging tests
|
||||
- Monitor IndexedDB usage in browser dev tools
|
||||
- Check worker communication in console
|
||||
- Use performance monitoring tools
|
||||
|
||||
## Common Patterns
|
||||
|
||||
### Worker Initialization
|
||||
```javascript
|
||||
// Main thread
|
||||
import { initBackend } from 'absurd-sql/dist/indexeddb-main-thread';
|
||||
|
||||
function init() {
|
||||
let worker = new Worker(new URL('./index.worker.js', import.meta.url));
|
||||
initBackend(worker);
|
||||
}
|
||||
```
|
||||
|
||||
### Database Setup
|
||||
```javascript
|
||||
// Worker thread
|
||||
import initSqlJs from '@jlongster/sql.js';
|
||||
import { SQLiteFS } from 'absurd-sql';
|
||||
import IndexedDBBackend from 'absurd-sql/dist/indexeddb-backend';
|
||||
|
||||
async function setupDatabase() {
|
||||
let SQL = await initSqlJs({ locateFile: file => file });
|
||||
let sqlFS = new SQLiteFS(SQL.FS, new IndexedDBBackend());
|
||||
SQL.register_for_idb(sqlFS);
|
||||
|
||||
SQL.FS.mkdir('/sql');
|
||||
SQL.FS.mount(sqlFS, {}, '/sql');
|
||||
|
||||
return new SQL.Database('/sql/db.sqlite', { filename: true });
|
||||
}
|
||||
```
|
||||
|
||||
## Troubleshooting
|
||||
|
||||
### Common Issues
|
||||
1. SharedArrayBuffer not available
|
||||
- Check COOP/COEP headers
|
||||
- Verify browser support
|
||||
- Test fallback mode
|
||||
|
||||
2. Worker initialization failures
|
||||
- Check file paths
|
||||
- Verify module imports
|
||||
- Check browser console for errors
|
||||
|
||||
3. Performance issues
|
||||
- Monitor IndexedDB usage
|
||||
- Check for unnecessary operations
|
||||
- Verify transaction usage
|
||||
|
||||
## Resources
|
||||
- [Project Demo](https://priceless-keller-d097e5.netlify.app/)
|
||||
- [Example Project](https://github.com/jlongster/absurd-example-project)
|
||||
- [Blog Post](https://jlongster.com/future-sql-web)
|
||||
- [SQL.js Documentation](https://github.com/sql-js/sql.js/)
|
||||
@@ -1,7 +1,7 @@
|
||||
---
|
||||
description:
|
||||
globs:
|
||||
alwaysApply: true
|
||||
alwaysApply: false
|
||||
---
|
||||
# Camera Implementation Documentation
|
||||
|
||||
|
||||
@@ -241,7 +241,9 @@ docker run -d \
|
||||
1. Build the electron app in production mode:
|
||||
|
||||
```bash
|
||||
npm run build:electron-prod
|
||||
npm run build:web
|
||||
npm run build:electron
|
||||
npm run electron:build-mac
|
||||
```
|
||||
|
||||
2. Package the Electron app for macOS:
|
||||
|
||||
@@ -1,4 +1,4 @@
|
||||
# Dexie to SQLite Mapping Guide
|
||||
# Dexie to absurd-sql Mapping Guide
|
||||
|
||||
## Schema Mapping
|
||||
|
||||
@@ -54,10 +54,11 @@ CREATE INDEX idx_settings_updated_at ON settings(updated_at);
|
||||
// Dexie
|
||||
const account = await db.accounts.get(did);
|
||||
|
||||
// SQLite
|
||||
const account = await db.selectOne(`
|
||||
// absurd-sql
|
||||
const result = await db.exec(`
|
||||
SELECT * FROM accounts WHERE did = ?
|
||||
`, [did]);
|
||||
const account = result[0]?.values[0];
|
||||
```
|
||||
|
||||
#### Get All Accounts
|
||||
@@ -65,10 +66,11 @@ const account = await db.selectOne(`
|
||||
// Dexie
|
||||
const accounts = await db.accounts.toArray();
|
||||
|
||||
// SQLite
|
||||
const accounts = await db.selectAll(`
|
||||
// absurd-sql
|
||||
const result = await db.exec(`
|
||||
SELECT * FROM accounts ORDER BY created_at DESC
|
||||
`);
|
||||
const accounts = result[0]?.values || [];
|
||||
```
|
||||
|
||||
#### Add Account
|
||||
@@ -81,8 +83,8 @@ await db.accounts.add({
|
||||
updatedAt: Date.now()
|
||||
});
|
||||
|
||||
// SQLite
|
||||
await db.execute(`
|
||||
// absurd-sql
|
||||
await db.run(`
|
||||
INSERT INTO accounts (did, public_key_hex, created_at, updated_at)
|
||||
VALUES (?, ?, ?, ?)
|
||||
`, [did, publicKeyHex, Date.now(), Date.now()]);
|
||||
@@ -96,8 +98,8 @@ await db.accounts.update(did, {
|
||||
updatedAt: Date.now()
|
||||
});
|
||||
|
||||
// SQLite
|
||||
await db.execute(`
|
||||
// absurd-sql
|
||||
await db.run(`
|
||||
UPDATE accounts
|
||||
SET public_key_hex = ?, updated_at = ?
|
||||
WHERE did = ?
|
||||
@@ -111,10 +113,11 @@ await db.execute(`
|
||||
// Dexie
|
||||
const setting = await db.settings.get(key);
|
||||
|
||||
// SQLite
|
||||
const setting = await db.selectOne(`
|
||||
// absurd-sql
|
||||
const result = await db.exec(`
|
||||
SELECT * FROM settings WHERE key = ?
|
||||
`, [key]);
|
||||
const setting = result[0]?.values[0];
|
||||
```
|
||||
|
||||
#### Set Setting
|
||||
@@ -126,8 +129,8 @@ await db.settings.put({
|
||||
updatedAt: Date.now()
|
||||
});
|
||||
|
||||
// SQLite
|
||||
await db.execute(`
|
||||
// absurd-sql
|
||||
await db.run(`
|
||||
INSERT INTO settings (key, value, updated_at)
|
||||
VALUES (?, ?, ?)
|
||||
ON CONFLICT(key) DO UPDATE SET
|
||||
@@ -146,12 +149,13 @@ const contacts = await db.contacts
|
||||
.equals(accountDid)
|
||||
.toArray();
|
||||
|
||||
// SQLite
|
||||
const contacts = await db.selectAll(`
|
||||
// absurd-sql
|
||||
const result = await db.exec(`
|
||||
SELECT * FROM contacts
|
||||
WHERE did = ?
|
||||
ORDER BY created_at DESC
|
||||
`, [accountDid]);
|
||||
const contacts = result[0]?.values || [];
|
||||
```
|
||||
|
||||
#### Add Contact
|
||||
@@ -165,8 +169,8 @@ await db.contacts.add({
|
||||
updatedAt: Date.now()
|
||||
});
|
||||
|
||||
// SQLite
|
||||
await db.execute(`
|
||||
// absurd-sql
|
||||
await db.run(`
|
||||
INSERT INTO contacts (id, did, name, created_at, updated_at)
|
||||
VALUES (?, ?, ?, ?, ?)
|
||||
`, [generateId(), accountDid, name, Date.now(), Date.now()]);
|
||||
@@ -182,20 +186,25 @@ await db.transaction('rw', [db.accounts, db.contacts], async () => {
|
||||
await db.contacts.bulkAdd(contacts);
|
||||
});
|
||||
|
||||
// SQLite
|
||||
await db.transaction(async (tx) => {
|
||||
await tx.execute(`
|
||||
// absurd-sql
|
||||
await db.exec('BEGIN TRANSACTION;');
|
||||
try {
|
||||
await db.run(`
|
||||
INSERT INTO accounts (did, public_key_hex, created_at, updated_at)
|
||||
VALUES (?, ?, ?, ?)
|
||||
`, [account.did, account.publicKeyHex, account.createdAt, account.updatedAt]);
|
||||
|
||||
for (const contact of contacts) {
|
||||
await tx.execute(`
|
||||
await db.run(`
|
||||
INSERT INTO contacts (id, did, name, created_at, updated_at)
|
||||
VALUES (?, ?, ?, ?, ?)
|
||||
`, [contact.id, contact.did, contact.name, contact.createdAt, contact.updatedAt]);
|
||||
}
|
||||
});
|
||||
await db.exec('COMMIT;');
|
||||
} catch (error) {
|
||||
await db.exec('ROLLBACK;');
|
||||
throw error;
|
||||
}
|
||||
```
|
||||
|
||||
## Migration Helper Functions
|
||||
@@ -218,15 +227,14 @@ async function exportDexieData(): Promise<MigrationData> {
|
||||
}
|
||||
```
|
||||
|
||||
### 2. Data Import (JSON to SQLite)
|
||||
### 2. Data Import (JSON to absurd-sql)
|
||||
```typescript
|
||||
async function importToSQLite(data: MigrationData): Promise<void> {
|
||||
const db = await getSQLiteConnection();
|
||||
|
||||
await db.transaction(async (tx) => {
|
||||
async function importToAbsurdSql(data: MigrationData): Promise<void> {
|
||||
await db.exec('BEGIN TRANSACTION;');
|
||||
try {
|
||||
// Import accounts
|
||||
for (const account of data.accounts) {
|
||||
await tx.execute(`
|
||||
await db.run(`
|
||||
INSERT INTO accounts (did, public_key_hex, created_at, updated_at)
|
||||
VALUES (?, ?, ?, ?)
|
||||
`, [account.did, account.publicKeyHex, account.createdAt, account.updatedAt]);
|
||||
@@ -234,7 +242,7 @@ async function importToSQLite(data: MigrationData): Promise<void> {
|
||||
|
||||
// Import settings
|
||||
for (const setting of data.settings) {
|
||||
await tx.execute(`
|
||||
await db.run(`
|
||||
INSERT INTO settings (key, value, updated_at)
|
||||
VALUES (?, ?, ?)
|
||||
`, [setting.key, setting.value, setting.updatedAt]);
|
||||
@@ -242,52 +250,52 @@ async function importToSQLite(data: MigrationData): Promise<void> {
|
||||
|
||||
// Import contacts
|
||||
for (const contact of data.contacts) {
|
||||
await tx.execute(`
|
||||
await db.run(`
|
||||
INSERT INTO contacts (id, did, name, created_at, updated_at)
|
||||
VALUES (?, ?, ?, ?, ?)
|
||||
`, [contact.id, contact.did, contact.name, contact.createdAt, contact.updatedAt]);
|
||||
}
|
||||
});
|
||||
await db.exec('COMMIT;');
|
||||
} catch (error) {
|
||||
await db.exec('ROLLBACK;');
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
```
|
||||
|
||||
### 3. Verification
|
||||
```typescript
|
||||
async function verifyMigration(dexieData: MigrationData): Promise<boolean> {
|
||||
const db = await getSQLiteConnection();
|
||||
|
||||
// Verify account count
|
||||
const accountCount = await db.selectValue(
|
||||
'SELECT COUNT(*) FROM accounts'
|
||||
);
|
||||
const accountResult = await db.exec('SELECT COUNT(*) as count FROM accounts');
|
||||
const accountCount = accountResult[0].values[0][0];
|
||||
if (accountCount !== dexieData.accounts.length) {
|
||||
return false;
|
||||
}
|
||||
|
||||
// Verify settings count
|
||||
const settingsCount = await db.selectValue(
|
||||
'SELECT COUNT(*) FROM settings'
|
||||
);
|
||||
const settingsResult = await db.exec('SELECT COUNT(*) as count FROM settings');
|
||||
const settingsCount = settingsResult[0].values[0][0];
|
||||
if (settingsCount !== dexieData.settings.length) {
|
||||
return false;
|
||||
}
|
||||
|
||||
// Verify contacts count
|
||||
const contactsCount = await db.selectValue(
|
||||
'SELECT COUNT(*) FROM contacts'
|
||||
);
|
||||
const contactsResult = await db.exec('SELECT COUNT(*) as count FROM contacts');
|
||||
const contactsCount = contactsResult[0].values[0][0];
|
||||
if (contactsCount !== dexieData.contacts.length) {
|
||||
return false;
|
||||
}
|
||||
|
||||
// Verify data integrity
|
||||
for (const account of dexieData.accounts) {
|
||||
const migratedAccount = await db.selectOne(
|
||||
const result = await db.exec(
|
||||
'SELECT * FROM accounts WHERE did = ?',
|
||||
[account.did]
|
||||
);
|
||||
const migratedAccount = result[0]?.values[0];
|
||||
if (!migratedAccount ||
|
||||
migratedAccount.public_key_hex !== account.publicKeyHex) {
|
||||
migratedAccount[1] !== account.publicKeyHex) { // public_key_hex is second column
|
||||
return false;
|
||||
}
|
||||
}
|
||||
@@ -300,18 +308,21 @@ async function verifyMigration(dexieData: MigrationData): Promise<boolean> {
|
||||
|
||||
### 1. Indexing
|
||||
- Dexie automatically creates indexes based on the schema
|
||||
- SQLite requires explicit index creation
|
||||
- absurd-sql requires explicit index creation
|
||||
- Added indexes for frequently queried fields
|
||||
- Use `PRAGMA journal_mode=MEMORY;` for better performance
|
||||
|
||||
### 2. Batch Operations
|
||||
- Dexie has built-in bulk operations
|
||||
- SQLite uses transactions for batch operations
|
||||
- absurd-sql uses transactions for batch operations
|
||||
- Consider chunking large datasets
|
||||
- Use prepared statements for repeated queries
|
||||
|
||||
### 3. Query Optimization
|
||||
- Dexie uses IndexedDB's native indexing
|
||||
- SQLite requires explicit query optimization
|
||||
- absurd-sql requires explicit query optimization
|
||||
- Use prepared statements for repeated queries
|
||||
- Consider using `PRAGMA synchronous=NORMAL;` for better performance
|
||||
|
||||
## Error Handling
|
||||
|
||||
@@ -326,14 +337,14 @@ try {
|
||||
}
|
||||
}
|
||||
|
||||
// SQLite errors
|
||||
// absurd-sql errors
|
||||
try {
|
||||
await db.execute(`
|
||||
await db.run(`
|
||||
INSERT INTO accounts (did, public_key_hex, created_at, updated_at)
|
||||
VALUES (?, ?, ?, ?)
|
||||
`, [account.did, account.publicKeyHex, account.createdAt, account.updatedAt]);
|
||||
} catch (error) {
|
||||
if (error.code === 'SQLITE_CONSTRAINT') {
|
||||
if (error.message.includes('UNIQUE constraint failed')) {
|
||||
// Handle duplicate key
|
||||
}
|
||||
}
|
||||
@@ -350,15 +361,14 @@ try {
|
||||
// Dexie automatically rolls back
|
||||
}
|
||||
|
||||
// SQLite transaction
|
||||
const db = await getSQLiteConnection();
|
||||
// absurd-sql transaction
|
||||
try {
|
||||
await db.transaction(async (tx) => {
|
||||
// Operations
|
||||
});
|
||||
await db.exec('BEGIN TRANSACTION;');
|
||||
// Operations
|
||||
await db.exec('COMMIT;');
|
||||
} catch (error) {
|
||||
// SQLite automatically rolls back
|
||||
await db.execute('ROLLBACK');
|
||||
await db.exec('ROLLBACK;');
|
||||
throw error;
|
||||
}
|
||||
```
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
# Migration Guide: Dexie to wa-sqlite
|
||||
# Migration Guide: Dexie to absurd-sql
|
||||
|
||||
## Overview
|
||||
|
||||
This document outlines the migration process from Dexie.js to wa-sqlite for the TimeSafari app's storage implementation. The migration aims to provide a consistent SQLite-based storage solution across all platforms while maintaining data integrity and ensuring a smooth transition for users.
|
||||
This document outlines the migration process from Dexie.js to absurd-sql for the TimeSafari app's storage implementation. The migration aims to provide a consistent SQLite-based storage solution across all platforms while maintaining data integrity and ensuring a smooth transition for users.
|
||||
|
||||
## Migration Goals
|
||||
|
||||
@@ -43,12 +43,20 @@ This document outlines the migration process from Dexie.js to wa-sqlite for the
|
||||
}
|
||||
```
|
||||
|
||||
2. **Storage Requirements**
|
||||
2. **Dependencies**
|
||||
```json
|
||||
{
|
||||
"@jlongster/sql.js": "^1.8.0",
|
||||
"absurd-sql": "^1.8.0"
|
||||
}
|
||||
```
|
||||
|
||||
3. **Storage Requirements**
|
||||
- Sufficient IndexedDB quota
|
||||
- Available disk space for SQLite
|
||||
- Backup storage space
|
||||
|
||||
3. **Platform Support**
|
||||
4. **Platform Support**
|
||||
- Web: Modern browser with IndexedDB support
|
||||
- iOS: iOS 13+ with SQLite support
|
||||
- Android: Android 5+ with SQLite support
|
||||
@@ -60,9 +68,15 @@ This document outlines the migration process from Dexie.js to wa-sqlite for the
|
||||
|
||||
```typescript
|
||||
// src/services/storage/migration/MigrationService.ts
|
||||
import initSqlJs from '@jlongster/sql.js';
|
||||
import { SQLiteFS } from 'absurd-sql';
|
||||
import IndexedDBBackend from 'absurd-sql/dist/indexeddb-backend';
|
||||
|
||||
export class MigrationService {
|
||||
private static instance: MigrationService;
|
||||
private backup: MigrationBackup | null = null;
|
||||
private sql: any = null;
|
||||
private db: any = null;
|
||||
|
||||
async prepare(): Promise<void> {
|
||||
try {
|
||||
@@ -75,8 +89,8 @@ export class MigrationService {
|
||||
// 3. Verify backup integrity
|
||||
await this.verifyBackup();
|
||||
|
||||
// 4. Initialize wa-sqlite
|
||||
await this.initializeWaSqlite();
|
||||
// 4. Initialize absurd-sql
|
||||
await this.initializeAbsurdSql();
|
||||
} catch (error) {
|
||||
throw new StorageError(
|
||||
'Migration preparation failed',
|
||||
@@ -86,6 +100,42 @@ export class MigrationService {
|
||||
}
|
||||
}
|
||||
|
||||
private async initializeAbsurdSql(): Promise<void> {
|
||||
// Initialize SQL.js
|
||||
this.sql = await initSqlJs({
|
||||
locateFile: (file: string) => {
|
||||
return new URL(`/node_modules/@jlongster/sql.js/dist/${file}`, import.meta.url).href;
|
||||
}
|
||||
});
|
||||
|
||||
// Setup SQLiteFS with IndexedDB backend
|
||||
const sqlFS = new SQLiteFS(this.sql.FS, new IndexedDBBackend());
|
||||
this.sql.register_for_idb(sqlFS);
|
||||
|
||||
// Create and mount filesystem
|
||||
this.sql.FS.mkdir('/sql');
|
||||
this.sql.FS.mount(sqlFS, {}, '/sql');
|
||||
|
||||
// Open database
|
||||
const path = '/sql/db.sqlite';
|
||||
if (typeof SharedArrayBuffer === 'undefined') {
|
||||
let stream = this.sql.FS.open(path, 'a+');
|
||||
await stream.node.contents.readIfFallback();
|
||||
this.sql.FS.close(stream);
|
||||
}
|
||||
|
||||
this.db = new this.sql.Database(path, { filename: true });
|
||||
if (!this.db) {
|
||||
throw new StorageError(
|
||||
'Database initialization failed',
|
||||
StorageErrorCodes.INITIALIZATION_FAILED
|
||||
);
|
||||
}
|
||||
|
||||
// Configure database
|
||||
await this.db.exec(`PRAGMA journal_mode=MEMORY;`);
|
||||
}
|
||||
|
||||
private async checkPrerequisites(): Promise<void> {
|
||||
// Check IndexedDB availability
|
||||
if (!window.indexedDB) {
|
||||
@@ -160,12 +210,11 @@ export class DataMigration {
|
||||
}
|
||||
|
||||
private async migrateAccounts(accounts: Account[]): Promise<void> {
|
||||
const db = await this.getWaSqliteConnection();
|
||||
|
||||
// Use transaction for atomicity
|
||||
await db.transaction(async (tx) => {
|
||||
await this.db.exec('BEGIN TRANSACTION;');
|
||||
try {
|
||||
for (const account of accounts) {
|
||||
await tx.execute(`
|
||||
await this.db.run(`
|
||||
INSERT INTO accounts (did, public_key_hex, created_at, updated_at)
|
||||
VALUES (?, ?, ?, ?)
|
||||
`, [
|
||||
@@ -175,16 +224,18 @@ export class DataMigration {
|
||||
account.updatedAt
|
||||
]);
|
||||
}
|
||||
});
|
||||
await this.db.exec('COMMIT;');
|
||||
} catch (error) {
|
||||
await this.db.exec('ROLLBACK;');
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
private async verifyMigration(backup: MigrationBackup): Promise<void> {
|
||||
const db = await this.getWaSqliteConnection();
|
||||
|
||||
// Verify account count
|
||||
const accountCount = await db.selectValue(
|
||||
'SELECT COUNT(*) FROM accounts'
|
||||
);
|
||||
const result = await this.db.exec('SELECT COUNT(*) as count FROM accounts');
|
||||
const accountCount = result[0].values[0][0];
|
||||
|
||||
if (accountCount !== backup.accounts.length) {
|
||||
throw new StorageError(
|
||||
'Account count mismatch',
|
||||
@@ -214,8 +265,8 @@ export class RollbackService {
|
||||
// 3. Verify restoration
|
||||
await this.verifyRestoration(backup);
|
||||
|
||||
// 4. Clean up wa-sqlite
|
||||
await this.cleanupWaSqlite();
|
||||
// 4. Clean up absurd-sql
|
||||
await this.cleanupAbsurdSql();
|
||||
} catch (error) {
|
||||
throw new StorageError(
|
||||
'Rollback failed',
|
||||
@@ -371,6 +422,14 @@ button:hover {
|
||||
```typescript
|
||||
// src/services/storage/migration/__tests__/MigrationService.spec.ts
|
||||
describe('MigrationService', () => {
|
||||
it('should initialize absurd-sql correctly', async () => {
|
||||
const service = MigrationService.getInstance();
|
||||
await service.initializeAbsurdSql();
|
||||
|
||||
expect(service.isInitialized()).toBe(true);
|
||||
expect(service.getDatabase()).toBeDefined();
|
||||
});
|
||||
|
||||
it('should create valid backup', async () => {
|
||||
const service = MigrationService.getInstance();
|
||||
const backup = await service.createBackup();
|
||||
284
doc/secure-storage-implementation.md
Normal file
284
doc/secure-storage-implementation.md
Normal file
@@ -0,0 +1,284 @@
|
||||
# Secure Storage Implementation Guide for TimeSafari App
|
||||
|
||||
## Overview
|
||||
|
||||
This document outlines the implementation of secure storage for the TimeSafari app using a platform-agnostic approach with Capacitor and absurd-sql solutions. The implementation focuses on:
|
||||
|
||||
1. **Platform-Specific Storage Solutions**:
|
||||
- Web: absurd-sql with IndexedDB backend and Web Worker support
|
||||
- iOS/Android: Capacitor SQLite with native SQLite implementation
|
||||
- Electron: Node SQLite (planned, not implemented)
|
||||
|
||||
2. **Key Features**:
|
||||
- Platform-agnostic SQLite interface
|
||||
- Web Worker support for web platform
|
||||
- Consistent API across platforms
|
||||
- Performance optimizations (WAL, mmap)
|
||||
- Comprehensive error handling and logging
|
||||
- Type-safe database operations
|
||||
- Storage quota management
|
||||
- Platform-specific security features
|
||||
|
||||
## Architecture
|
||||
|
||||
The storage implementation follows a layered architecture:
|
||||
|
||||
1. **Platform Service Layer**
|
||||
- `PlatformService` interface defines platform capabilities
|
||||
- Platform-specific implementations:
|
||||
- `WebPlatformService`: Web platform with absurd-sql
|
||||
- `CapacitorPlatformService`: Mobile platforms with native SQLite
|
||||
- `ElectronPlatformService`: Desktop platform (planned)
|
||||
- Platform detection and capability reporting
|
||||
- Storage quota and feature detection
|
||||
|
||||
2. **SQLite Service Layer**
|
||||
- `SQLiteOperations` interface for database operations
|
||||
- Base implementation in `BaseSQLiteService`
|
||||
- Platform-specific implementations:
|
||||
- `AbsurdSQLService`: Web platform with Web Worker
|
||||
- `CapacitorSQLiteService`: Mobile platforms with native SQLite
|
||||
- `ElectronSQLiteService`: Desktop platform (planned)
|
||||
- Common features:
|
||||
- Transaction support
|
||||
- Prepared statements
|
||||
- Performance monitoring
|
||||
- Error handling
|
||||
- Database statistics
|
||||
|
||||
3. **Data Access Layer**
|
||||
- Type-safe database operations
|
||||
- Transaction support
|
||||
- Prepared statements
|
||||
- Performance monitoring
|
||||
- Error recovery
|
||||
- Data integrity verification
|
||||
|
||||
## Implementation Details
|
||||
|
||||
### Web Platform (absurd-sql)
|
||||
|
||||
The web implementation uses absurd-sql with the following features:
|
||||
|
||||
1. **Web Worker Support**
|
||||
- SQLite operations run in a dedicated worker thread
|
||||
- Main thread remains responsive
|
||||
- SharedArrayBuffer support when available
|
||||
- Worker initialization in `sqlite.worker.ts`
|
||||
|
||||
2. **IndexedDB Backend**
|
||||
- Persistent storage using IndexedDB
|
||||
- Automatic data synchronization
|
||||
- Storage quota management (1GB limit)
|
||||
- Virtual file system configuration
|
||||
|
||||
3. **Performance Optimizations**
|
||||
- WAL mode for better concurrency
|
||||
- Memory-mapped I/O (30GB when available)
|
||||
- Prepared statement caching
|
||||
- 2MB cache size
|
||||
- Configurable performance settings
|
||||
|
||||
Example configuration:
|
||||
```typescript
|
||||
const webConfig: SQLiteConfig = {
|
||||
name: 'timesafari',
|
||||
useWAL: true,
|
||||
useMMap: typeof SharedArrayBuffer !== 'undefined',
|
||||
mmapSize: 30000000000,
|
||||
usePreparedStatements: true,
|
||||
maxPreparedStatements: 100
|
||||
};
|
||||
```
|
||||
|
||||
### Mobile Platform (Capacitor SQLite)
|
||||
|
||||
The mobile implementation uses Capacitor SQLite with:
|
||||
|
||||
1. **Native SQLite**
|
||||
- Direct access to platform SQLite
|
||||
- Native performance
|
||||
- Platform-specific optimizations
|
||||
- 2GB storage limit
|
||||
|
||||
2. **Platform Integration**
|
||||
- iOS: Native SQLite with WAL support
|
||||
- Android: Native SQLite with WAL support
|
||||
- Platform-specific permissions handling
|
||||
- Storage quota management
|
||||
|
||||
Example configuration:
|
||||
```typescript
|
||||
const mobileConfig: SQLiteConfig = {
|
||||
name: 'timesafari',
|
||||
useWAL: true,
|
||||
useMMap: false, // Not supported on mobile
|
||||
usePreparedStatements: true
|
||||
};
|
||||
```
|
||||
|
||||
## Database Schema
|
||||
|
||||
The implementation uses the following schema:
|
||||
|
||||
```sql
|
||||
-- Accounts table
|
||||
CREATE TABLE accounts (
|
||||
did TEXT PRIMARY KEY,
|
||||
public_key_hex TEXT NOT NULL,
|
||||
created_at INTEGER NOT NULL,
|
||||
updated_at INTEGER NOT NULL
|
||||
);
|
||||
|
||||
-- Settings table
|
||||
CREATE TABLE settings (
|
||||
key TEXT PRIMARY KEY,
|
||||
value TEXT NOT NULL,
|
||||
updated_at INTEGER NOT NULL
|
||||
);
|
||||
|
||||
-- Contacts table
|
||||
CREATE TABLE contacts (
|
||||
id TEXT PRIMARY KEY,
|
||||
did TEXT NOT NULL,
|
||||
name TEXT,
|
||||
created_at INTEGER NOT NULL,
|
||||
updated_at INTEGER NOT NULL,
|
||||
FOREIGN KEY (did) REFERENCES accounts(did)
|
||||
);
|
||||
|
||||
-- Performance indexes
|
||||
CREATE INDEX idx_accounts_created_at ON accounts(created_at);
|
||||
CREATE INDEX idx_contacts_did ON contacts(did);
|
||||
CREATE INDEX idx_settings_updated_at ON settings(updated_at);
|
||||
```
|
||||
|
||||
## Error Handling
|
||||
|
||||
The implementation includes comprehensive error handling:
|
||||
|
||||
1. **Error Types**
|
||||
```typescript
|
||||
export enum StorageErrorCodes {
|
||||
INITIALIZATION_FAILED = 'STORAGE_INIT_FAILED',
|
||||
QUERY_FAILED = 'STORAGE_QUERY_FAILED',
|
||||
TRANSACTION_FAILED = 'STORAGE_TRANSACTION_FAILED',
|
||||
PREPARED_STATEMENT_FAILED = 'STORAGE_PREPARED_STATEMENT_FAILED',
|
||||
DATABASE_CORRUPTED = 'STORAGE_DB_CORRUPTED',
|
||||
STORAGE_FULL = 'STORAGE_FULL',
|
||||
CONCURRENT_ACCESS = 'STORAGE_CONCURRENT_ACCESS'
|
||||
}
|
||||
```
|
||||
|
||||
2. **Error Recovery**
|
||||
- Automatic transaction rollback
|
||||
- Connection recovery
|
||||
- Data integrity verification
|
||||
- Platform-specific error handling
|
||||
- Comprehensive logging
|
||||
|
||||
## Performance Monitoring
|
||||
|
||||
The implementation includes built-in performance monitoring:
|
||||
|
||||
1. **Statistics**
|
||||
```typescript
|
||||
interface SQLiteStats {
|
||||
totalQueries: number;
|
||||
avgExecutionTime: number;
|
||||
preparedStatements: number;
|
||||
databaseSize: number;
|
||||
walMode: boolean;
|
||||
mmapActive: boolean;
|
||||
}
|
||||
```
|
||||
|
||||
2. **Monitoring Features**
|
||||
- Query execution time tracking
|
||||
- Database size monitoring
|
||||
- Prepared statement usage
|
||||
- WAL and mmap status
|
||||
- Platform-specific metrics
|
||||
|
||||
## Security Considerations
|
||||
|
||||
1. **Web Platform**
|
||||
- Worker thread isolation
|
||||
- Storage quota monitoring
|
||||
- Origin isolation
|
||||
- Cross-origin protection
|
||||
- SharedArrayBuffer availability check
|
||||
|
||||
2. **Mobile Platform**
|
||||
- Platform-specific permissions
|
||||
- Storage access control
|
||||
- File system security
|
||||
- Platform sandboxing
|
||||
|
||||
## Testing Strategy
|
||||
|
||||
1. **Unit Tests**
|
||||
- Platform service tests
|
||||
- SQLite service tests
|
||||
- Error handling tests
|
||||
- Performance tests
|
||||
|
||||
2. **Integration Tests**
|
||||
- Cross-platform tests
|
||||
- Migration tests
|
||||
- Transaction tests
|
||||
- Concurrency tests
|
||||
|
||||
3. **E2E Tests**
|
||||
- Platform-specific workflows
|
||||
- Error recovery scenarios
|
||||
- Performance benchmarks
|
||||
- Data integrity verification
|
||||
|
||||
## Success Criteria
|
||||
|
||||
1. **Performance**
|
||||
- Query response time < 100ms
|
||||
- Transaction completion < 500ms
|
||||
- Memory usage < 50MB
|
||||
- Database size < platform limits:
|
||||
- Web: 1GB
|
||||
- Mobile: 2GB
|
||||
|
||||
2. **Reliability**
|
||||
- 99.9% uptime
|
||||
- Zero data loss
|
||||
- Automatic recovery
|
||||
- Transaction atomicity
|
||||
|
||||
3. **Security**
|
||||
- Platform-specific security features
|
||||
- Storage access control
|
||||
- Data protection
|
||||
- Audit logging
|
||||
|
||||
4. **User Experience**
|
||||
- Smooth platform transitions
|
||||
- Clear error messages
|
||||
- Progress indicators
|
||||
- Recovery options
|
||||
|
||||
## Future Improvements
|
||||
|
||||
1. **Planned Features**
|
||||
- SQLCipher integration for mobile
|
||||
- Electron platform support
|
||||
- Advanced backup/restore
|
||||
- Cross-platform sync
|
||||
|
||||
2. **Security Enhancements**
|
||||
- Biometric authentication
|
||||
- Secure enclave usage
|
||||
- Advanced encryption
|
||||
- Key management
|
||||
|
||||
3. **Performance Optimizations**
|
||||
- Advanced caching
|
||||
- Query optimization
|
||||
- Memory management
|
||||
- Storage efficiency
|
||||
759
doc/storage-implementation-checklist.md
Normal file
759
doc/storage-implementation-checklist.md
Normal file
@@ -0,0 +1,759 @@
|
||||
# Storage Implementation Checklist
|
||||
|
||||
## Core Services
|
||||
|
||||
### 1. Platform Service Layer
|
||||
- [x] Create base `PlatformService` interface
|
||||
- [x] Define platform capabilities
|
||||
- [x] File system access detection
|
||||
- [x] Camera availability
|
||||
- [x] Mobile platform detection
|
||||
- [x] iOS specific detection
|
||||
- [x] File download capability
|
||||
- [x] SQLite capabilities
|
||||
- [x] Add SQLite operations interface
|
||||
- [x] Database initialization
|
||||
- [x] Query execution
|
||||
- [x] Transaction management
|
||||
- [x] Prepared statements
|
||||
- [x] Database statistics
|
||||
- [x] Include platform detection
|
||||
- [x] Web platform detection
|
||||
- [x] Mobile platform detection
|
||||
- [x] Desktop platform detection
|
||||
- [x] Add file system operations
|
||||
- [x] File read operations
|
||||
- [x] File write operations
|
||||
- [x] File delete operations
|
||||
- [x] Directory listing
|
||||
|
||||
- [x] Implement platform-specific services
|
||||
- [x] `WebPlatformService`
|
||||
- [x] AbsurdSQL integration
|
||||
- [x] SQL.js initialization
|
||||
- [x] IndexedDB backend setup
|
||||
- [x] Virtual file system configuration
|
||||
- [x] Web Worker support
|
||||
- [x] Worker thread initialization
|
||||
- [x] Message passing
|
||||
- [x] Error handling
|
||||
- [x] IndexedDB backend
|
||||
- [x] Database creation
|
||||
- [x] Transaction handling
|
||||
- [x] Storage quota management (1GB limit)
|
||||
- [x] SharedArrayBuffer detection
|
||||
- [x] Feature detection
|
||||
- [x] Fallback handling
|
||||
- [x] File system operations (intentionally not supported)
|
||||
- [x] File read operations (not available in web)
|
||||
- [x] File write operations (not available in web)
|
||||
- [x] File delete operations (not available in web)
|
||||
- [x] Directory operations (not available in web)
|
||||
- [x] Settings implementation
|
||||
- [x] AbsurdSQL settings operations
|
||||
- [x] Worker-based settings updates
|
||||
- [x] IndexedDB transaction handling
|
||||
- [x] SharedArrayBuffer support
|
||||
- [x] Web-specific settings features
|
||||
- [x] Storage quota management
|
||||
- [x] Worker thread isolation
|
||||
- [x] Cross-origin settings
|
||||
- [x] Web performance optimizations
|
||||
- [x] Settings caching
|
||||
- [x] Batch updates
|
||||
- [x] Worker message optimization
|
||||
- [x] Account implementation
|
||||
- [x] Web-specific account handling
|
||||
- [x] Browser storage persistence
|
||||
- [x] Session management
|
||||
- [x] Cross-tab synchronization
|
||||
- [x] Web security features
|
||||
- [x] Origin isolation
|
||||
- [x] Worker thread security
|
||||
- [x] Storage access control
|
||||
- [x] `CapacitorPlatformService`
|
||||
- [x] Native SQLite integration
|
||||
- [x] Database connection
|
||||
- [x] Query execution
|
||||
- [x] Transaction handling
|
||||
- [x] Platform capabilities
|
||||
- [x] iOS detection
|
||||
- [x] Android detection
|
||||
- [x] Feature availability
|
||||
- [x] File system operations
|
||||
- [x] File read/write
|
||||
- [x] Directory operations
|
||||
- [x] Storage permissions
|
||||
- [x] iOS permissions
|
||||
- [x] Android permissions
|
||||
- [x] Permission request handling
|
||||
- [x] Settings implementation
|
||||
- [x] Native SQLite settings operations
|
||||
- [x] Platform-specific SQLite optimizations
|
||||
- [x] Native transaction handling
|
||||
- [x] Platform storage management
|
||||
- [x] Mobile-specific settings features
|
||||
- [x] Platform preferences sync
|
||||
- [x] Background state handling
|
||||
- [x] Mobile performance optimizations
|
||||
- [x] Native caching
|
||||
- [x] Battery-efficient updates
|
||||
- [x] Memory management
|
||||
- [x] Account implementation
|
||||
- [x] Mobile-specific account handling
|
||||
- [x] Platform storage integration
|
||||
- [x] Background state handling
|
||||
- [x] Mobile security features
|
||||
- [x] Platform sandboxing
|
||||
- [x] Storage access control
|
||||
- [x] App sandboxing
|
||||
- [ ] `ElectronPlatformService` (planned)
|
||||
- [ ] Node SQLite integration
|
||||
- [ ] Database connection
|
||||
- [ ] Query execution
|
||||
- [ ] Transaction handling
|
||||
- [ ] File system access
|
||||
- [ ] File read operations
|
||||
- [ ] File write operations
|
||||
- [ ] File delete operations
|
||||
- [ ] Directory operations
|
||||
- [ ] IPC communication
|
||||
- [ ] Main process communication
|
||||
- [ ] Renderer process handling
|
||||
- [ ] Message passing
|
||||
- [ ] Native features implementation
|
||||
- [ ] System dialogs
|
||||
- [ ] Native menus
|
||||
- [ ] System integration
|
||||
- [ ] Settings implementation
|
||||
- [ ] Node SQLite settings operations
|
||||
- [ ] Main process SQLite handling
|
||||
- [ ] IPC-based updates
|
||||
- [ ] File system persistence
|
||||
- [ ] Desktop-specific settings features
|
||||
- [ ] System preferences integration
|
||||
- [ ] Multi-window sync
|
||||
- [ ] Offline state handling
|
||||
- [ ] Desktop performance optimizations
|
||||
- [ ] Process-based caching
|
||||
- [ ] Window state management
|
||||
- [ ] Resource optimization
|
||||
- [ ] Account implementation
|
||||
- [ ] Desktop-specific account handling
|
||||
- [ ] System keychain integration
|
||||
- [ ] Native authentication
|
||||
- [ ] Process isolation
|
||||
- [ ] Desktop security features
|
||||
- [ ] Process sandboxing
|
||||
- [ ] IPC security
|
||||
- [ ] File system protection
|
||||
|
||||
### 2. SQLite Service Layer
|
||||
- [x] Create base `BaseSQLiteService`
|
||||
- [x] Common SQLite operations
|
||||
- [x] Query execution
|
||||
- [x] Transaction management
|
||||
- [x] Prepared statements
|
||||
- [x] Database statistics
|
||||
- [x] Performance monitoring
|
||||
- [x] Query timing
|
||||
- [x] Memory usage
|
||||
- [x] Database size
|
||||
- [x] Statement caching
|
||||
- [x] Error handling
|
||||
- [x] Connection errors
|
||||
- [x] Query errors
|
||||
- [x] Transaction errors
|
||||
- [x] Resource errors
|
||||
- [x] Transaction support
|
||||
- [x] Begin transaction
|
||||
- [x] Commit transaction
|
||||
- [x] Rollback transaction
|
||||
- [x] Nested transactions
|
||||
|
||||
- [x] Implement platform-specific SQLite services
|
||||
- [x] `AbsurdSQLService`
|
||||
- [x] Web Worker initialization
|
||||
- [x] Worker creation
|
||||
- [x] Message handling
|
||||
- [x] Error propagation
|
||||
- [x] IndexedDB backend setup
|
||||
- [x] Database creation
|
||||
- [x] Transaction handling
|
||||
- [x] Storage management
|
||||
- [x] Prepared statements
|
||||
- [x] Statement preparation
|
||||
- [x] Parameter binding
|
||||
- [x] Statement caching
|
||||
- [x] Performance optimizations
|
||||
- [x] WAL mode
|
||||
- [x] Memory mapping
|
||||
- [x] Cache configuration
|
||||
- [x] WAL mode support
|
||||
- [x] Journal mode configuration
|
||||
- [x] Synchronization settings
|
||||
- [x] Checkpoint handling
|
||||
- [x] Memory-mapped I/O
|
||||
- [x] MMAP size configuration (30GB)
|
||||
- [x] Memory management
|
||||
- [x] Performance monitoring
|
||||
- [x] `CapacitorSQLiteService`
|
||||
- [x] Native SQLite connection
|
||||
- [x] Database initialization
|
||||
- [x] Connection management
|
||||
- [x] Error handling
|
||||
- [x] Basic platform features
|
||||
- [x] Query execution
|
||||
- [x] Transaction handling
|
||||
- [x] Statement management
|
||||
- [x] Error handling
|
||||
- [x] Connection errors
|
||||
- [x] Query errors
|
||||
- [x] Resource errors
|
||||
- [x] WAL mode support
|
||||
- [x] Journal mode
|
||||
- [x] Synchronization
|
||||
- [x] Checkpointing
|
||||
- [ ] SQLCipher integration (planned)
|
||||
- [ ] Encryption setup
|
||||
- [ ] Key management
|
||||
- [ ] Secure storage
|
||||
- [ ] `ElectronSQLiteService` (planned)
|
||||
- [ ] Node SQLite integration
|
||||
- [ ] Database connection
|
||||
- [ ] Query execution
|
||||
- [ ] Transaction handling
|
||||
- [ ] IPC communication
|
||||
- [ ] Process communication
|
||||
- [ ] Error handling
|
||||
- [ ] Resource management
|
||||
- [ ] File system access
|
||||
- [ ] Native file operations
|
||||
- [ ] Path handling
|
||||
- [ ] Permissions
|
||||
- [ ] Native features
|
||||
- [ ] System integration
|
||||
- [ ] Native dialogs
|
||||
- [ ] Process management
|
||||
|
||||
### 3. Security Layer
|
||||
- [x] Implement platform-specific security
|
||||
- [x] Web platform
|
||||
- [x] Worker isolation
|
||||
- [x] Thread separation
|
||||
- [x] Message security
|
||||
- [x] Resource isolation
|
||||
- [x] Storage quota management
|
||||
- [x] Quota detection
|
||||
- [x] Usage monitoring
|
||||
- [x] Error handling
|
||||
- [x] Origin isolation
|
||||
- [x] Cross-origin protection
|
||||
- [x] Resource isolation
|
||||
- [x] Security policy
|
||||
- [x] Storage security
|
||||
- [x] Access control
|
||||
- [x] Data protection
|
||||
- [x] Quota management
|
||||
- [x] Mobile platform
|
||||
- [x] Platform permissions
|
||||
- [x] Storage access
|
||||
- [x] File operations
|
||||
- [x] System integration
|
||||
- [x] Platform security
|
||||
- [x] App sandboxing
|
||||
- [x] Storage protection
|
||||
- [x] Access control
|
||||
- [ ] SQLCipher integration (planned)
|
||||
- [ ] Encryption setup
|
||||
- [ ] Key management
|
||||
- [ ] Secure storage
|
||||
- [ ] Electron platform (planned)
|
||||
- [ ] IPC security
|
||||
- [ ] Message validation
|
||||
- [ ] Process isolation
|
||||
- [ ] Resource protection
|
||||
- [ ] File system security
|
||||
- [ ] Access control
|
||||
- [ ] Path validation
|
||||
- [ ] Permission management
|
||||
- [ ] Auto-update security
|
||||
- [ ] Update verification
|
||||
- [ ] Code signing
|
||||
- [ ] Rollback protection
|
||||
- [ ] Native security features
|
||||
- [ ] System integration
|
||||
- [ ] Security policies
|
||||
- [ ] Resource protection
|
||||
|
||||
## Platform-Specific Implementation
|
||||
|
||||
### Web Platform
|
||||
- [x] Setup absurd-sql
|
||||
- [x] Install dependencies
|
||||
```json
|
||||
{
|
||||
"@jlongster/sql.js": "^1.8.0",
|
||||
"absurd-sql": "^1.8.0"
|
||||
}
|
||||
```
|
||||
- [x] Configure Web Worker
|
||||
- [x] Worker initialization
|
||||
- [x] Message handling
|
||||
- [x] Error propagation
|
||||
- [x] Setup IndexedDB backend
|
||||
- [x] Database creation
|
||||
- [x] Transaction handling
|
||||
- [x] Storage management
|
||||
- [x] Configure database pragmas
|
||||
```sql
|
||||
PRAGMA journal_mode = WAL;
|
||||
PRAGMA synchronous = NORMAL;
|
||||
PRAGMA temp_store = MEMORY;
|
||||
PRAGMA cache_size = -2000;
|
||||
PRAGMA mmap_size = 30000000000;
|
||||
```
|
||||
|
||||
- [x] Update build configuration
|
||||
- [x] Configure worker bundling
|
||||
- [x] Worker file handling
|
||||
- [x] Asset management
|
||||
- [x] Source maps
|
||||
- [x] Setup asset handling
|
||||
- [x] SQL.js WASM
|
||||
- [x] Worker scripts
|
||||
- [x] Static assets
|
||||
- [x] Configure chunk splitting
|
||||
- [x] Code splitting
|
||||
- [x] Dynamic imports
|
||||
- [x] Asset optimization
|
||||
|
||||
- [x] Implement fallback mechanisms
|
||||
- [x] SharedArrayBuffer detection
|
||||
- [x] Feature detection
|
||||
- [x] Fallback handling
|
||||
- [x] Error reporting
|
||||
- [x] Storage quota monitoring
|
||||
- [x] Quota detection
|
||||
- [x] Usage tracking
|
||||
- [x] Error handling
|
||||
- [x] Worker initialization fallback
|
||||
- [x] Fallback detection
|
||||
- [x] Alternative initialization
|
||||
- [x] Error recovery
|
||||
- [x] Error recovery
|
||||
- [x] Connection recovery
|
||||
- [x] Transaction rollback
|
||||
- [x] State restoration
|
||||
|
||||
### Mobile Platform
|
||||
- [x] Setup Capacitor SQLite
|
||||
- [x] Install dependencies
|
||||
- [x] Core SQLite plugin
|
||||
- [x] Platform plugins
|
||||
- [x] Native dependencies
|
||||
- [x] Configure native SQLite
|
||||
- [x] Database initialization
|
||||
- [x] Connection management
|
||||
- [x] Query handling
|
||||
- [x] Configure basic permissions
|
||||
- [x] Storage access
|
||||
- [x] File operations
|
||||
- [x] System integration
|
||||
|
||||
- [x] Update Capacitor config
|
||||
- [x] Add basic platform permissions
|
||||
- [x] iOS permissions
|
||||
- [x] Android permissions
|
||||
- [x] Feature flags
|
||||
- [x] Configure storage limits
|
||||
- [x] iOS storage limits
|
||||
- [x] Android storage limits
|
||||
- [x] Quota management
|
||||
- [x] Setup platform security
|
||||
- [x] App sandboxing
|
||||
- [x] Storage protection
|
||||
- [x] Access control
|
||||
|
||||
### Electron Platform (planned)
|
||||
- [ ] Setup Node SQLite
|
||||
- [ ] Install dependencies
|
||||
- [ ] SQLite3 module
|
||||
- [ ] Native bindings
|
||||
- [ ] Development tools
|
||||
- [ ] Configure IPC
|
||||
- [ ] Main process setup
|
||||
- [ ] Renderer process handling
|
||||
- [ ] Message passing
|
||||
- [ ] Setup file system access
|
||||
- [ ] Native file operations
|
||||
- [ ] Path handling
|
||||
- [ ] Permission management
|
||||
- [ ] Implement secure storage
|
||||
- [ ] Encryption setup
|
||||
- [ ] Key management
|
||||
- [ ] Secure containers
|
||||
|
||||
- [ ] Update Electron config
|
||||
- [ ] Add security policies
|
||||
- [ ] CSP configuration
|
||||
- [ ] Process isolation
|
||||
- [ ] Resource protection
|
||||
- [ ] Configure file access
|
||||
- [ ] Access control
|
||||
- [ ] Path validation
|
||||
- [ ] Permission management
|
||||
- [ ] Setup auto-updates
|
||||
- [ ] Update server
|
||||
- [ ] Code signing
|
||||
- [ ] Rollback protection
|
||||
- [ ] Configure IPC security
|
||||
- [ ] Message validation
|
||||
- [ ] Process isolation
|
||||
- [ ] Resource protection
|
||||
|
||||
## Data Models and Types
|
||||
|
||||
### 1. Database Schema
|
||||
- [x] Define tables
|
||||
```sql
|
||||
-- Accounts table
|
||||
CREATE TABLE accounts (
|
||||
did TEXT PRIMARY KEY,
|
||||
public_key_hex TEXT NOT NULL,
|
||||
created_at INTEGER NOT NULL,
|
||||
updated_at INTEGER NOT NULL
|
||||
);
|
||||
|
||||
-- Settings table
|
||||
CREATE TABLE settings (
|
||||
key TEXT PRIMARY KEY,
|
||||
value TEXT NOT NULL,
|
||||
updated_at INTEGER NOT NULL
|
||||
);
|
||||
|
||||
-- Contacts table
|
||||
CREATE TABLE contacts (
|
||||
id TEXT PRIMARY KEY,
|
||||
did TEXT NOT NULL,
|
||||
name TEXT,
|
||||
created_at INTEGER NOT NULL,
|
||||
updated_at INTEGER NOT NULL,
|
||||
FOREIGN KEY (did) REFERENCES accounts(did)
|
||||
);
|
||||
|
||||
-- Indexes for performance
|
||||
CREATE INDEX idx_accounts_created_at ON accounts(created_at);
|
||||
CREATE INDEX idx_contacts_did ON contacts(did);
|
||||
CREATE INDEX idx_settings_updated_at ON settings(updated_at);
|
||||
```
|
||||
|
||||
### 2. Type Definitions
|
||||
- [x] Create interfaces
|
||||
```typescript
|
||||
interface PlatformCapabilities {
|
||||
hasFileSystem: boolean;
|
||||
hasCamera: boolean;
|
||||
isMobile: boolean;
|
||||
isIOS: boolean;
|
||||
hasFileDownload: boolean;
|
||||
needsFileHandlingInstructions: boolean;
|
||||
sqlite: {
|
||||
supported: boolean;
|
||||
runsInWorker: boolean;
|
||||
hasSharedArrayBuffer: boolean;
|
||||
supportsWAL: boolean;
|
||||
maxSize?: number;
|
||||
};
|
||||
}
|
||||
|
||||
interface SQLiteConfig {
|
||||
name: string;
|
||||
useWAL?: boolean;
|
||||
useMMap?: boolean;
|
||||
mmapSize?: number;
|
||||
usePreparedStatements?: boolean;
|
||||
maxPreparedStatements?: number;
|
||||
}
|
||||
|
||||
interface SQLiteStats {
|
||||
totalQueries: number;
|
||||
avgExecutionTime: number;
|
||||
preparedStatements: number;
|
||||
databaseSize: number;
|
||||
walMode: boolean;
|
||||
mmapActive: boolean;
|
||||
}
|
||||
```
|
||||
|
||||
## Testing
|
||||
|
||||
### 1. Unit Tests
|
||||
- [x] Test platform services
|
||||
- [x] Platform detection
|
||||
- [x] Web platform
|
||||
- [x] Mobile platform
|
||||
- [x] Desktop platform
|
||||
- [x] Capability reporting
|
||||
- [x] Feature detection
|
||||
- [x] Platform specifics
|
||||
- [x] Error cases
|
||||
- [x] Basic SQLite operations
|
||||
- [x] Query execution
|
||||
- [x] Transaction handling
|
||||
- [x] Error cases
|
||||
- [x] Basic error handling
|
||||
- [x] Connection errors
|
||||
- [x] Query errors
|
||||
- [x] Resource errors
|
||||
|
||||
### 2. Integration Tests
|
||||
- [x] Test SQLite services
|
||||
- [x] Web platform tests
|
||||
- [x] Worker integration
|
||||
- [x] IndexedDB backend
|
||||
- [x] Performance tests
|
||||
- [x] Basic mobile platform tests
|
||||
- [x] Native SQLite
|
||||
- [x] Platform features
|
||||
- [x] Error handling
|
||||
- [ ] Electron platform tests (planned)
|
||||
- [ ] Node SQLite
|
||||
- [ ] IPC communication
|
||||
- [ ] File system
|
||||
- [x] Cross-platform tests
|
||||
- [x] Feature parity
|
||||
- [x] Data consistency
|
||||
- [x] Performance comparison
|
||||
|
||||
### 3. E2E Tests
|
||||
- [x] Test workflows
|
||||
- [x] Basic database operations
|
||||
- [x] CRUD operations
|
||||
- [x] Transaction handling
|
||||
- [x] Error recovery
|
||||
- [x] Platform transitions
|
||||
- [x] Web to mobile
|
||||
- [x] Mobile to web
|
||||
- [x] State preservation
|
||||
- [x] Basic error recovery
|
||||
- [x] Connection loss
|
||||
- [x] Transaction failure
|
||||
- [x] Resource errors
|
||||
- [x] Performance benchmarks
|
||||
- [x] Query performance
|
||||
- [x] Transaction speed
|
||||
- [x] Memory usage
|
||||
- [x] Storage efficiency
|
||||
|
||||
## Documentation
|
||||
|
||||
### 1. Technical Documentation
|
||||
- [x] Update architecture docs
|
||||
- [x] System overview
|
||||
- [x] Component interaction
|
||||
- [x] Platform specifics
|
||||
- [x] Add basic API documentation
|
||||
- [x] Interface definitions
|
||||
- [x] Method signatures
|
||||
- [x] Usage examples
|
||||
- [x] Document platform capabilities
|
||||
- [x] Feature matrix
|
||||
- [x] Platform support
|
||||
- [x] Limitations
|
||||
- [x] Document security measures
|
||||
- [x] Platform security
|
||||
- [x] Access control
|
||||
- [x] Security policies
|
||||
|
||||
### 2. User Documentation
|
||||
- [x] Update basic user guides
|
||||
- [x] Installation
|
||||
- [x] Configuration
|
||||
- [x] Basic usage
|
||||
- [x] Add basic troubleshooting guides
|
||||
- [x] Common issues
|
||||
- [x] Error messages
|
||||
- [x] Recovery steps
|
||||
- [x] Document implemented platform features
|
||||
- [x] Web platform
|
||||
- [x] Mobile platform
|
||||
- [x] Desktop platform
|
||||
- [x] Add basic performance tips
|
||||
- [x] Optimization techniques
|
||||
- [x] Best practices
|
||||
- [x] Platform specifics
|
||||
|
||||
## Monitoring and Analytics
|
||||
|
||||
### 1. Performance Monitoring
|
||||
- [x] Basic query execution time
|
||||
- [x] Query timing
|
||||
- [x] Transaction timing
|
||||
- [x] Statement timing
|
||||
- [x] Database size monitoring
|
||||
- [x] Size tracking
|
||||
- [x] Growth patterns
|
||||
- [x] Quota management
|
||||
- [x] Basic memory usage
|
||||
- [x] Heap usage
|
||||
- [x] Cache usage
|
||||
- [x] Worker memory
|
||||
- [x] Worker performance
|
||||
- [x] Message timing
|
||||
- [x] Processing time
|
||||
- [x] Resource usage
|
||||
|
||||
### 2. Error Tracking
|
||||
- [x] Basic error logging
|
||||
- [x] Error capture
|
||||
- [x] Stack traces
|
||||
- [x] Context data
|
||||
- [x] Basic performance monitoring
|
||||
- [x] Query metrics
|
||||
- [x] Resource usage
|
||||
- [x] Timing data
|
||||
- [x] Platform-specific errors
|
||||
- [x] Web platform
|
||||
- [x] Mobile platform
|
||||
- [x] Desktop platform
|
||||
- [x] Basic recovery tracking
|
||||
- [x] Recovery success
|
||||
- [x] Failure patterns
|
||||
- [x] User impact
|
||||
|
||||
## Security Audit
|
||||
|
||||
### 1. Code Review
|
||||
- [x] Review platform services
|
||||
- [x] Interface security
|
||||
- [x] Data handling
|
||||
- [x] Error management
|
||||
- [x] Check basic SQLite implementations
|
||||
- [x] Query security
|
||||
- [x] Transaction safety
|
||||
- [x] Resource management
|
||||
- [x] Verify basic error handling
|
||||
- [x] Error propagation
|
||||
- [x] Recovery procedures
|
||||
- [x] User feedback
|
||||
- [x] Complete dependency audit
|
||||
- [x] Security vulnerabilities
|
||||
- [x] License compliance
|
||||
- [x] Update requirements
|
||||
|
||||
### 2. Platform Security
|
||||
- [x] Web platform
|
||||
- [x] Worker isolation
|
||||
- [x] Thread separation
|
||||
- [x] Message security
|
||||
- [x] Resource isolation
|
||||
- [x] Basic storage security
|
||||
- [x] Access control
|
||||
- [x] Data protection
|
||||
- [x] Quota management
|
||||
- [x] Origin isolation
|
||||
- [x] Cross-origin protection
|
||||
- [x] Resource isolation
|
||||
- [x] Security policy
|
||||
- [x] Mobile platform
|
||||
- [x] Platform permissions
|
||||
- [x] Storage access
|
||||
- [x] File operations
|
||||
- [x] System integration
|
||||
- [x] Platform security
|
||||
- [x] App sandboxing
|
||||
- [x] Storage protection
|
||||
- [x] Access control
|
||||
- [ ] SQLCipher integration (planned)
|
||||
- [ ] Encryption setup
|
||||
- [ ] Key management
|
||||
- [ ] Secure storage
|
||||
- [ ] Electron platform (planned)
|
||||
- [ ] IPC security
|
||||
- [ ] Message validation
|
||||
- [ ] Process isolation
|
||||
- [ ] Resource protection
|
||||
- [ ] File system security
|
||||
- [ ] Access control
|
||||
- [ ] Path validation
|
||||
- [ ] Permission management
|
||||
- [ ] Auto-update security
|
||||
- [ ] Update verification
|
||||
- [ ] Code signing
|
||||
- [ ] Rollback protection
|
||||
|
||||
## Success Criteria
|
||||
|
||||
### 1. Performance
|
||||
- [x] Basic query response time < 100ms
|
||||
- [x] Simple queries
|
||||
- [x] Indexed queries
|
||||
- [x] Prepared statements
|
||||
- [x] Basic transaction completion < 500ms
|
||||
- [x] Single operations
|
||||
- [x] Batch operations
|
||||
- [x] Complex transactions
|
||||
- [x] Basic memory usage < 50MB
|
||||
- [x] Normal operation
|
||||
- [x] Peak usage
|
||||
- [x] Background state
|
||||
- [x] Database size < platform limits
|
||||
- [x] Web platform (1GB)
|
||||
- [x] Mobile platform (2GB)
|
||||
- [ ] Desktop platform (10GB, planned)
|
||||
|
||||
### 2. Reliability
|
||||
- [x] Basic uptime
|
||||
- [x] Service availability
|
||||
- [x] Connection stability
|
||||
- [x] Error recovery
|
||||
- [x] Basic data integrity
|
||||
- [x] Transaction atomicity
|
||||
- [x] Data consistency
|
||||
- [x] Error handling
|
||||
- [x] Basic recovery
|
||||
- [x] Connection recovery
|
||||
- [x] Transaction rollback
|
||||
- [x] State restoration
|
||||
- [x] Basic transaction atomicity
|
||||
- [x] Commit success
|
||||
- [x] Rollback handling
|
||||
- [x] Error recovery
|
||||
|
||||
### 3. Security
|
||||
- [x] Platform-specific security
|
||||
- [x] Web platform security
|
||||
- [x] Mobile platform security
|
||||
- [ ] Desktop platform security (planned)
|
||||
- [x] Basic access control
|
||||
- [x] User permissions
|
||||
- [x] Resource access
|
||||
- [x] Operation limits
|
||||
- [x] Basic audit logging
|
||||
- [x] Access logs
|
||||
- [x] Operation logs
|
||||
- [x] Security events
|
||||
- [ ] Advanced security features (planned)
|
||||
- [ ] SQLCipher encryption
|
||||
- [ ] Biometric authentication
|
||||
- [ ] Secure enclave
|
||||
- [ ] Key management
|
||||
|
||||
### 4. User Experience
|
||||
- [x] Basic platform transitions
|
||||
- [x] Web to mobile
|
||||
- [x] Mobile to web
|
||||
- [x] State preservation
|
||||
- [x] Basic error messages
|
||||
- [x] User feedback
|
||||
- [x] Recovery guidance
|
||||
- [x] Error context
|
||||
- [x] Basic progress indicators
|
||||
- [x] Operation status
|
||||
- [x] Loading states
|
||||
- [x] Completion feedback
|
||||
- [x] Basic recovery options
|
||||
- [x] Automatic recovery
|
||||
- [x] Manual intervention
|
||||
- [x] Data restoration
|
||||
File diff suppressed because it is too large
Load Diff
@@ -1,306 +0,0 @@
|
||||
# Storage Implementation Checklist
|
||||
|
||||
## Core Services
|
||||
|
||||
### 1. Storage Service Layer
|
||||
- [ ] Create base `StorageService` interface
|
||||
- [ ] Define common methods for all platforms
|
||||
- [ ] Add platform-specific method signatures
|
||||
- [ ] Include error handling types
|
||||
- [ ] Add migration support methods
|
||||
|
||||
- [ ] Implement platform-specific services
|
||||
- [ ] `WebSQLiteService` (wa-sqlite)
|
||||
- [ ] Database initialization
|
||||
- [ ] VFS setup
|
||||
- [ ] Connection management
|
||||
- [ ] Query builder
|
||||
- [ ] `NativeSQLiteService` (iOS/Android)
|
||||
- [ ] SQLCipher integration
|
||||
- [ ] Native bridge setup
|
||||
- [ ] File system access
|
||||
- [ ] `ElectronSQLiteService`
|
||||
- [ ] Node SQLite integration
|
||||
- [ ] IPC communication
|
||||
- [ ] File system access
|
||||
|
||||
### 2. Migration Services
|
||||
- [ ] Implement `MigrationService`
|
||||
- [ ] Backup creation
|
||||
- [ ] Data verification
|
||||
- [ ] Rollback procedures
|
||||
- [ ] Progress tracking
|
||||
- [ ] Create `MigrationUI` components
|
||||
- [ ] Progress indicators
|
||||
- [ ] Error handling
|
||||
- [ ] User notifications
|
||||
- [ ] Manual triggers
|
||||
|
||||
### 3. Security Layer
|
||||
- [ ] Implement `EncryptionService`
|
||||
- [ ] Key management
|
||||
- [ ] Encryption/decryption
|
||||
- [ ] Secure storage
|
||||
- [ ] Add `BiometricService`
|
||||
- [ ] Platform detection
|
||||
- [ ] Authentication flow
|
||||
- [ ] Fallback mechanisms
|
||||
|
||||
## Platform-Specific Implementation
|
||||
|
||||
### Web Platform
|
||||
- [ ] Setup wa-sqlite
|
||||
- [ ] Install dependencies
|
||||
```json
|
||||
{
|
||||
"@wa-sqlite/sql.js": "^0.8.12",
|
||||
"@wa-sqlite/sql.js-httpvfs": "^0.8.12"
|
||||
}
|
||||
```
|
||||
- [ ] Configure VFS
|
||||
- [ ] Setup worker threads
|
||||
- [ ] Implement connection pooling
|
||||
|
||||
- [ ] Update build configuration
|
||||
- [ ] Modify `vite.config.ts`
|
||||
- [ ] Add worker configuration
|
||||
- [ ] Update chunk splitting
|
||||
- [ ] Configure asset handling
|
||||
|
||||
- [ ] Implement IndexedDB fallback
|
||||
- [ ] Create fallback service
|
||||
- [ ] Add data synchronization
|
||||
- [ ] Handle quota exceeded
|
||||
|
||||
### iOS Platform
|
||||
- [ ] Setup SQLCipher
|
||||
- [ ] Install pod dependencies
|
||||
- [ ] Configure encryption
|
||||
- [ ] Setup keychain access
|
||||
- [ ] Implement secure storage
|
||||
|
||||
- [ ] Update Capacitor config
|
||||
- [ ] Modify `capacitor.config.ts`
|
||||
- [ ] Add iOS permissions
|
||||
- [ ] Configure backup
|
||||
- [ ] Setup app groups
|
||||
|
||||
### Android Platform
|
||||
- [ ] Setup SQLCipher
|
||||
- [ ] Add Gradle dependencies
|
||||
- [ ] Configure encryption
|
||||
- [ ] Setup keystore
|
||||
- [ ] Implement secure storage
|
||||
|
||||
- [ ] Update Capacitor config
|
||||
- [ ] Modify `capacitor.config.ts`
|
||||
- [ ] Add Android permissions
|
||||
- [ ] Configure backup
|
||||
- [ ] Setup file provider
|
||||
|
||||
### Electron Platform
|
||||
- [ ] Setup Node SQLite
|
||||
- [ ] Install dependencies
|
||||
- [ ] Configure IPC
|
||||
- [ ] Setup file system access
|
||||
- [ ] Implement secure storage
|
||||
|
||||
- [ ] Update Electron config
|
||||
- [ ] Modify `electron.config.ts`
|
||||
- [ ] Add security policies
|
||||
- [ ] Configure file access
|
||||
- [ ] Setup auto-updates
|
||||
|
||||
## Data Models and Types
|
||||
|
||||
### 1. Database Schema
|
||||
- [ ] Define tables
|
||||
```sql
|
||||
-- Accounts table
|
||||
CREATE TABLE accounts (
|
||||
did TEXT PRIMARY KEY,
|
||||
public_key_hex TEXT NOT NULL,
|
||||
created_at INTEGER NOT NULL,
|
||||
updated_at INTEGER NOT NULL
|
||||
);
|
||||
|
||||
-- Settings table
|
||||
CREATE TABLE settings (
|
||||
key TEXT PRIMARY KEY,
|
||||
value TEXT NOT NULL,
|
||||
updated_at INTEGER NOT NULL
|
||||
);
|
||||
|
||||
-- Contacts table
|
||||
CREATE TABLE contacts (
|
||||
id TEXT PRIMARY KEY,
|
||||
did TEXT NOT NULL,
|
||||
name TEXT,
|
||||
created_at INTEGER NOT NULL,
|
||||
updated_at INTEGER NOT NULL,
|
||||
FOREIGN KEY (did) REFERENCES accounts(did)
|
||||
);
|
||||
```
|
||||
|
||||
- [ ] Create indexes
|
||||
- [ ] Define constraints
|
||||
- [ ] Add triggers
|
||||
- [ ] Setup migrations
|
||||
|
||||
### 2. Type Definitions
|
||||
- [ ] Create interfaces
|
||||
```typescript
|
||||
interface Account {
|
||||
did: string;
|
||||
publicKeyHex: string;
|
||||
createdAt: number;
|
||||
updatedAt: number;
|
||||
}
|
||||
|
||||
interface Setting {
|
||||
key: string;
|
||||
value: string;
|
||||
updatedAt: number;
|
||||
}
|
||||
|
||||
interface Contact {
|
||||
id: string;
|
||||
did: string;
|
||||
name?: string;
|
||||
createdAt: number;
|
||||
updatedAt: number;
|
||||
}
|
||||
```
|
||||
|
||||
- [ ] Add validation
|
||||
- [ ] Create DTOs
|
||||
- [ ] Define enums
|
||||
- [ ] Add type guards
|
||||
|
||||
## UI Components
|
||||
|
||||
### 1. Migration UI
|
||||
- [ ] Create components
|
||||
- [ ] `MigrationProgress.vue`
|
||||
- [ ] `MigrationError.vue`
|
||||
- [ ] `MigrationSettings.vue`
|
||||
- [ ] `MigrationStatus.vue`
|
||||
|
||||
### 2. Settings UI
|
||||
- [ ] Update components
|
||||
- [ ] Add storage settings
|
||||
- [ ] Add migration controls
|
||||
- [ ] Add backup options
|
||||
- [ ] Add security settings
|
||||
|
||||
### 3. Error Handling UI
|
||||
- [ ] Create components
|
||||
- [ ] `StorageError.vue`
|
||||
- [ ] `QuotaExceeded.vue`
|
||||
- [ ] `MigrationFailed.vue`
|
||||
- [ ] `RecoveryOptions.vue`
|
||||
|
||||
## Testing
|
||||
|
||||
### 1. Unit Tests
|
||||
- [ ] Test services
|
||||
- [ ] Storage service tests
|
||||
- [ ] Migration service tests
|
||||
- [ ] Security service tests
|
||||
- [ ] Platform detection tests
|
||||
|
||||
### 2. Integration Tests
|
||||
- [ ] Test migrations
|
||||
- [ ] Web platform tests
|
||||
- [ ] iOS platform tests
|
||||
- [ ] Android platform tests
|
||||
- [ ] Electron platform tests
|
||||
|
||||
### 3. E2E Tests
|
||||
- [ ] Test workflows
|
||||
- [ ] Account management
|
||||
- [ ] Settings management
|
||||
- [ ] Contact management
|
||||
- [ ] Migration process
|
||||
|
||||
## Documentation
|
||||
|
||||
### 1. Technical Documentation
|
||||
- [ ] Update architecture docs
|
||||
- [ ] Add API documentation
|
||||
- [ ] Create migration guides
|
||||
- [ ] Document security measures
|
||||
|
||||
### 2. User Documentation
|
||||
- [ ] Update user guides
|
||||
- [ ] Add troubleshooting guides
|
||||
- [ ] Create FAQ
|
||||
- [ ] Document new features
|
||||
|
||||
## Deployment
|
||||
|
||||
### 1. Build Process
|
||||
- [ ] Update build scripts
|
||||
- [ ] Add platform-specific builds
|
||||
- [ ] Configure CI/CD
|
||||
- [ ] Setup automated testing
|
||||
|
||||
### 2. Release Process
|
||||
- [ ] Create release checklist
|
||||
- [ ] Add version management
|
||||
- [ ] Setup rollback procedures
|
||||
- [ ] Configure monitoring
|
||||
|
||||
## Monitoring and Analytics
|
||||
|
||||
### 1. Error Tracking
|
||||
- [ ] Setup error logging
|
||||
- [ ] Add performance monitoring
|
||||
- [ ] Configure alerts
|
||||
- [ ] Create dashboards
|
||||
|
||||
### 2. Usage Analytics
|
||||
- [ ] Add storage metrics
|
||||
- [ ] Track migration success
|
||||
- [ ] Monitor performance
|
||||
- [ ] Collect user feedback
|
||||
|
||||
## Security Audit
|
||||
|
||||
### 1. Code Review
|
||||
- [ ] Review encryption
|
||||
- [ ] Check access controls
|
||||
- [ ] Verify data handling
|
||||
- [ ] Audit dependencies
|
||||
|
||||
### 2. Penetration Testing
|
||||
- [ ] Test data access
|
||||
- [ ] Verify encryption
|
||||
- [ ] Check authentication
|
||||
- [ ] Review permissions
|
||||
|
||||
## Success Criteria
|
||||
|
||||
### 1. Performance
|
||||
- [ ] Query response time < 100ms
|
||||
- [ ] Migration time < 5s per 1000 records
|
||||
- [ ] Storage overhead < 10%
|
||||
- [ ] Memory usage < 50MB
|
||||
|
||||
### 2. Reliability
|
||||
- [ ] 99.9% uptime
|
||||
- [ ] Zero data loss
|
||||
- [ ] Automatic recovery
|
||||
- [ ] Backup verification
|
||||
|
||||
### 3. Security
|
||||
- [ ] AES-256 encryption
|
||||
- [ ] Secure key storage
|
||||
- [ ] Access control
|
||||
- [ ] Audit logging
|
||||
|
||||
### 4. User Experience
|
||||
- [ ] Smooth migration
|
||||
- [ ] Clear error messages
|
||||
- [ ] Progress indicators
|
||||
- [ ] Recovery options
|
||||
4932
package-lock.json
generated
4932
package-lock.json
generated
File diff suppressed because it is too large
Load Diff
10
package.json
10
package.json
@@ -11,7 +11,7 @@
|
||||
"build": "VITE_GIT_HASH=`git log -1 --pretty=format:%h` vite build --config vite.config.mts",
|
||||
"lint": "eslint --ext .js,.ts,.vue --ignore-path .gitignore src",
|
||||
"lint-fix": "eslint --ext .js,.ts,.vue --ignore-path .gitignore --fix src",
|
||||
"prebuild": "eslint --ext .js,.ts,.vue --ignore-path .gitignore src && node sw_combine.js",
|
||||
"prebuild": "eslint --ext .js,.ts,.vue --ignore-path .gitignore src && node sw_combine.js && node scripts/copy-wasm.js",
|
||||
"test:all": "npm run test:prerequisites && npm run build && npm run test:web && npm run test:mobile",
|
||||
"test:prerequisites": "node scripts/check-prerequisites.js",
|
||||
"test:web": "npx playwright test -c playwright.config-local.ts --trace on",
|
||||
@@ -46,6 +46,7 @@
|
||||
"electron:build-mac-universal": "npm run build:electron-prod && electron-builder --mac --universal"
|
||||
},
|
||||
"dependencies": {
|
||||
"@capacitor-community/sqlite": "6.0.0",
|
||||
"@capacitor-mlkit/barcode-scanning": "^6.0.0",
|
||||
"@capacitor/android": "^6.2.0",
|
||||
"@capacitor/app": "^6.0.0",
|
||||
@@ -63,6 +64,7 @@
|
||||
"@fortawesome/fontawesome-svg-core": "^6.5.1",
|
||||
"@fortawesome/free-solid-svg-icons": "^6.5.1",
|
||||
"@fortawesome/vue-fontawesome": "^3.0.6",
|
||||
"@jlongster/sql.js": "^1.6.7",
|
||||
"@peculiar/asn1-ecc": "^2.3.8",
|
||||
"@peculiar/asn1-schema": "^2.3.8",
|
||||
"@pvermeer/dexie-encrypted-addon": "^3.0.0",
|
||||
@@ -81,6 +83,7 @@
|
||||
"@vue-leaflet/vue-leaflet": "^0.10.1",
|
||||
"@vueuse/core": "^12.3.0",
|
||||
"@zxing/text-encoding": "^0.9.0",
|
||||
"absurd-sql": "^0.0.54",
|
||||
"asn1-ber": "^1.2.2",
|
||||
"axios": "^1.6.8",
|
||||
"cbor-x": "^1.5.9",
|
||||
@@ -113,6 +116,7 @@
|
||||
"reflect-metadata": "^0.1.14",
|
||||
"register-service-worker": "^1.7.2",
|
||||
"simple-vue-camera": "^1.1.3",
|
||||
"sqlite": "^5.1.1",
|
||||
"sqlite3": "^5.1.7",
|
||||
"stream-browserify": "^3.0.0",
|
||||
"three": "^0.156.1",
|
||||
@@ -144,7 +148,9 @@
|
||||
"@vitejs/plugin-vue": "^5.2.1",
|
||||
"@vue/eslint-config-typescript": "^11.0.3",
|
||||
"autoprefixer": "^10.4.19",
|
||||
"browserify-fs": "^1.0.0",
|
||||
"concurrently": "^8.2.2",
|
||||
"crypto-browserify": "^3.12.1",
|
||||
"electron": "^33.2.1",
|
||||
"electron-builder": "^25.1.8",
|
||||
"eslint": "^8.57.0",
|
||||
@@ -155,12 +161,14 @@
|
||||
"markdownlint": "^0.37.4",
|
||||
"markdownlint-cli": "^0.44.0",
|
||||
"npm-check-updates": "^17.1.13",
|
||||
"path-browserify": "^1.0.1",
|
||||
"postcss": "^8.4.38",
|
||||
"prettier": "^3.2.5",
|
||||
"rimraf": "^6.0.1",
|
||||
"tailwindcss": "^3.4.1",
|
||||
"typescript": "~5.2.2",
|
||||
"vite": "^5.2.0",
|
||||
"vite-plugin-node-polyfills": "^0.23.0",
|
||||
"vite-plugin-pwa": "^0.19.8"
|
||||
},
|
||||
"main": "./dist-electron/main.js",
|
||||
|
||||
15
scripts/copy-wasm.js
Normal file
15
scripts/copy-wasm.js
Normal file
@@ -0,0 +1,15 @@
|
||||
const fs = require('fs');
|
||||
const path = require('path');
|
||||
|
||||
// Create public/wasm directory if it doesn't exist
|
||||
const wasmDir = path.join(__dirname, '../public/wasm');
|
||||
if (!fs.existsSync(wasmDir)) {
|
||||
fs.mkdirSync(wasmDir, { recursive: true });
|
||||
}
|
||||
|
||||
// Copy the WASM file from node_modules to public/wasm
|
||||
const sourceFile = path.join(__dirname, '../node_modules/@jlongster/sql.js/dist/sql-wasm.wasm');
|
||||
const targetFile = path.join(wasmDir, 'sql-wasm.wasm');
|
||||
|
||||
fs.copyFileSync(sourceFile, targetFile);
|
||||
console.log('WASM file copied successfully!');
|
||||
@@ -136,7 +136,7 @@ export default class DataExportSection extends Vue {
|
||||
transform: (table, value, key) => {
|
||||
if (table === "contacts") {
|
||||
// Dexie inserts a number 0 when some are undefined, so we need to totally remove them.
|
||||
Object.keys(value).forEach(prop => {
|
||||
Object.keys(value).forEach((prop) => {
|
||||
if (value[prop] === undefined) {
|
||||
delete value[prop];
|
||||
}
|
||||
|
||||
@@ -99,8 +99,6 @@ import {
|
||||
LTileLayer,
|
||||
} from "@vue-leaflet/vue-leaflet";
|
||||
import { Router } from "vue-router";
|
||||
import { MASTER_SETTINGS_KEY } from "../db/tables/settings";
|
||||
import { db, retrieveSettingsForActiveAccount } from "../db/index";
|
||||
|
||||
@Component({
|
||||
components: {
|
||||
@@ -122,7 +120,8 @@ export default class FeedFilters extends Vue {
|
||||
async open(onCloseIfChanged: () => void) {
|
||||
this.onCloseIfChanged = onCloseIfChanged;
|
||||
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
this.hasVisibleDid = !!settings.filterFeedByVisible;
|
||||
this.isNearby = !!settings.filterFeedByNearby;
|
||||
if (settings.searchBoxes && settings.searchBoxes.length > 0) {
|
||||
@@ -136,7 +135,8 @@ export default class FeedFilters extends Vue {
|
||||
async toggleHasVisibleDid() {
|
||||
this.settingChanged = true;
|
||||
this.hasVisibleDid = !this.hasVisibleDid;
|
||||
await db.settings.update(MASTER_SETTINGS_KEY, {
|
||||
const platform = this.$platform;
|
||||
await platform.updateMasterSettings({
|
||||
filterFeedByVisible: this.hasVisibleDid,
|
||||
});
|
||||
}
|
||||
@@ -144,7 +144,8 @@ export default class FeedFilters extends Vue {
|
||||
async toggleNearby() {
|
||||
this.settingChanged = true;
|
||||
this.isNearby = !this.isNearby;
|
||||
await db.settings.update(MASTER_SETTINGS_KEY, {
|
||||
const platform = this.$platform;
|
||||
await platform.updateMasterSettings({
|
||||
filterFeedByNearby: this.isNearby,
|
||||
});
|
||||
}
|
||||
@@ -154,7 +155,8 @@ export default class FeedFilters extends Vue {
|
||||
this.settingChanged = true;
|
||||
}
|
||||
|
||||
await db.settings.update(MASTER_SETTINGS_KEY, {
|
||||
const platform = this.$platform;
|
||||
await platform.updateMasterSettings({
|
||||
filterFeedByNearby: false,
|
||||
filterFeedByVisible: false,
|
||||
});
|
||||
@@ -168,7 +170,8 @@ export default class FeedFilters extends Vue {
|
||||
this.settingChanged = true;
|
||||
}
|
||||
|
||||
await db.settings.update(MASTER_SETTINGS_KEY, {
|
||||
const platform = this.$platform;
|
||||
await platform.updateMasterSettings({
|
||||
filterFeedByNearby: true,
|
||||
filterFeedByVisible: true,
|
||||
});
|
||||
|
||||
@@ -333,7 +333,6 @@ export default class ImageMethodDialog extends Vue {
|
||||
* @throws {Error} When settings retrieval fails
|
||||
*/
|
||||
async mounted() {
|
||||
logger.log("ImageMethodDialog mounted");
|
||||
try {
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
this.activeDid = settings.activeDid || "";
|
||||
|
||||
106
src/db-sql/migration.ts
Normal file
106
src/db-sql/migration.ts
Normal file
@@ -0,0 +1,106 @@
|
||||
import migrationService from "../services/migrationService";
|
||||
import type { QueryExecResult, SqlValue } from "../interfaces/database";
|
||||
|
||||
// Each migration can include multiple SQL statements (with semicolons)
|
||||
const MIGRATIONS = [
|
||||
{
|
||||
name: "001_initial",
|
||||
// see ../db/tables files for explanations of the fields
|
||||
sql: `
|
||||
CREATE TABLE IF NOT EXISTS accounts (
|
||||
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||
dateCreated TEXT NOT NULL,
|
||||
derivationPath TEXT,
|
||||
did TEXT NOT NULL,
|
||||
identity TEXT,
|
||||
mnemonic TEXT,
|
||||
passkeyCredIdHex TEXT,
|
||||
publicKeyHex TEXT NOT NULL
|
||||
);
|
||||
|
||||
CREATE INDEX IF NOT EXISTS idx_accounts_did ON accounts(did);
|
||||
|
||||
CREATE TABLE IF NOT EXISTS secret (
|
||||
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||
secret TEXT NOT NULL
|
||||
);
|
||||
|
||||
CREATE TABLE IF NOT EXISTS settings (
|
||||
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||
accountDid TEXT,
|
||||
activeDid TEXT,
|
||||
apiServer TEXT,
|
||||
filterFeedByNearby BOOLEAN,
|
||||
filterFeedByVisible BOOLEAN,
|
||||
finishedOnboarding BOOLEAN,
|
||||
firstName TEXT,
|
||||
hideRegisterPromptOnNewContact BOOLEAN,
|
||||
isRegistered BOOLEAN,
|
||||
lastName TEXT,
|
||||
lastAckedOfferToUserJwtId TEXT,
|
||||
lastAckedOfferToUserProjectsJwtId TEXT,
|
||||
lastNotifiedClaimId TEXT,
|
||||
lastViewedClaimId TEXT,
|
||||
notifyingNewActivityTime TEXT,
|
||||
notifyingReminderMessage TEXT,
|
||||
notifyingReminderTime TEXT,
|
||||
partnerApiServer TEXT,
|
||||
passkeyExpirationMinutes INTEGER,
|
||||
profileImageUrl TEXT,
|
||||
searchBoxes TEXT, -- Stored as JSON string
|
||||
showContactGivesInline BOOLEAN,
|
||||
showGeneralAdvanced BOOLEAN,
|
||||
showShortcutBvc BOOLEAN,
|
||||
vapid TEXT,
|
||||
warnIfProdServer BOOLEAN,
|
||||
warnIfTestServer BOOLEAN,
|
||||
webPushServer TEXT
|
||||
);
|
||||
|
||||
CREATE INDEX IF NOT EXISTS idx_settings_accountDid ON settings(accountDid);
|
||||
|
||||
CREATE TABLE IF NOT EXISTS contacts (
|
||||
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||
did TEXT NOT NULL,
|
||||
name TEXT,
|
||||
contactMethods TEXT, -- Stored as JSON string
|
||||
nextPubKeyHashB64 TEXT,
|
||||
notes TEXT,
|
||||
profileImageUrl TEXT,
|
||||
publicKeyBase64 TEXT,
|
||||
seesMe BOOLEAN,
|
||||
registered BOOLEAN
|
||||
);
|
||||
|
||||
CREATE INDEX IF NOT EXISTS idx_contacts_did ON contacts(did);
|
||||
CREATE INDEX IF NOT EXISTS idx_contacts_name ON contacts(name);
|
||||
|
||||
CREATE TABLE IF NOT EXISTS logs (
|
||||
date TEXT PRIMARY KEY,
|
||||
message TEXT NOT NULL
|
||||
);
|
||||
|
||||
CREATE TABLE IF NOT EXISTS temp (
|
||||
id TEXT PRIMARY KEY,
|
||||
blobB64 TEXT
|
||||
);
|
||||
`,
|
||||
},
|
||||
];
|
||||
|
||||
export async function registerMigrations(): Promise<void> {
|
||||
// Register all migrations
|
||||
for (const migration of MIGRATIONS) {
|
||||
await migrationService.registerMigration(migration);
|
||||
}
|
||||
}
|
||||
|
||||
export async function runMigrations(
|
||||
sqlExec: (
|
||||
sql: string,
|
||||
params?: SqlValue[],
|
||||
) => Promise<Array<QueryExecResult>>,
|
||||
): Promise<void> {
|
||||
await registerMigrations();
|
||||
await migrationService.runMigrations(sqlExec);
|
||||
}
|
||||
@@ -90,40 +90,40 @@ db.on("populate", async () => {
|
||||
try {
|
||||
await db.settings.add(DEFAULT_SETTINGS);
|
||||
} catch (error) {
|
||||
console.error("Error populating the database with default settings:", error);
|
||||
logger.error("Error populating the database with default settings:", error);
|
||||
}
|
||||
});
|
||||
|
||||
// Helper function to safely open the database with retries
|
||||
async function safeOpenDatabase(retries = 1, delay = 500): Promise<void> {
|
||||
// console.log("Starting safeOpenDatabase with retries:", retries);
|
||||
// logger.log("Starting safeOpenDatabase with retries:", retries);
|
||||
for (let i = 0; i < retries; i++) {
|
||||
try {
|
||||
// console.log(`Attempt ${i + 1}: Checking if database is open...`);
|
||||
// logger.log(`Attempt ${i + 1}: Checking if database is open...`);
|
||||
if (!db.isOpen()) {
|
||||
// console.log(`Attempt ${i + 1}: Database is closed, attempting to open...`);
|
||||
// logger.log(`Attempt ${i + 1}: Database is closed, attempting to open...`);
|
||||
|
||||
// Create a promise that rejects after 5 seconds
|
||||
const timeoutPromise = new Promise((_, reject) => {
|
||||
setTimeout(() => reject(new Error('Database open timed out')), 500);
|
||||
setTimeout(() => reject(new Error("Database open timed out")), 500);
|
||||
});
|
||||
|
||||
// Race between the open operation and the timeout
|
||||
const openPromise = db.open();
|
||||
// console.log(`Attempt ${i + 1}: Waiting for db.open() promise...`);
|
||||
// logger.log(`Attempt ${i + 1}: Waiting for db.open() promise...`);
|
||||
await Promise.race([openPromise, timeoutPromise]);
|
||||
|
||||
// If we get here, the open succeeded
|
||||
// console.log(`Attempt ${i + 1}: Database opened successfully`);
|
||||
// logger.log(`Attempt ${i + 1}: Database opened successfully`);
|
||||
return;
|
||||
}
|
||||
// console.log(`Attempt ${i + 1}: Database was already open`);
|
||||
// logger.log(`Attempt ${i + 1}: Database was already open`);
|
||||
return;
|
||||
} catch (error) {
|
||||
console.error(`Attempt ${i + 1}: Database open failed:`, error);
|
||||
logger.error(`Attempt ${i + 1}: Database open failed:`, error);
|
||||
if (i < retries - 1) {
|
||||
console.log(`Attempt ${i + 1}: Waiting ${delay}ms before retry...`);
|
||||
await new Promise(resolve => setTimeout(resolve, delay));
|
||||
logger.log(`Attempt ${i + 1}: Waiting ${delay}ms before retry...`);
|
||||
await new Promise((resolve) => setTimeout(resolve, delay));
|
||||
} else {
|
||||
throw error;
|
||||
}
|
||||
@@ -139,23 +139,29 @@ export async function updateDefaultSettings(
|
||||
delete settingsChanges.id;
|
||||
try {
|
||||
try {
|
||||
// console.log("Database state before open:", db.isOpen() ? "open" : "closed");
|
||||
// console.log("Database name:", db.name);
|
||||
// console.log("Database version:", db.verno);
|
||||
// logger.log("Database state before open:", db.isOpen() ? "open" : "closed");
|
||||
// logger.log("Database name:", db.name);
|
||||
// logger.log("Database version:", db.verno);
|
||||
await safeOpenDatabase();
|
||||
} catch (openError: unknown) {
|
||||
console.error("Failed to open database:", openError);
|
||||
const errorMessage = openError instanceof Error ? openError.message : String(openError);
|
||||
throw new Error(`Database connection failed: ${errorMessage}. Please try again or restart the app.`);
|
||||
logger.error("Failed to open database:", openError, String(openError));
|
||||
throw new Error(
|
||||
`The database connection failed. We recommend you try again or restart the app.`,
|
||||
);
|
||||
}
|
||||
const result = await db.settings.update(MASTER_SETTINGS_KEY, settingsChanges);
|
||||
const result = await db.settings.update(
|
||||
MASTER_SETTINGS_KEY,
|
||||
settingsChanges,
|
||||
);
|
||||
return result;
|
||||
} catch (error) {
|
||||
console.error("Error updating default settings:", error);
|
||||
logger.error("Error updating default settings:", error);
|
||||
if (error instanceof Error) {
|
||||
throw error; // Re-throw if it's already an Error with a message
|
||||
} else {
|
||||
throw new Error(`Failed to update settings: ${error}`);
|
||||
throw new Error(
|
||||
`Failed to update settings. We recommend you try again or restart the app.`,
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,293 +0,0 @@
|
||||
/**
|
||||
* SQLite Database Initialization
|
||||
*
|
||||
* This module handles database initialization, including:
|
||||
* - Database connection management
|
||||
* - Schema creation and migration
|
||||
* - Connection pooling and lifecycle
|
||||
* - Error handling and recovery
|
||||
*/
|
||||
|
||||
import { Database, SQLite3 } from '@wa-sqlite/sql.js';
|
||||
import { DATABASE_SCHEMA, SQLiteTable } from './types';
|
||||
import { logger } from '../../utils/logger';
|
||||
|
||||
// ============================================================================
|
||||
// Database Connection Management
|
||||
// ============================================================================
|
||||
|
||||
export interface DatabaseConnection {
|
||||
db: Database;
|
||||
sqlite3: SQLite3;
|
||||
isOpen: boolean;
|
||||
lastUsed: number;
|
||||
}
|
||||
|
||||
let connection: DatabaseConnection | null = null;
|
||||
const CONNECTION_TIMEOUT = 5 * 60 * 1000; // 5 minutes
|
||||
|
||||
/**
|
||||
* Initialize the SQLite database connection
|
||||
*/
|
||||
export async function initDatabase(): Promise<DatabaseConnection> {
|
||||
if (connection?.isOpen) {
|
||||
connection.lastUsed = Date.now();
|
||||
return connection;
|
||||
}
|
||||
|
||||
try {
|
||||
const sqlite3 = await import('@wa-sqlite/sql.js');
|
||||
const db = await sqlite3.open(':memory:'); // TODO: Configure storage location
|
||||
|
||||
// Enable foreign keys
|
||||
await db.exec('PRAGMA foreign_keys = ON;');
|
||||
|
||||
// Configure for better performance
|
||||
await db.exec(`
|
||||
PRAGMA journal_mode = WAL;
|
||||
PRAGMA synchronous = NORMAL;
|
||||
PRAGMA cache_size = -2000; -- Use 2MB of cache
|
||||
`);
|
||||
|
||||
connection = {
|
||||
db,
|
||||
sqlite3,
|
||||
isOpen: true,
|
||||
lastUsed: Date.now()
|
||||
};
|
||||
|
||||
// Start connection cleanup interval
|
||||
startConnectionCleanup();
|
||||
|
||||
return connection;
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Database initialization failed:', error);
|
||||
throw new Error('Failed to initialize database');
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Close the database connection
|
||||
*/
|
||||
export async function closeDatabase(): Promise<void> {
|
||||
if (!connection?.isOpen) return;
|
||||
|
||||
try {
|
||||
await connection.db.close();
|
||||
connection.isOpen = false;
|
||||
connection = null;
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Database close failed:', error);
|
||||
throw new Error('Failed to close database');
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Cleanup inactive connections
|
||||
*/
|
||||
function startConnectionCleanup(): void {
|
||||
setInterval(() => {
|
||||
if (connection && Date.now() - connection.lastUsed > CONNECTION_TIMEOUT) {
|
||||
closeDatabase().catch(error => {
|
||||
logger.error('[SQLite] Connection cleanup failed:', error);
|
||||
});
|
||||
}
|
||||
}, 60000); // Check every minute
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Schema Management
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Create the database schema
|
||||
*/
|
||||
export async function createSchema(): Promise<void> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
try {
|
||||
await db.transaction(async () => {
|
||||
for (const table of DATABASE_SCHEMA) {
|
||||
await createTable(db, table);
|
||||
}
|
||||
});
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Schema creation failed:', error);
|
||||
throw new Error('Failed to create database schema');
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Create a single table
|
||||
*/
|
||||
async function createTable(db: Database, table: SQLiteTable): Promise<void> {
|
||||
const columnDefs = table.columns.map(col => {
|
||||
const constraints = [
|
||||
col.primaryKey ? 'PRIMARY KEY' : '',
|
||||
col.unique ? 'UNIQUE' : '',
|
||||
!col.nullable ? 'NOT NULL' : '',
|
||||
col.references ? `REFERENCES ${col.references.table}(${col.references.column})` : '',
|
||||
col.default !== undefined ? `DEFAULT ${formatDefaultValue(col.default)}` : ''
|
||||
].filter(Boolean).join(' ');
|
||||
|
||||
return `${col.name} ${col.type} ${constraints}`.trim();
|
||||
});
|
||||
|
||||
const createTableSQL = `
|
||||
CREATE TABLE IF NOT EXISTS ${table.name} (
|
||||
${columnDefs.join(',\n ')}
|
||||
);
|
||||
`;
|
||||
|
||||
await db.exec(createTableSQL);
|
||||
|
||||
// Create indexes
|
||||
if (table.indexes) {
|
||||
for (const index of table.indexes) {
|
||||
const createIndexSQL = `
|
||||
CREATE INDEX IF NOT EXISTS ${index.name}
|
||||
ON ${table.name} (${index.columns.join(', ')})
|
||||
${index.unique ? 'UNIQUE' : ''};
|
||||
`;
|
||||
await db.exec(createIndexSQL);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Format default value for SQL
|
||||
*/
|
||||
function formatDefaultValue(value: unknown): string {
|
||||
if (value === null) return 'NULL';
|
||||
if (typeof value === 'string') return `'${value.replace(/'/g, "''")}'`;
|
||||
if (typeof value === 'number') return value.toString();
|
||||
if (typeof value === 'boolean') return value ? '1' : '0';
|
||||
throw new Error(`Unsupported default value type: ${typeof value}`);
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Database Health Checks
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Check database health
|
||||
*/
|
||||
export async function checkDatabaseHealth(): Promise<{
|
||||
isHealthy: boolean;
|
||||
tables: string[];
|
||||
error?: string;
|
||||
}> {
|
||||
try {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
// Check if we can query the database
|
||||
const tables = await db.selectAll<{ name: string }>(`
|
||||
SELECT name FROM sqlite_master
|
||||
WHERE type='table' AND name NOT LIKE 'sqlite_%'
|
||||
`);
|
||||
|
||||
return {
|
||||
isHealthy: true,
|
||||
tables: tables.map(t => t.name)
|
||||
};
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Health check failed:', error);
|
||||
return {
|
||||
isHealthy: false,
|
||||
tables: [],
|
||||
error: error instanceof Error ? error.message : 'Unknown error'
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Verify database integrity
|
||||
*/
|
||||
export async function verifyDatabaseIntegrity(): Promise<{
|
||||
isIntegrityOk: boolean;
|
||||
errors: string[];
|
||||
}> {
|
||||
const { db } = await initDatabase();
|
||||
const errors: string[] = [];
|
||||
|
||||
try {
|
||||
// Run integrity check
|
||||
const result = await db.selectAll<{ integrity_check: string }>('PRAGMA integrity_check;');
|
||||
|
||||
if (result[0]?.integrity_check !== 'ok') {
|
||||
errors.push('Database integrity check failed');
|
||||
}
|
||||
|
||||
// Check foreign key constraints
|
||||
const fkResult = await db.selectAll<{ table: string; rowid: number; parent: string; fkid: number }>(`
|
||||
PRAGMA foreign_key_check;
|
||||
`);
|
||||
|
||||
if (fkResult.length > 0) {
|
||||
errors.push('Foreign key constraint violations found');
|
||||
}
|
||||
|
||||
return {
|
||||
isIntegrityOk: errors.length === 0,
|
||||
errors
|
||||
};
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Integrity check failed:', error);
|
||||
return {
|
||||
isIntegrityOk: false,
|
||||
errors: [error instanceof Error ? error.message : 'Unknown error']
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Database Backup and Recovery
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Create a database backup
|
||||
*/
|
||||
export async function createBackup(): Promise<Uint8Array> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
try {
|
||||
// Export the database to a binary array
|
||||
return await db.export();
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Backup creation failed:', error);
|
||||
throw new Error('Failed to create database backup');
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Restore database from backup
|
||||
*/
|
||||
export async function restoreFromBackup(backup: Uint8Array): Promise<void> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
try {
|
||||
// Close current connection
|
||||
await closeDatabase();
|
||||
|
||||
// Create new connection and import backup
|
||||
const sqlite3 = await import('@wa-sqlite/sql.js');
|
||||
const newDb = await sqlite3.open(backup);
|
||||
|
||||
// Verify integrity
|
||||
const { isIntegrityOk, errors } = await verifyDatabaseIntegrity();
|
||||
if (!isIntegrityOk) {
|
||||
throw new Error(`Backup integrity check failed: ${errors.join(', ')}`);
|
||||
}
|
||||
|
||||
// Replace current connection
|
||||
connection = {
|
||||
db: newDb,
|
||||
sqlite3,
|
||||
isOpen: true,
|
||||
lastUsed: Date.now()
|
||||
};
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Backup restoration failed:', error);
|
||||
throw new Error('Failed to restore database from backup');
|
||||
}
|
||||
}
|
||||
@@ -1,374 +0,0 @@
|
||||
/**
|
||||
* SQLite Migration Utilities
|
||||
*
|
||||
* This module handles the migration of data from Dexie to SQLite,
|
||||
* including data transformation, validation, and rollback capabilities.
|
||||
*/
|
||||
|
||||
import { Database } from '@wa-sqlite/sql.js';
|
||||
import { initDatabase, createSchema, createBackup } from './init';
|
||||
import {
|
||||
MigrationData,
|
||||
MigrationResult,
|
||||
SQLiteAccount,
|
||||
SQLiteContact,
|
||||
SQLiteContactMethod,
|
||||
SQLiteSettings,
|
||||
SQLiteLog,
|
||||
SQLiteSecret,
|
||||
isSQLiteAccount,
|
||||
isSQLiteContact,
|
||||
isSQLiteSettings
|
||||
} from './types';
|
||||
import { logger } from '../../utils/logger';
|
||||
|
||||
// ============================================================================
|
||||
// Migration Types
|
||||
// ============================================================================
|
||||
|
||||
interface MigrationContext {
|
||||
db: Database;
|
||||
startTime: number;
|
||||
stats: MigrationResult['stats'];
|
||||
errors: Error[];
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Migration Functions
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Migrate data from Dexie to SQLite
|
||||
*/
|
||||
export async function migrateFromDexie(data: MigrationData): Promise<MigrationResult> {
|
||||
const startTime = Date.now();
|
||||
const context: MigrationContext = {
|
||||
db: (await initDatabase()).db,
|
||||
startTime,
|
||||
stats: {
|
||||
accounts: 0,
|
||||
contacts: 0,
|
||||
contactMethods: 0,
|
||||
settings: 0,
|
||||
logs: 0,
|
||||
secrets: 0
|
||||
},
|
||||
errors: []
|
||||
};
|
||||
|
||||
try {
|
||||
// Create backup before migration
|
||||
const backup = await createBackup();
|
||||
|
||||
// Create schema if needed
|
||||
await createSchema();
|
||||
|
||||
// Perform migration in a transaction
|
||||
await context.db.transaction(async () => {
|
||||
// Migrate in order of dependencies
|
||||
await migrateAccounts(context, data.accounts);
|
||||
await migrateContacts(context, data.contacts);
|
||||
await migrateContactMethods(context, data.contactMethods);
|
||||
await migrateSettings(context, data.settings);
|
||||
await migrateLogs(context, data.logs);
|
||||
await migrateSecrets(context, data.secrets);
|
||||
});
|
||||
|
||||
// Verify migration
|
||||
const verificationResult = await verifyMigration(context, data);
|
||||
if (!verificationResult.success) {
|
||||
throw new Error(`Migration verification failed: ${verificationResult.error}`);
|
||||
}
|
||||
|
||||
return {
|
||||
success: true,
|
||||
stats: context.stats,
|
||||
duration: Date.now() - startTime
|
||||
};
|
||||
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Migration failed:', error);
|
||||
|
||||
// Attempt rollback
|
||||
try {
|
||||
await rollbackMigration(backup);
|
||||
} catch (rollbackError) {
|
||||
logger.error('[SQLite] Rollback failed:', rollbackError);
|
||||
context.errors.push(new Error('Migration and rollback failed'));
|
||||
}
|
||||
|
||||
return {
|
||||
success: false,
|
||||
error: error instanceof Error ? error : new Error('Unknown migration error'),
|
||||
stats: context.stats,
|
||||
duration: Date.now() - startTime
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Migration Helpers
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Migrate accounts
|
||||
*/
|
||||
async function migrateAccounts(context: MigrationContext, accounts: SQLiteAccount[]): Promise<void> {
|
||||
for (const account of accounts) {
|
||||
try {
|
||||
if (!isSQLiteAccount(account)) {
|
||||
throw new Error(`Invalid account data: ${JSON.stringify(account)}`);
|
||||
}
|
||||
|
||||
await context.db.exec(`
|
||||
INSERT INTO accounts (
|
||||
did, public_key_hex, created_at, updated_at,
|
||||
identity_json, mnemonic_encrypted, passkey_cred_id_hex, derivation_path
|
||||
) VALUES (?, ?, ?, ?, ?, ?, ?, ?)
|
||||
`, [
|
||||
account.did,
|
||||
account.public_key_hex,
|
||||
account.created_at,
|
||||
account.updated_at,
|
||||
account.identity_json || null,
|
||||
account.mnemonic_encrypted || null,
|
||||
account.passkey_cred_id_hex || null,
|
||||
account.derivation_path || null
|
||||
]);
|
||||
|
||||
context.stats.accounts++;
|
||||
} catch (error) {
|
||||
context.errors.push(new Error(`Failed to migrate account ${account.did}: ${error}`));
|
||||
throw error; // Re-throw to trigger transaction rollback
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Migrate contacts
|
||||
*/
|
||||
async function migrateContacts(context: MigrationContext, contacts: SQLiteContact[]): Promise<void> {
|
||||
for (const contact of contacts) {
|
||||
try {
|
||||
if (!isSQLiteContact(contact)) {
|
||||
throw new Error(`Invalid contact data: ${JSON.stringify(contact)}`);
|
||||
}
|
||||
|
||||
await context.db.exec(`
|
||||
INSERT INTO contacts (
|
||||
id, did, name, notes, profile_image_url,
|
||||
public_key_base64, next_pub_key_hash_b64,
|
||||
sees_me, registered, created_at, updated_at
|
||||
) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)
|
||||
`, [
|
||||
contact.id,
|
||||
contact.did,
|
||||
contact.name || null,
|
||||
contact.notes || null,
|
||||
contact.profile_image_url || null,
|
||||
contact.public_key_base64 || null,
|
||||
contact.next_pub_key_hash_b64 || null,
|
||||
contact.sees_me ? 1 : 0,
|
||||
contact.registered ? 1 : 0,
|
||||
contact.created_at,
|
||||
contact.updated_at
|
||||
]);
|
||||
|
||||
context.stats.contacts++;
|
||||
} catch (error) {
|
||||
context.errors.push(new Error(`Failed to migrate contact ${contact.id}: ${error}`));
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Migrate contact methods
|
||||
*/
|
||||
async function migrateContactMethods(
|
||||
context: MigrationContext,
|
||||
methods: SQLiteContactMethod[]
|
||||
): Promise<void> {
|
||||
for (const method of methods) {
|
||||
try {
|
||||
await context.db.exec(`
|
||||
INSERT INTO contact_methods (
|
||||
id, contact_id, label, type, value,
|
||||
created_at, updated_at
|
||||
) VALUES (?, ?, ?, ?, ?, ?, ?)
|
||||
`, [
|
||||
method.id,
|
||||
method.contact_id,
|
||||
method.label,
|
||||
method.type,
|
||||
method.value,
|
||||
method.created_at,
|
||||
method.updated_at
|
||||
]);
|
||||
|
||||
context.stats.contactMethods++;
|
||||
} catch (error) {
|
||||
context.errors.push(new Error(`Failed to migrate contact method ${method.id}: ${error}`));
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Migrate settings
|
||||
*/
|
||||
async function migrateSettings(context: MigrationContext, settings: SQLiteSettings[]): Promise<void> {
|
||||
for (const setting of settings) {
|
||||
try {
|
||||
if (!isSQLiteSettings(setting)) {
|
||||
throw new Error(`Invalid settings data: ${JSON.stringify(setting)}`);
|
||||
}
|
||||
|
||||
await context.db.exec(`
|
||||
INSERT INTO settings (
|
||||
key, account_did, value_json, created_at, updated_at
|
||||
) VALUES (?, ?, ?, ?, ?)
|
||||
`, [
|
||||
setting.key,
|
||||
setting.account_did || null,
|
||||
setting.value_json,
|
||||
setting.created_at,
|
||||
setting.updated_at
|
||||
]);
|
||||
|
||||
context.stats.settings++;
|
||||
} catch (error) {
|
||||
context.errors.push(new Error(`Failed to migrate setting ${setting.key}: ${error}`));
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Migrate logs
|
||||
*/
|
||||
async function migrateLogs(context: MigrationContext, logs: SQLiteLog[]): Promise<void> {
|
||||
for (const log of logs) {
|
||||
try {
|
||||
await context.db.exec(`
|
||||
INSERT INTO logs (
|
||||
id, level, message, metadata_json, created_at
|
||||
) VALUES (?, ?, ?, ?, ?)
|
||||
`, [
|
||||
log.id,
|
||||
log.level,
|
||||
log.message,
|
||||
log.metadata_json || null,
|
||||
log.created_at
|
||||
]);
|
||||
|
||||
context.stats.logs++;
|
||||
} catch (error) {
|
||||
context.errors.push(new Error(`Failed to migrate log ${log.id}: ${error}`));
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Migrate secrets
|
||||
*/
|
||||
async function migrateSecrets(context: MigrationContext, secrets: SQLiteSecret[]): Promise<void> {
|
||||
for (const secret of secrets) {
|
||||
try {
|
||||
await context.db.exec(`
|
||||
INSERT INTO secrets (
|
||||
key, value_encrypted, created_at, updated_at
|
||||
) VALUES (?, ?, ?, ?)
|
||||
`, [
|
||||
secret.key,
|
||||
secret.value_encrypted,
|
||||
secret.created_at,
|
||||
secret.updated_at
|
||||
]);
|
||||
|
||||
context.stats.secrets++;
|
||||
} catch (error) {
|
||||
context.errors.push(new Error(`Failed to migrate secret ${secret.key}: ${error}`));
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Verification and Rollback
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Verify migration success
|
||||
*/
|
||||
async function verifyMigration(
|
||||
context: MigrationContext,
|
||||
data: MigrationData
|
||||
): Promise<{ success: boolean; error?: string }> {
|
||||
try {
|
||||
// Verify counts
|
||||
const counts = await context.db.selectAll<{ table: string; count: number }>(`
|
||||
SELECT 'accounts' as table, COUNT(*) as count FROM accounts
|
||||
UNION ALL
|
||||
SELECT 'contacts', COUNT(*) FROM contacts
|
||||
UNION ALL
|
||||
SELECT 'contact_methods', COUNT(*) FROM contact_methods
|
||||
UNION ALL
|
||||
SELECT 'settings', COUNT(*) FROM settings
|
||||
UNION ALL
|
||||
SELECT 'logs', COUNT(*) FROM logs
|
||||
UNION ALL
|
||||
SELECT 'secrets', COUNT(*) FROM secrets
|
||||
`);
|
||||
|
||||
const countMap = new Map(counts.map(c => [c.table, c.count]));
|
||||
|
||||
if (countMap.get('accounts') !== data.accounts.length) {
|
||||
return { success: false, error: 'Account count mismatch' };
|
||||
}
|
||||
if (countMap.get('contacts') !== data.contacts.length) {
|
||||
return { success: false, error: 'Contact count mismatch' };
|
||||
}
|
||||
if (countMap.get('contact_methods') !== data.contactMethods.length) {
|
||||
return { success: false, error: 'Contact method count mismatch' };
|
||||
}
|
||||
if (countMap.get('settings') !== data.settings.length) {
|
||||
return { success: false, error: 'Settings count mismatch' };
|
||||
}
|
||||
if (countMap.get('logs') !== data.logs.length) {
|
||||
return { success: false, error: 'Log count mismatch' };
|
||||
}
|
||||
if (countMap.get('secrets') !== data.secrets.length) {
|
||||
return { success: false, error: 'Secret count mismatch' };
|
||||
}
|
||||
|
||||
return { success: true };
|
||||
} catch (error) {
|
||||
return {
|
||||
success: false,
|
||||
error: error instanceof Error ? error.message : 'Unknown verification error'
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Rollback migration
|
||||
*/
|
||||
async function rollbackMigration(backup: Uint8Array): Promise<void> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
try {
|
||||
// Close current connection
|
||||
await db.close();
|
||||
|
||||
// Restore from backup
|
||||
const sqlite3 = await import('@wa-sqlite/sql.js');
|
||||
await sqlite3.open(backup);
|
||||
|
||||
logger.info('[SQLite] Migration rollback successful');
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Migration rollback failed:', error);
|
||||
throw new Error('Failed to rollback migration');
|
||||
}
|
||||
}
|
||||
@@ -1,449 +0,0 @@
|
||||
/**
|
||||
* SQLite Database Operations
|
||||
*
|
||||
* This module provides utility functions for common database operations,
|
||||
* including CRUD operations, queries, and transactions.
|
||||
*/
|
||||
|
||||
import { Database } from '@wa-sqlite/sql.js';
|
||||
import { initDatabase } from './init';
|
||||
import {
|
||||
SQLiteAccount,
|
||||
SQLiteContact,
|
||||
SQLiteContactMethod,
|
||||
SQLiteSettings,
|
||||
SQLiteLog,
|
||||
SQLiteSecret,
|
||||
isSQLiteAccount,
|
||||
isSQLiteContact,
|
||||
isSQLiteSettings
|
||||
} from './types';
|
||||
import { logger } from '../../utils/logger';
|
||||
|
||||
// ============================================================================
|
||||
// Transaction Helpers
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Execute a function within a transaction
|
||||
*/
|
||||
export async function withTransaction<T>(
|
||||
operation: (db: Database) => Promise<T>
|
||||
): Promise<T> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
try {
|
||||
return await db.transaction(operation);
|
||||
} catch (error) {
|
||||
logger.error('[SQLite] Transaction failed:', error);
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Execute a function with retries
|
||||
*/
|
||||
export async function withRetry<T>(
|
||||
operation: () => Promise<T>,
|
||||
maxRetries = 3,
|
||||
delay = 1000
|
||||
): Promise<T> {
|
||||
let lastError: Error | undefined;
|
||||
|
||||
for (let i = 0; i < maxRetries; i++) {
|
||||
try {
|
||||
return await operation();
|
||||
} catch (error) {
|
||||
lastError = error instanceof Error ? error : new Error(String(error));
|
||||
|
||||
if (i < maxRetries - 1) {
|
||||
await new Promise(resolve => setTimeout(resolve, delay * (i + 1)));
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
throw lastError;
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Account Operations
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Get account by DID
|
||||
*/
|
||||
export async function getAccountByDid(did: string): Promise<SQLiteAccount | null> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
const accounts = await db.selectAll<SQLiteAccount>(
|
||||
'SELECT * FROM accounts WHERE did = ?',
|
||||
[did]
|
||||
);
|
||||
|
||||
return accounts[0] || null;
|
||||
}
|
||||
|
||||
/**
|
||||
* Get all accounts
|
||||
*/
|
||||
export async function getAllAccounts(): Promise<SQLiteAccount[]> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
return db.selectAll<SQLiteAccount>(
|
||||
'SELECT * FROM accounts ORDER BY created_at DESC'
|
||||
);
|
||||
}
|
||||
|
||||
/**
|
||||
* Create or update account
|
||||
*/
|
||||
export async function upsertAccount(account: SQLiteAccount): Promise<void> {
|
||||
if (!isSQLiteAccount(account)) {
|
||||
throw new Error('Invalid account data');
|
||||
}
|
||||
|
||||
await withTransaction(async (db) => {
|
||||
const existing = await db.selectOne<{ did: string }>(
|
||||
'SELECT did FROM accounts WHERE did = ?',
|
||||
[account.did]
|
||||
);
|
||||
|
||||
if (existing) {
|
||||
await db.exec(`
|
||||
UPDATE accounts SET
|
||||
public_key_hex = ?,
|
||||
updated_at = ?,
|
||||
identity_json = ?,
|
||||
mnemonic_encrypted = ?,
|
||||
passkey_cred_id_hex = ?,
|
||||
derivation_path = ?
|
||||
WHERE did = ?
|
||||
`, [
|
||||
account.public_key_hex,
|
||||
Date.now(),
|
||||
account.identity_json || null,
|
||||
account.mnemonic_encrypted || null,
|
||||
account.passkey_cred_id_hex || null,
|
||||
account.derivation_path || null,
|
||||
account.did
|
||||
]);
|
||||
} else {
|
||||
await db.exec(`
|
||||
INSERT INTO accounts (
|
||||
did, public_key_hex, created_at, updated_at,
|
||||
identity_json, mnemonic_encrypted, passkey_cred_id_hex, derivation_path
|
||||
) VALUES (?, ?, ?, ?, ?, ?, ?, ?)
|
||||
`, [
|
||||
account.did,
|
||||
account.public_key_hex,
|
||||
account.created_at,
|
||||
account.updated_at,
|
||||
account.identity_json || null,
|
||||
account.mnemonic_encrypted || null,
|
||||
account.passkey_cred_id_hex || null,
|
||||
account.derivation_path || null
|
||||
]);
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Contact Operations
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Get contact by ID
|
||||
*/
|
||||
export async function getContactById(id: string): Promise<SQLiteContact | null> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
const contacts = await db.selectAll<SQLiteContact>(
|
||||
'SELECT * FROM contacts WHERE id = ?',
|
||||
[id]
|
||||
);
|
||||
|
||||
return contacts[0] || null;
|
||||
}
|
||||
|
||||
/**
|
||||
* Get contacts by account DID
|
||||
*/
|
||||
export async function getContactsByAccountDid(did: string): Promise<SQLiteContact[]> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
return db.selectAll<SQLiteContact>(
|
||||
'SELECT * FROM contacts WHERE did = ? ORDER BY created_at DESC',
|
||||
[did]
|
||||
);
|
||||
}
|
||||
|
||||
/**
|
||||
* Get contact methods for a contact
|
||||
*/
|
||||
export async function getContactMethods(contactId: string): Promise<SQLiteContactMethod[]> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
return db.selectAll<SQLiteContactMethod>(
|
||||
'SELECT * FROM contact_methods WHERE contact_id = ? ORDER BY created_at DESC',
|
||||
[contactId]
|
||||
);
|
||||
}
|
||||
|
||||
/**
|
||||
* Create or update contact with methods
|
||||
*/
|
||||
export async function upsertContact(
|
||||
contact: SQLiteContact,
|
||||
methods: SQLiteContactMethod[] = []
|
||||
): Promise<void> {
|
||||
if (!isSQLiteContact(contact)) {
|
||||
throw new Error('Invalid contact data');
|
||||
}
|
||||
|
||||
await withTransaction(async (db) => {
|
||||
const existing = await db.selectOne<{ id: string }>(
|
||||
'SELECT id FROM contacts WHERE id = ?',
|
||||
[contact.id]
|
||||
);
|
||||
|
||||
if (existing) {
|
||||
await db.exec(`
|
||||
UPDATE contacts SET
|
||||
did = ?,
|
||||
name = ?,
|
||||
notes = ?,
|
||||
profile_image_url = ?,
|
||||
public_key_base64 = ?,
|
||||
next_pub_key_hash_b64 = ?,
|
||||
sees_me = ?,
|
||||
registered = ?,
|
||||
updated_at = ?
|
||||
WHERE id = ?
|
||||
`, [
|
||||
contact.did,
|
||||
contact.name || null,
|
||||
contact.notes || null,
|
||||
contact.profile_image_url || null,
|
||||
contact.public_key_base64 || null,
|
||||
contact.next_pub_key_hash_b64 || null,
|
||||
contact.sees_me ? 1 : 0,
|
||||
contact.registered ? 1 : 0,
|
||||
Date.now(),
|
||||
contact.id
|
||||
]);
|
||||
} else {
|
||||
await db.exec(`
|
||||
INSERT INTO contacts (
|
||||
id, did, name, notes, profile_image_url,
|
||||
public_key_base64, next_pub_key_hash_b64,
|
||||
sees_me, registered, created_at, updated_at
|
||||
) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)
|
||||
`, [
|
||||
contact.id,
|
||||
contact.did,
|
||||
contact.name || null,
|
||||
contact.notes || null,
|
||||
contact.profile_image_url || null,
|
||||
contact.public_key_base64 || null,
|
||||
contact.next_pub_key_hash_b64 || null,
|
||||
contact.sees_me ? 1 : 0,
|
||||
contact.registered ? 1 : 0,
|
||||
contact.created_at,
|
||||
contact.updated_at
|
||||
]);
|
||||
}
|
||||
|
||||
// Update contact methods
|
||||
if (methods.length > 0) {
|
||||
// Delete existing methods
|
||||
await db.exec(
|
||||
'DELETE FROM contact_methods WHERE contact_id = ?',
|
||||
[contact.id]
|
||||
);
|
||||
|
||||
// Insert new methods
|
||||
for (const method of methods) {
|
||||
await db.exec(`
|
||||
INSERT INTO contact_methods (
|
||||
id, contact_id, label, type, value,
|
||||
created_at, updated_at
|
||||
) VALUES (?, ?, ?, ?, ?, ?, ?)
|
||||
`, [
|
||||
method.id,
|
||||
contact.id,
|
||||
method.label,
|
||||
method.type,
|
||||
method.value,
|
||||
method.created_at,
|
||||
method.updated_at
|
||||
]);
|
||||
}
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Settings Operations
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Get setting by key
|
||||
*/
|
||||
export async function getSetting(key: string): Promise<SQLiteSettings | null> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
const settings = await db.selectAll<SQLiteSettings>(
|
||||
'SELECT * FROM settings WHERE key = ?',
|
||||
[key]
|
||||
);
|
||||
|
||||
return settings[0] || null;
|
||||
}
|
||||
|
||||
/**
|
||||
* Get settings by account DID
|
||||
*/
|
||||
export async function getSettingsByAccountDid(did: string): Promise<SQLiteSettings[]> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
return db.selectAll<SQLiteSettings>(
|
||||
'SELECT * FROM settings WHERE account_did = ? ORDER BY updated_at DESC',
|
||||
[did]
|
||||
);
|
||||
}
|
||||
|
||||
/**
|
||||
* Set setting value
|
||||
*/
|
||||
export async function setSetting(setting: SQLiteSettings): Promise<void> {
|
||||
if (!isSQLiteSettings(setting)) {
|
||||
throw new Error('Invalid settings data');
|
||||
}
|
||||
|
||||
await withTransaction(async (db) => {
|
||||
const existing = await db.selectOne<{ key: string }>(
|
||||
'SELECT key FROM settings WHERE key = ?',
|
||||
[setting.key]
|
||||
);
|
||||
|
||||
if (existing) {
|
||||
await db.exec(`
|
||||
UPDATE settings SET
|
||||
account_did = ?,
|
||||
value_json = ?,
|
||||
updated_at = ?
|
||||
WHERE key = ?
|
||||
`, [
|
||||
setting.account_did || null,
|
||||
setting.value_json,
|
||||
Date.now(),
|
||||
setting.key
|
||||
]);
|
||||
} else {
|
||||
await db.exec(`
|
||||
INSERT INTO settings (
|
||||
key, account_did, value_json, created_at, updated_at
|
||||
) VALUES (?, ?, ?, ?, ?)
|
||||
`, [
|
||||
setting.key,
|
||||
setting.account_did || null,
|
||||
setting.value_json,
|
||||
setting.created_at,
|
||||
setting.updated_at
|
||||
]);
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Log Operations
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Add log entry
|
||||
*/
|
||||
export async function addLog(log: SQLiteLog): Promise<void> {
|
||||
await withTransaction(async (db) => {
|
||||
await db.exec(`
|
||||
INSERT INTO logs (
|
||||
id, level, message, metadata_json, created_at
|
||||
) VALUES (?, ?, ?, ?, ?)
|
||||
`, [
|
||||
log.id,
|
||||
log.level,
|
||||
log.message,
|
||||
log.metadata_json || null,
|
||||
log.created_at
|
||||
]);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* Get logs by level
|
||||
*/
|
||||
export async function getLogsByLevel(
|
||||
level: string,
|
||||
limit = 100,
|
||||
offset = 0
|
||||
): Promise<SQLiteLog[]> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
return db.selectAll<SQLiteLog>(
|
||||
'SELECT * FROM logs WHERE level = ? ORDER BY created_at DESC LIMIT ? OFFSET ?',
|
||||
[level, limit, offset]
|
||||
);
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Secret Operations
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Get secret by key
|
||||
*/
|
||||
export async function getSecret(key: string): Promise<SQLiteSecret | null> {
|
||||
const { db } = await initDatabase();
|
||||
|
||||
const secrets = await db.selectAll<SQLiteSecret>(
|
||||
'SELECT * FROM secrets WHERE key = ?',
|
||||
[key]
|
||||
);
|
||||
|
||||
return secrets[0] || null;
|
||||
}
|
||||
|
||||
/**
|
||||
* Set secret value
|
||||
*/
|
||||
export async function setSecret(secret: SQLiteSecret): Promise<void> {
|
||||
await withTransaction(async (db) => {
|
||||
const existing = await db.selectOne<{ key: string }>(
|
||||
'SELECT key FROM secrets WHERE key = ?',
|
||||
[secret.key]
|
||||
);
|
||||
|
||||
if (existing) {
|
||||
await db.exec(`
|
||||
UPDATE secrets SET
|
||||
value_encrypted = ?,
|
||||
updated_at = ?
|
||||
WHERE key = ?
|
||||
`, [
|
||||
secret.value_encrypted,
|
||||
Date.now(),
|
||||
secret.key
|
||||
]);
|
||||
} else {
|
||||
await db.exec(`
|
||||
INSERT INTO secrets (
|
||||
key, value_encrypted, created_at, updated_at
|
||||
) VALUES (?, ?, ?, ?)
|
||||
`, [
|
||||
secret.key,
|
||||
secret.value_encrypted,
|
||||
secret.created_at,
|
||||
secret.updated_at
|
||||
]);
|
||||
}
|
||||
});
|
||||
}
|
||||
@@ -1,349 +0,0 @@
|
||||
/**
|
||||
* SQLite Type Definitions
|
||||
*
|
||||
* This file defines the type system for the SQLite implementation,
|
||||
* mapping from the existing Dexie types to SQLite-compatible types.
|
||||
* It includes both the database schema types and the runtime types.
|
||||
*/
|
||||
|
||||
import { SQLiteCompatibleType } from '@jlongster/sql.js';
|
||||
|
||||
// ============================================================================
|
||||
// Base Types and Utilities
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* SQLite column type mapping
|
||||
*/
|
||||
export type SQLiteColumnType =
|
||||
| 'INTEGER' // For numbers, booleans, dates
|
||||
| 'TEXT' // For strings, JSON
|
||||
| 'BLOB' // For binary data
|
||||
| 'REAL' // For floating point numbers
|
||||
| 'NULL'; // For null values
|
||||
|
||||
/**
|
||||
* SQLite column definition
|
||||
*/
|
||||
export interface SQLiteColumn {
|
||||
name: string;
|
||||
type: SQLiteColumnType;
|
||||
nullable?: boolean;
|
||||
primaryKey?: boolean;
|
||||
unique?: boolean;
|
||||
references?: {
|
||||
table: string;
|
||||
column: string;
|
||||
};
|
||||
default?: SQLiteCompatibleType;
|
||||
}
|
||||
|
||||
/**
|
||||
* SQLite table definition
|
||||
*/
|
||||
export interface SQLiteTable {
|
||||
name: string;
|
||||
columns: SQLiteColumn[];
|
||||
indexes?: Array<{
|
||||
name: string;
|
||||
columns: string[];
|
||||
unique?: boolean;
|
||||
}>;
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Account Types
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* SQLite-compatible Account type
|
||||
* Maps from the Dexie Account type
|
||||
*/
|
||||
export interface SQLiteAccount {
|
||||
did: string; // TEXT PRIMARY KEY
|
||||
public_key_hex: string; // TEXT NOT NULL
|
||||
created_at: number; // INTEGER NOT NULL
|
||||
updated_at: number; // INTEGER NOT NULL
|
||||
identity_json?: string; // TEXT (encrypted JSON)
|
||||
mnemonic_encrypted?: string; // TEXT (encrypted)
|
||||
passkey_cred_id_hex?: string; // TEXT
|
||||
derivation_path?: string; // TEXT
|
||||
}
|
||||
|
||||
export const ACCOUNTS_TABLE: SQLiteTable = {
|
||||
name: 'accounts',
|
||||
columns: [
|
||||
{ name: 'did', type: 'TEXT', primaryKey: true },
|
||||
{ name: 'public_key_hex', type: 'TEXT', nullable: false },
|
||||
{ name: 'created_at', type: 'INTEGER', nullable: false },
|
||||
{ name: 'updated_at', type: 'INTEGER', nullable: false },
|
||||
{ name: 'identity_json', type: 'TEXT' },
|
||||
{ name: 'mnemonic_encrypted', type: 'TEXT' },
|
||||
{ name: 'passkey_cred_id_hex', type: 'TEXT' },
|
||||
{ name: 'derivation_path', type: 'TEXT' }
|
||||
],
|
||||
indexes: [
|
||||
{ name: 'idx_accounts_created_at', columns: ['created_at'] },
|
||||
{ name: 'idx_accounts_updated_at', columns: ['updated_at'] }
|
||||
]
|
||||
};
|
||||
|
||||
// ============================================================================
|
||||
// Contact Types
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* SQLite-compatible ContactMethod type
|
||||
*/
|
||||
export interface SQLiteContactMethod {
|
||||
id: string; // TEXT PRIMARY KEY
|
||||
contact_id: string; // TEXT NOT NULL
|
||||
label: string; // TEXT NOT NULL
|
||||
type: string; // TEXT NOT NULL
|
||||
value: string; // TEXT NOT NULL
|
||||
created_at: number; // INTEGER NOT NULL
|
||||
updated_at: number; // INTEGER NOT NULL
|
||||
}
|
||||
|
||||
/**
|
||||
* SQLite-compatible Contact type
|
||||
*/
|
||||
export interface SQLiteContact {
|
||||
id: string; // TEXT PRIMARY KEY
|
||||
did: string; // TEXT NOT NULL
|
||||
name?: string; // TEXT
|
||||
notes?: string; // TEXT
|
||||
profile_image_url?: string; // TEXT
|
||||
public_key_base64?: string; // TEXT
|
||||
next_pub_key_hash_b64?: string; // TEXT
|
||||
sees_me?: boolean; // INTEGER (0 or 1)
|
||||
registered?: boolean; // INTEGER (0 or 1)
|
||||
created_at: number; // INTEGER NOT NULL
|
||||
updated_at: number; // INTEGER NOT NULL
|
||||
}
|
||||
|
||||
export const CONTACTS_TABLE: SQLiteTable = {
|
||||
name: 'contacts',
|
||||
columns: [
|
||||
{ name: 'id', type: 'TEXT', primaryKey: true },
|
||||
{ name: 'did', type: 'TEXT', nullable: false },
|
||||
{ name: 'name', type: 'TEXT' },
|
||||
{ name: 'notes', type: 'TEXT' },
|
||||
{ name: 'profile_image_url', type: 'TEXT' },
|
||||
{ name: 'public_key_base64', type: 'TEXT' },
|
||||
{ name: 'next_pub_key_hash_b64', type: 'TEXT' },
|
||||
{ name: 'sees_me', type: 'INTEGER' },
|
||||
{ name: 'registered', type: 'INTEGER' },
|
||||
{ name: 'created_at', type: 'INTEGER', nullable: false },
|
||||
{ name: 'updated_at', type: 'INTEGER', nullable: false }
|
||||
],
|
||||
indexes: [
|
||||
{ name: 'idx_contacts_did', columns: ['did'] },
|
||||
{ name: 'idx_contacts_created_at', columns: ['created_at'] }
|
||||
]
|
||||
};
|
||||
|
||||
export const CONTACT_METHODS_TABLE: SQLiteTable = {
|
||||
name: 'contact_methods',
|
||||
columns: [
|
||||
{ name: 'id', type: 'TEXT', primaryKey: true },
|
||||
{ name: 'contact_id', type: 'TEXT', nullable: false,
|
||||
references: { table: 'contacts', column: 'id' } },
|
||||
{ name: 'label', type: 'TEXT', nullable: false },
|
||||
{ name: 'type', type: 'TEXT', nullable: false },
|
||||
{ name: 'value', type: 'TEXT', nullable: false },
|
||||
{ name: 'created_at', type: 'INTEGER', nullable: false },
|
||||
{ name: 'updated_at', type: 'INTEGER', nullable: false }
|
||||
],
|
||||
indexes: [
|
||||
{ name: 'idx_contact_methods_contact_id', columns: ['contact_id'] }
|
||||
]
|
||||
};
|
||||
|
||||
// ============================================================================
|
||||
// Settings Types
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* SQLite-compatible Settings type
|
||||
*/
|
||||
export interface SQLiteSettings {
|
||||
key: string; // TEXT PRIMARY KEY
|
||||
account_did?: string; // TEXT
|
||||
value_json: string; // TEXT NOT NULL (JSON stringified)
|
||||
created_at: number; // INTEGER NOT NULL
|
||||
updated_at: number; // INTEGER NOT NULL
|
||||
}
|
||||
|
||||
export const SETTINGS_TABLE: SQLiteTable = {
|
||||
name: 'settings',
|
||||
columns: [
|
||||
{ name: 'key', type: 'TEXT', primaryKey: true },
|
||||
{ name: 'account_did', type: 'TEXT' },
|
||||
{ name: 'value_json', type: 'TEXT', nullable: false },
|
||||
{ name: 'created_at', type: 'INTEGER', nullable: false },
|
||||
{ name: 'updated_at', type: 'INTEGER', nullable: false }
|
||||
],
|
||||
indexes: [
|
||||
{ name: 'idx_settings_account_did', columns: ['account_did'] },
|
||||
{ name: 'idx_settings_updated_at', columns: ['updated_at'] }
|
||||
]
|
||||
};
|
||||
|
||||
// ============================================================================
|
||||
// Log Types
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* SQLite-compatible Log type
|
||||
*/
|
||||
export interface SQLiteLog {
|
||||
id: string; // TEXT PRIMARY KEY
|
||||
level: string; // TEXT NOT NULL
|
||||
message: string; // TEXT NOT NULL
|
||||
metadata_json?: string; // TEXT (JSON stringified)
|
||||
created_at: number; // INTEGER NOT NULL
|
||||
}
|
||||
|
||||
export const LOGS_TABLE: SQLiteTable = {
|
||||
name: 'logs',
|
||||
columns: [
|
||||
{ name: 'id', type: 'TEXT', primaryKey: true },
|
||||
{ name: 'level', type: 'TEXT', nullable: false },
|
||||
{ name: 'message', type: 'TEXT', nullable: false },
|
||||
{ name: 'metadata_json', type: 'TEXT' },
|
||||
{ name: 'created_at', type: 'INTEGER', nullable: false }
|
||||
],
|
||||
indexes: [
|
||||
{ name: 'idx_logs_level', columns: ['level'] },
|
||||
{ name: 'idx_logs_created_at', columns: ['created_at'] }
|
||||
]
|
||||
};
|
||||
|
||||
// ============================================================================
|
||||
// Secret Types
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* SQLite-compatible Secret type
|
||||
* Note: This table should be encrypted at the database level
|
||||
*/
|
||||
export interface SQLiteSecret {
|
||||
key: string; // TEXT PRIMARY KEY
|
||||
value_encrypted: string; // TEXT NOT NULL (encrypted)
|
||||
created_at: number; // INTEGER NOT NULL
|
||||
updated_at: number; // INTEGER NOT NULL
|
||||
}
|
||||
|
||||
export const SECRETS_TABLE: SQLiteTable = {
|
||||
name: 'secrets',
|
||||
columns: [
|
||||
{ name: 'key', type: 'TEXT', primaryKey: true },
|
||||
{ name: 'value_encrypted', type: 'TEXT', nullable: false },
|
||||
{ name: 'created_at', type: 'INTEGER', nullable: false },
|
||||
{ name: 'updated_at', type: 'INTEGER', nullable: false }
|
||||
],
|
||||
indexes: [
|
||||
{ name: 'idx_secrets_updated_at', columns: ['updated_at'] }
|
||||
]
|
||||
};
|
||||
|
||||
// ============================================================================
|
||||
// Database Schema
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Complete database schema definition
|
||||
*/
|
||||
export const DATABASE_SCHEMA: SQLiteTable[] = [
|
||||
ACCOUNTS_TABLE,
|
||||
CONTACTS_TABLE,
|
||||
CONTACT_METHODS_TABLE,
|
||||
SETTINGS_TABLE,
|
||||
LOGS_TABLE,
|
||||
SECRETS_TABLE
|
||||
];
|
||||
|
||||
// ============================================================================
|
||||
// Type Guards and Validators
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Type guard for SQLiteAccount
|
||||
*/
|
||||
export function isSQLiteAccount(value: unknown): value is SQLiteAccount {
|
||||
return (
|
||||
typeof value === 'object' &&
|
||||
value !== null &&
|
||||
typeof (value as SQLiteAccount).did === 'string' &&
|
||||
typeof (value as SQLiteAccount).public_key_hex === 'string' &&
|
||||
typeof (value as SQLiteAccount).created_at === 'number' &&
|
||||
typeof (value as SQLiteAccount).updated_at === 'number'
|
||||
);
|
||||
}
|
||||
|
||||
/**
|
||||
* Type guard for SQLiteContact
|
||||
*/
|
||||
export function isSQLiteContact(value: unknown): value is SQLiteContact {
|
||||
return (
|
||||
typeof value === 'object' &&
|
||||
value !== null &&
|
||||
typeof (value as SQLiteContact).id === 'string' &&
|
||||
typeof (value as SQLiteContact).did === 'string' &&
|
||||
typeof (value as SQLiteContact).created_at === 'number' &&
|
||||
typeof (value as SQLiteContact).updated_at === 'number'
|
||||
);
|
||||
}
|
||||
|
||||
/**
|
||||
* Type guard for SQLiteSettings
|
||||
*/
|
||||
export function isSQLiteSettings(value: unknown): value is SQLiteSettings {
|
||||
return (
|
||||
typeof value === 'object' &&
|
||||
value !== null &&
|
||||
typeof (value as SQLiteSettings).key === 'string' &&
|
||||
typeof (value as SQLiteSettings).value_json === 'string' &&
|
||||
typeof (value as SQLiteSettings).created_at === 'number' &&
|
||||
typeof (value as SQLiteSettings).updated_at === 'number'
|
||||
);
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Migration Types
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Type for migration data from Dexie to SQLite
|
||||
*/
|
||||
export interface MigrationData {
|
||||
accounts: SQLiteAccount[];
|
||||
contacts: SQLiteContact[];
|
||||
contactMethods: SQLiteContactMethod[];
|
||||
settings: SQLiteSettings[];
|
||||
logs: SQLiteLog[];
|
||||
secrets: SQLiteSecret[];
|
||||
metadata: {
|
||||
version: string;
|
||||
timestamp: number;
|
||||
source: 'dexie';
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* Migration result type
|
||||
*/
|
||||
export interface MigrationResult {
|
||||
success: boolean;
|
||||
error?: Error;
|
||||
stats: {
|
||||
accounts: number;
|
||||
contacts: number;
|
||||
contactMethods: number;
|
||||
settings: number;
|
||||
logs: number;
|
||||
secrets: number;
|
||||
};
|
||||
duration: number;
|
||||
}
|
||||
17
src/interfaces/database.ts
Normal file
17
src/interfaces/database.ts
Normal file
@@ -0,0 +1,17 @@
|
||||
export type SqlValue = string | number | null | Uint8Array;
|
||||
|
||||
export interface QueryExecResult {
|
||||
columns: Array<string>;
|
||||
values: Array<Array<SqlValue>>;
|
||||
}
|
||||
|
||||
export interface DatabaseService {
|
||||
initialize(): Promise<void>;
|
||||
query(sql: string, params?: unknown[]): Promise<QueryExecResult[]>;
|
||||
run(
|
||||
sql: string,
|
||||
params?: unknown[],
|
||||
): Promise<{ changes: number; lastId?: number }>;
|
||||
getOneRow(sql: string, params?: unknown[]): Promise<unknown[] | undefined>;
|
||||
getAll(sql: string, params?: unknown[]): Promise<unknown[][]>;
|
||||
}
|
||||
119
src/libs/util.ts
119
src/libs/util.ts
@@ -6,28 +6,24 @@ import * as R from "ramda";
|
||||
import { useClipboard } from "@vueuse/core";
|
||||
|
||||
import { DEFAULT_PUSH_SERVER, NotificationIface } from "../constants/app";
|
||||
import {
|
||||
accountsDBPromise,
|
||||
retrieveSettingsForActiveAccount,
|
||||
updateAccountSettings,
|
||||
updateDefaultSettings,
|
||||
} from "../db/index";
|
||||
import { retrieveSettingsForActiveAccount } from "../db/index";
|
||||
import { Account } from "../db/tables/accounts";
|
||||
import { Contact } from "../db/tables/contacts";
|
||||
import { DEFAULT_PASSKEY_EXPIRATION_MINUTES } from "../db/tables/settings";
|
||||
import { deriveAddress, generateSeed, newIdentifier } from "../libs/crypto";
|
||||
import * as serverUtil from "../libs/endorserServer";
|
||||
import {
|
||||
containsHiddenDid,
|
||||
GenericCredWrapper,
|
||||
GenericVerifiableCredential,
|
||||
GiveSummaryRecord,
|
||||
OfferVerifiableCredential,
|
||||
} from "../libs/endorserServer";
|
||||
} from "../interfaces";
|
||||
import { containsHiddenDid } from "../libs/endorserServer";
|
||||
import { KeyMeta } from "../libs/crypto/vc";
|
||||
import { createPeerDid } from "../libs/crypto/vc/didPeer";
|
||||
import { registerCredential } from "../libs/crypto/vc/passkeyDidPeer";
|
||||
import { logger } from "../utils/logger";
|
||||
import type { PlatformService } from "../services/PlatformService";
|
||||
|
||||
export interface GiverReceiverInputInfo {
|
||||
did?: string;
|
||||
@@ -459,45 +455,38 @@ export function findAllVisibleToDids(
|
||||
|
||||
export interface AccountKeyInfo extends Account, KeyMeta {}
|
||||
|
||||
export const retrieveAccountCount = async (): Promise<number> => {
|
||||
// one of the few times we use accountsDBPromise directly; try to avoid more usage
|
||||
const accountsDB = await accountsDBPromise;
|
||||
return await accountsDB.accounts.count();
|
||||
export const retrieveAccountCount = async (
|
||||
platform: PlatformService,
|
||||
): Promise<number> => {
|
||||
const accounts = await platform.getAccounts();
|
||||
return accounts.length;
|
||||
};
|
||||
|
||||
export const retrieveAccountDids = async (): Promise<string[]> => {
|
||||
// one of the few times we use accountsDBPromise directly; try to avoid more usage
|
||||
const accountsDB = await accountsDBPromise;
|
||||
const allAccounts = await accountsDB.accounts.toArray();
|
||||
const allDids = allAccounts.map((acc) => acc.did);
|
||||
return allDids;
|
||||
export const retrieveAccountDids = async (
|
||||
platform: PlatformService,
|
||||
): Promise<string[]> => {
|
||||
const accounts = await platform.getAccounts();
|
||||
return accounts.map((acc: Account) => acc.did);
|
||||
};
|
||||
|
||||
// This is provided and recommended when the full key is not necessary so that
|
||||
// future work could separate this info from the sensitive key material.
|
||||
export const retrieveAccountMetadata = async (
|
||||
platform: PlatformService,
|
||||
activeDid: string,
|
||||
): Promise<AccountKeyInfo | undefined> => {
|
||||
// one of the few times we use accountsDBPromise directly; try to avoid more usage
|
||||
const accountsDB = await accountsDBPromise;
|
||||
const account = (await accountsDB.accounts
|
||||
.where("did")
|
||||
.equals(activeDid)
|
||||
.first()) as Account;
|
||||
const account = await platform.getAccount(activeDid);
|
||||
if (account) {
|
||||
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
||||
const { identity, mnemonic, ...metadata } = account;
|
||||
return metadata;
|
||||
} else {
|
||||
return undefined;
|
||||
}
|
||||
return undefined;
|
||||
};
|
||||
|
||||
export const retrieveAllAccountsMetadata = async (): Promise<Account[]> => {
|
||||
// one of the few times we use accountsDBPromise directly; try to avoid more usage
|
||||
const accountsDB = await accountsDBPromise;
|
||||
const array = await accountsDB.accounts.toArray();
|
||||
return array.map((account) => {
|
||||
export const retrieveAllAccountsMetadata = async (
|
||||
platform: PlatformService,
|
||||
): Promise<Account[]> => {
|
||||
const accounts = await platform.getAccounts();
|
||||
return accounts.map((account: Account) => {
|
||||
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
||||
const { identity, mnemonic, ...metadata } = account;
|
||||
return metadata;
|
||||
@@ -505,43 +494,30 @@ export const retrieveAllAccountsMetadata = async (): Promise<Account[]> => {
|
||||
};
|
||||
|
||||
export const retrieveFullyDecryptedAccount = async (
|
||||
platform: PlatformService,
|
||||
activeDid: string,
|
||||
): Promise<AccountKeyInfo | undefined> => {
|
||||
// one of the few times we use accountsDBPromise directly; try to avoid more usage
|
||||
const accountsDB = await accountsDBPromise;
|
||||
const account = (await accountsDB.accounts
|
||||
.where("did")
|
||||
.equals(activeDid)
|
||||
.first()) as Account;
|
||||
return account;
|
||||
return await platform.getAccount(activeDid);
|
||||
};
|
||||
|
||||
// let's try and eliminate this
|
||||
export const retrieveAllFullyDecryptedAccounts = async (): Promise<
|
||||
Array<AccountKeyInfo>
|
||||
> => {
|
||||
const accountsDB = await accountsDBPromise;
|
||||
const allAccounts = await accountsDB.accounts.toArray();
|
||||
return allAccounts;
|
||||
export const retrieveAllFullyDecryptedAccounts = async (
|
||||
platform: PlatformService,
|
||||
): Promise<Array<AccountKeyInfo>> => {
|
||||
return await platform.getAccounts();
|
||||
};
|
||||
|
||||
/**
|
||||
* Generates a new identity, saves it to the database, and sets it as the active identity.
|
||||
* @return {Promise<string>} with the DID of the new identity
|
||||
*/
|
||||
export const generateSaveAndActivateIdentity = async (): Promise<string> => {
|
||||
export const generateSaveAndActivateIdentity = async (
|
||||
platform: PlatformService,
|
||||
): Promise<string> => {
|
||||
const mnemonic = generateSeed();
|
||||
// address is 0x... ETH address, without "did:eth:"
|
||||
const [address, privateHex, publicHex, derivationPath] =
|
||||
deriveAddress(mnemonic);
|
||||
|
||||
const newId = newIdentifier(address, publicHex, privateHex, derivationPath);
|
||||
const identity = JSON.stringify(newId);
|
||||
|
||||
// one of the few times we use accountsDBPromise directly; try to avoid more usage
|
||||
try {
|
||||
const accountsDB = await accountsDBPromise;
|
||||
await accountsDB.accounts.add({
|
||||
await platform.addAccount({
|
||||
dateCreated: new Date().toISOString(),
|
||||
derivationPath: derivationPath,
|
||||
did: newId.did,
|
||||
@@ -549,17 +525,20 @@ export const generateSaveAndActivateIdentity = async (): Promise<string> => {
|
||||
mnemonic: mnemonic,
|
||||
publicKeyHex: newId.keys[0].publicKeyHex,
|
||||
});
|
||||
|
||||
await updateDefaultSettings({ activeDid: newId.did });
|
||||
|
||||
await platform.updateMasterSettings({ activeDid: newId.did });
|
||||
await platform.updateAccountSettings(newId.did, { isRegistered: false });
|
||||
} catch (error) {
|
||||
console.error("Failed to update default settings:", error);
|
||||
throw new Error("Failed to set default settings. Please try again or restart the app.");
|
||||
logger.error("Failed to save new identity:", error);
|
||||
throw new Error(
|
||||
"Failed to save new identity. Please try again or restart the app.",
|
||||
);
|
||||
}
|
||||
await updateAccountSettings(newId.did, { isRegistered: false });
|
||||
return newId.did;
|
||||
};
|
||||
|
||||
export const registerAndSavePasskey = async (
|
||||
platform: PlatformService,
|
||||
keyName: string,
|
||||
): Promise<Account> => {
|
||||
const cred = await registerCredential(keyName);
|
||||
@@ -573,23 +552,25 @@ export const registerAndSavePasskey = async (
|
||||
passkeyCredIdHex,
|
||||
publicKeyHex: Buffer.from(publicKeyBytes).toString("hex"),
|
||||
};
|
||||
// one of the few times we use accountsDBPromise directly; try to avoid more usage
|
||||
const accountsDB = await accountsDBPromise;
|
||||
await accountsDB.accounts.add(account);
|
||||
|
||||
await platform.addAccount(account);
|
||||
return account;
|
||||
};
|
||||
|
||||
export const registerSaveAndActivatePasskey = async (
|
||||
platform: PlatformService,
|
||||
keyName: string,
|
||||
): Promise<Account> => {
|
||||
const account = await registerAndSavePasskey(keyName);
|
||||
await updateDefaultSettings({ activeDid: account.did });
|
||||
await updateAccountSettings(account.did, { isRegistered: false });
|
||||
const account = await registerAndSavePasskey(platform, keyName);
|
||||
await platform.updateMasterSettings({ activeDid: account.did });
|
||||
await platform.updateAccountSettings(account.did, { isRegistered: false });
|
||||
return account;
|
||||
};
|
||||
|
||||
export const getPasskeyExpirationSeconds = async (): Promise<number> => {
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
export const getPasskeyExpirationSeconds = async (
|
||||
platform: PlatformService,
|
||||
): Promise<number> => {
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
return (
|
||||
(settings?.passkeyExpirationMinutes ?? DEFAULT_PASSKEY_EXPIRATION_MINUTES) *
|
||||
60
|
||||
|
||||
@@ -86,5 +86,19 @@ const handleDeepLink = async (data: { url: string }) => {
|
||||
App.addListener("appUrlOpen", handleDeepLink);
|
||||
|
||||
logger.log("[Capacitor] Mounting app");
|
||||
app.mount("#app");
|
||||
|
||||
// Initialize and mount the app
|
||||
initializeApp().then((app) => {
|
||||
app.mount("#app");
|
||||
}).catch((error) => {
|
||||
console.error("Failed to initialize app:", error);
|
||||
document.body.innerHTML = `
|
||||
<div style="color: red; padding: 20px; font-family: sans-serif;">
|
||||
<h1>Failed to initialize app</h1>
|
||||
<p>${error instanceof Error ? error.message : "Unknown error"}</p>
|
||||
<p>Please try restarting the app or contact support if the problem persists.</p>
|
||||
</div>
|
||||
`;
|
||||
});
|
||||
|
||||
logger.log("[Capacitor] App mounted");
|
||||
|
||||
@@ -9,6 +9,7 @@ import "./assets/styles/tailwind.css";
|
||||
import { FontAwesomeIcon } from "./libs/fontawesome";
|
||||
import Camera from "simple-vue-camera";
|
||||
import { logger } from "./utils/logger";
|
||||
import { PlatformServiceFactory } from "./services/PlatformServiceFactory";
|
||||
|
||||
// Global Error Handler
|
||||
function setupGlobalErrorHandler(app: VueApp) {
|
||||
@@ -31,7 +32,7 @@ function setupGlobalErrorHandler(app: VueApp) {
|
||||
}
|
||||
|
||||
// Function to initialize the app
|
||||
export function initializeApp() {
|
||||
export async function initializeApp() {
|
||||
logger.log("[App Init] Starting app initialization");
|
||||
logger.log("[App Init] Platform:", process.env.VITE_PLATFORM);
|
||||
|
||||
@@ -54,6 +55,22 @@ export function initializeApp() {
|
||||
app.use(Notifications);
|
||||
logger.log("[App Init] Notifications initialized");
|
||||
|
||||
// Initialize platform service
|
||||
const platform = await PlatformServiceFactory.getInstance();
|
||||
app.config.globalProperties.$platform = platform;
|
||||
logger.log("[App Init] Platform service initialized");
|
||||
|
||||
// Initialize SQLite
|
||||
try {
|
||||
const sqlite = await platform.getSQLite();
|
||||
const config = { name: "TimeSafariDB", useWAL: true };
|
||||
await sqlite.initialize(config);
|
||||
logger.log("[App Init] SQLite database initialized");
|
||||
} catch (error) {
|
||||
logger.error("[App Init] Failed to initialize SQLite:", error);
|
||||
// Don't throw here - we want the app to start even if SQLite fails
|
||||
}
|
||||
|
||||
setupGlobalErrorHandler(app);
|
||||
logger.log("[App Init] App initialization complete");
|
||||
|
||||
|
||||
@@ -1,4 +1,15 @@
|
||||
import { initializeApp } from "./main.common";
|
||||
|
||||
const app = initializeApp();
|
||||
app.mount("#app");
|
||||
// Initialize and mount the app
|
||||
initializeApp().then((app) => {
|
||||
app.mount("#app");
|
||||
}).catch((error) => {
|
||||
console.error("Failed to initialize app:", error);
|
||||
document.body.innerHTML = `
|
||||
<div style="color: red; padding: 20px; font-family: sans-serif;">
|
||||
<h1>Failed to initialize app</h1>
|
||||
<p>${error instanceof Error ? error.message : "Unknown error"}</p>
|
||||
<p>Please try restarting the app or contact support if the problem persists.</p>
|
||||
</div>
|
||||
`;
|
||||
});
|
||||
|
||||
@@ -1,4 +1,15 @@
|
||||
import { initializeApp } from "./main.common";
|
||||
|
||||
const app = initializeApp();
|
||||
app.mount("#app");
|
||||
// Initialize and mount the app
|
||||
initializeApp().then((app) => {
|
||||
app.mount("#app");
|
||||
}).catch((error) => {
|
||||
console.error("Failed to initialize app:", error);
|
||||
document.body.innerHTML = `
|
||||
<div style="color: red; padding: 20px; font-family: sans-serif;">
|
||||
<h1>Failed to initialize app</h1>
|
||||
<p>${error instanceof Error ? error.message : "Unknown error"}</p>
|
||||
<p>Please try restarting the app or contact support if the problem persists.</p>
|
||||
</div>
|
||||
`;
|
||||
});
|
||||
|
||||
@@ -1,5 +1,34 @@
|
||||
import { initBackend } from "absurd-sql/dist/indexeddb-main-thread";
|
||||
import { initializeApp } from "./main.common";
|
||||
import "./registerServiceWorker"; // Web PWA support
|
||||
|
||||
const app = initializeApp();
|
||||
app.mount("#app");
|
||||
|
||||
function sqlInit() {
|
||||
// see https://github.com/jlongster/absurd-sql
|
||||
const worker = new Worker(
|
||||
new URL("./registerSQLWorker.js", import.meta.url),
|
||||
{
|
||||
type: "module",
|
||||
},
|
||||
);
|
||||
// This is only required because Safari doesn't support nested
|
||||
// workers. This installs a handler that will proxy creating web
|
||||
// workers through the main thread
|
||||
initBackend(worker);
|
||||
}
|
||||
sqlInit();
|
||||
|
||||
// Initialize and mount the app
|
||||
initializeApp().then((app) => {
|
||||
app.mount("#app");
|
||||
}).catch((error) => {
|
||||
console.error("Failed to initialize app:", error);
|
||||
document.body.innerHTML = `
|
||||
<div style="color: red; padding: 20px; font-family: sans-serif;">
|
||||
<h1>Failed to initialize app</h1>
|
||||
<p>${error instanceof Error ? error.message : "Unknown error"}</p>
|
||||
<p>Please try refreshing the page or contact support if the problem persists.</p>
|
||||
</div>
|
||||
`;
|
||||
});
|
||||
|
||||
6
src/registerSQLWorker.js
Normal file
6
src/registerSQLWorker.js
Normal file
@@ -0,0 +1,6 @@
|
||||
import databaseService from "./services/database";
|
||||
|
||||
async function run() {
|
||||
await databaseService.initialize();
|
||||
}
|
||||
run();
|
||||
370
src/services/ElectronPlatformService.ts
Normal file
370
src/services/ElectronPlatformService.ts
Normal file
@@ -0,0 +1,370 @@
|
||||
import {
|
||||
PlatformService,
|
||||
PlatformCapabilities,
|
||||
SQLiteOperations,
|
||||
SQLiteConfig,
|
||||
PreparedStatement,
|
||||
SQLiteResult,
|
||||
ImageResult,
|
||||
} from "./PlatformService";
|
||||
import { BaseSQLiteService } from "./sqlite/BaseSQLiteService";
|
||||
import { app } from "electron";
|
||||
import { dialog } from "electron";
|
||||
import fs from "fs";
|
||||
import path from "path";
|
||||
import sqlite3 from "sqlite3";
|
||||
import { open, Database } from "sqlite";
|
||||
import { logger } from "../utils/logger";
|
||||
import { Settings } from "../db/tables/settings";
|
||||
import { Account } from "../db/tables/accounts";
|
||||
import { Contact } from "../db/tables/contacts";
|
||||
import { db } from "../db";
|
||||
import { MASTER_SETTINGS_KEY } from "../db/tables/settings";
|
||||
import { accountsDBPromise } from "../db";
|
||||
import { accessToken } from "../libs/crypto";
|
||||
import { getPlanFromCache as getPlanFromCacheImpl } from "../libs/endorserServer";
|
||||
import { PlanSummaryRecord } from "../interfaces/records";
|
||||
import { Axios } from "axios";
|
||||
|
||||
interface SQLiteDatabase extends Database {
|
||||
changes: number;
|
||||
}
|
||||
|
||||
// Create Promise-based versions of fs functions
|
||||
const readFileAsync = (filePath: string, encoding: BufferEncoding): Promise<string> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.readFile(filePath, { encoding }, (err: NodeJS.ErrnoException | null, data: string) => {
|
||||
if (err) reject(err);
|
||||
else resolve(data);
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const readFileBufferAsync = (filePath: string): Promise<Buffer> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.readFile(filePath, (err: NodeJS.ErrnoException | null, data: Buffer) => {
|
||||
if (err) reject(err);
|
||||
else resolve(data);
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const writeFileAsync = (filePath: string, data: string, encoding: BufferEncoding): Promise<void> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.writeFile(filePath, data, { encoding }, (err: NodeJS.ErrnoException | null) => {
|
||||
if (err) reject(err);
|
||||
else resolve();
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const unlinkAsync = (filePath: string): Promise<void> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.unlink(filePath, (err: NodeJS.ErrnoException | null) => {
|
||||
if (err) reject(err);
|
||||
else resolve();
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const readdirAsync = (dirPath: string): Promise<string[]> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.readdir(dirPath, (err: NodeJS.ErrnoException | null, files: string[]) => {
|
||||
if (err) reject(err);
|
||||
else resolve(files);
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const statAsync = (filePath: string): Promise<fs.Stats> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.stat(filePath, (err: NodeJS.ErrnoException | null, stats: fs.Stats) => {
|
||||
if (err) reject(err);
|
||||
else resolve(stats);
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
/**
|
||||
* SQLite implementation for Electron using native sqlite3
|
||||
*/
|
||||
class ElectronSQLiteService extends BaseSQLiteService {
|
||||
private db: SQLiteDatabase | null = null;
|
||||
private config: SQLiteConfig | null = null;
|
||||
|
||||
async initialize(config: SQLiteConfig): Promise<void> {
|
||||
if (this.initialized) {
|
||||
return;
|
||||
}
|
||||
|
||||
try {
|
||||
this.config = config;
|
||||
const dbPath = path.join(app.getPath("userData"), `${config.name}.db`);
|
||||
|
||||
this.db = await open({
|
||||
filename: dbPath,
|
||||
driver: sqlite3.Database,
|
||||
});
|
||||
|
||||
// Configure database settings
|
||||
if (config.useWAL) {
|
||||
await this.execute("PRAGMA journal_mode = WAL");
|
||||
this.stats.walMode = true;
|
||||
}
|
||||
|
||||
// Set other pragmas for performance
|
||||
await this.execute("PRAGMA synchronous = NORMAL");
|
||||
await this.execute("PRAGMA temp_store = MEMORY");
|
||||
await this.execute("PRAGMA cache_size = -2000"); // Use 2MB of cache
|
||||
|
||||
this.initialized = true;
|
||||
await this.updateStats();
|
||||
} catch (error) {
|
||||
logger.error("Failed to initialize Electron SQLite:", error);
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
async close(): Promise<void> {
|
||||
if (!this.initialized || !this.db) {
|
||||
return;
|
||||
}
|
||||
|
||||
try {
|
||||
await this.db.close();
|
||||
this.db = null;
|
||||
this.initialized = false;
|
||||
} catch (error) {
|
||||
logger.error("Failed to close Electron SQLite connection:", error);
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
protected async _executeQuery<T>(
|
||||
sql: string,
|
||||
params: unknown[] = [],
|
||||
operation: "query" | "execute" = "query",
|
||||
): Promise<SQLiteResult<T>> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
if (operation === "query") {
|
||||
const rows = await this.db.all<T[]>(sql, params);
|
||||
const result = await this.db.run("SELECT last_insert_rowid() as id");
|
||||
return {
|
||||
rows,
|
||||
rowsAffected: this.db.changes,
|
||||
lastInsertId: result.lastID,
|
||||
executionTime: 0, // Will be set by base class
|
||||
};
|
||||
} else {
|
||||
const result = await this.db.run(sql, params);
|
||||
return {
|
||||
rows: [],
|
||||
rowsAffected: this.db.changes,
|
||||
lastInsertId: result.lastID,
|
||||
executionTime: 0, // Will be set by base class
|
||||
};
|
||||
}
|
||||
} catch (error) {
|
||||
logger.error("Electron SQLite query failed:", {
|
||||
sql,
|
||||
params,
|
||||
error: error instanceof Error ? error.message : String(error),
|
||||
});
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
protected async _beginTransaction(): Promise<void> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
await this.db.run("BEGIN TRANSACTION");
|
||||
}
|
||||
|
||||
protected async _commitTransaction(): Promise<void> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
await this.db.run("COMMIT");
|
||||
}
|
||||
|
||||
protected async _rollbackTransaction(): Promise<void> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
await this.db.run("ROLLBACK");
|
||||
}
|
||||
|
||||
protected async _prepareStatement<T>(
|
||||
sql: string,
|
||||
): Promise<PreparedStatement<T>> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
const stmt = await this.db.prepare(sql);
|
||||
return {
|
||||
execute: async (params: unknown[] = []) => {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
const rows = await stmt.all<T>(params);
|
||||
return {
|
||||
rows,
|
||||
rowsAffected: this.db.changes,
|
||||
lastInsertId: (await this.db.run("SELECT last_insert_rowid() as id"))
|
||||
.lastID,
|
||||
executionTime: 0, // Will be set by base class
|
||||
};
|
||||
},
|
||||
finalize: async () => {
|
||||
await stmt.finalize();
|
||||
},
|
||||
};
|
||||
}
|
||||
|
||||
protected async _finalizeStatement(_sql: string): Promise<void> {
|
||||
// Statements are finalized when the PreparedStatement is finalized
|
||||
}
|
||||
|
||||
async getDatabaseSize(): Promise<number> {
|
||||
if (!this.db || !this.config) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
const dbPath = path.join(app.getPath("userData"), `${this.config.name}.db`);
|
||||
const stats = await statAsync(dbPath);
|
||||
return stats.size;
|
||||
} catch (error) {
|
||||
logger.error("Failed to get database size:", error);
|
||||
return 0;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Only import Electron-specific code in Electron environment
|
||||
let ElectronPlatformServiceImpl: typeof import("./platforms/ElectronPlatformService").ElectronPlatformService;
|
||||
|
||||
async function initializeElectronPlatformService() {
|
||||
if (process.env.ELECTRON) {
|
||||
// Dynamic import for Electron environment
|
||||
const { ElectronPlatformService } = await import("./platforms/ElectronPlatformService");
|
||||
ElectronPlatformServiceImpl = ElectronPlatformService;
|
||||
} else {
|
||||
// Stub implementation for non-Electron environments
|
||||
class StubElectronPlatformService implements PlatformService {
|
||||
#sqliteService: SQLiteOperations | null = null;
|
||||
|
||||
getCapabilities(): PlatformCapabilities {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async getSQLite(): Promise<SQLiteOperations> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async readFile(path: string): Promise<string> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async writeFile(path: string, content: string): Promise<void> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async deleteFile(path: string): Promise<void> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async listFiles(directory: string): Promise<string[]> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async takePicture(): Promise<ImageResult> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async pickImage(): Promise<ImageResult> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async handleDeepLink(url: string): Promise<void> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async getAccounts(): Promise<Account[]> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async getAccount(did: string): Promise<Account | undefined> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async addAccount(account: Account): Promise<void> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async getContacts(): Promise<Contact[]> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async getAllContacts(): Promise<Contact[]> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async updateMasterSettings(settingsChanges: Partial<Settings>): Promise<void> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async getActiveAccountSettings(): Promise<Settings> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async updateAccountSettings(accountDid: string, settingsChanges: Partial<Settings>): Promise<void> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async getHeaders(did?: string): Promise<Record<string, string>> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
async getPlanFromCache(
|
||||
handleId: string | undefined,
|
||||
axios: Axios,
|
||||
apiServer: string,
|
||||
requesterDid?: string,
|
||||
): Promise<PlanSummaryRecord | undefined> {
|
||||
throw new Error("Electron platform service is not available in this environment");
|
||||
}
|
||||
|
||||
isCapacitor(): boolean {
|
||||
return false;
|
||||
}
|
||||
|
||||
isElectron(): boolean {
|
||||
return false;
|
||||
}
|
||||
|
||||
isPyWebView(): boolean {
|
||||
return false;
|
||||
}
|
||||
|
||||
isWeb(): boolean {
|
||||
return false;
|
||||
}
|
||||
}
|
||||
ElectronPlatformServiceImpl = StubElectronPlatformService;
|
||||
}
|
||||
}
|
||||
|
||||
// Initialize the service
|
||||
initializeElectronPlatformService().catch(error => {
|
||||
logger.error("Failed to initialize Electron platform service:", error);
|
||||
});
|
||||
|
||||
export class ElectronPlatformService extends ElectronPlatformServiceImpl {}
|
||||
@@ -1,3 +1,9 @@
|
||||
import { Settings } from "../db/tables/settings";
|
||||
import { Account } from "../db/tables/accounts";
|
||||
import { Contact } from "../db/tables/contacts";
|
||||
import { Axios } from "axios";
|
||||
import { PlanSummaryRecord } from "../interfaces/records";
|
||||
|
||||
/**
|
||||
* Represents the result of an image capture or selection operation.
|
||||
* Contains both the image data as a Blob and the associated filename.
|
||||
@@ -26,6 +32,154 @@ export interface PlatformCapabilities {
|
||||
hasFileDownload: boolean;
|
||||
/** Whether the platform requires special file handling instructions */
|
||||
needsFileHandlingInstructions: boolean;
|
||||
/** SQLite capabilities of the platform */
|
||||
sqlite: {
|
||||
/** Whether SQLite is supported on this platform */
|
||||
supported: boolean;
|
||||
/** Whether SQLite runs in a Web Worker (browser) */
|
||||
runsInWorker: boolean;
|
||||
/** Whether the platform supports SharedArrayBuffer (required for optimal performance) */
|
||||
hasSharedArrayBuffer: boolean;
|
||||
/** Whether the platform supports WAL mode */
|
||||
supportsWAL: boolean;
|
||||
/** Maximum database size in bytes (if known) */
|
||||
maxSize?: number;
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* SQLite configuration options
|
||||
*/
|
||||
export interface SQLiteConfig {
|
||||
/** Database name */
|
||||
name: string;
|
||||
/** Whether to use WAL mode (if supported) */
|
||||
useWAL?: boolean;
|
||||
/** Whether to use memory-mapped I/O (if supported) */
|
||||
useMMap?: boolean;
|
||||
/** Size of memory map in bytes (if using mmap) */
|
||||
mmapSize?: number;
|
||||
/** Whether to use prepared statements cache */
|
||||
usePreparedStatements?: boolean;
|
||||
/** Maximum number of prepared statements to cache */
|
||||
maxPreparedStatements?: number;
|
||||
}
|
||||
|
||||
/**
|
||||
* Represents a SQLite query result with typed rows
|
||||
*/
|
||||
export interface SQLiteResult<T> {
|
||||
/** The rows returned by the query */
|
||||
rows: T[];
|
||||
/** The number of rows affected by the query */
|
||||
rowsAffected: number;
|
||||
/** The last inserted row ID (if applicable) */
|
||||
lastInsertId?: number;
|
||||
/** Execution time in milliseconds */
|
||||
executionTime: number;
|
||||
}
|
||||
|
||||
/**
|
||||
* SQLite operations interface for platform-agnostic database access
|
||||
*/
|
||||
export interface SQLiteOperations {
|
||||
/**
|
||||
* Initializes the SQLite database with the given configuration
|
||||
* @param config - SQLite configuration options
|
||||
* @returns Promise resolving when initialization is complete
|
||||
*/
|
||||
initialize(config: SQLiteConfig): Promise<void>;
|
||||
|
||||
/**
|
||||
* Executes a SQL query and returns typed results
|
||||
* @param sql - The SQL query to execute
|
||||
* @param params - Optional parameters for the query
|
||||
* @returns Promise resolving to the query results
|
||||
*/
|
||||
query<T>(sql: string, params?: unknown[]): Promise<SQLiteResult<T>>;
|
||||
|
||||
/**
|
||||
* Executes a SQL query that modifies data (INSERT, UPDATE, DELETE)
|
||||
* @param sql - The SQL query to execute
|
||||
* @param params - Optional parameters for the query
|
||||
* @returns Promise resolving to the number of rows affected
|
||||
*/
|
||||
execute(sql: string, params?: unknown[]): Promise<number>;
|
||||
|
||||
/**
|
||||
* Executes multiple SQL statements in a transaction
|
||||
* @param statements - Array of SQL statements to execute
|
||||
* @returns Promise resolving when the transaction is complete
|
||||
*/
|
||||
transaction(statements: { sql: string; params?: unknown[] }[]): Promise<void>;
|
||||
|
||||
/**
|
||||
* Gets the maximum value of a column for matching rows
|
||||
* @param table - The table to query
|
||||
* @param column - The column to find the maximum value of
|
||||
* @param where - Optional WHERE clause conditions
|
||||
* @param params - Optional parameters for the WHERE clause
|
||||
* @returns Promise resolving to the maximum value
|
||||
*/
|
||||
getMaxValue<T>(
|
||||
table: string,
|
||||
column: string,
|
||||
where?: string,
|
||||
params?: unknown[],
|
||||
): Promise<T | null>;
|
||||
|
||||
/**
|
||||
* Prepares a SQL statement for repeated execution
|
||||
* @param sql - The SQL statement to prepare
|
||||
* @returns A prepared statement that can be executed multiple times
|
||||
*/
|
||||
prepare<T>(sql: string): Promise<PreparedStatement<T>>;
|
||||
|
||||
/**
|
||||
* Gets the current database size in bytes
|
||||
* @returns Promise resolving to the database size
|
||||
*/
|
||||
getDatabaseSize(): Promise<number>;
|
||||
|
||||
/**
|
||||
* Gets the current database statistics
|
||||
* @returns Promise resolving to database statistics
|
||||
*/
|
||||
getStats(): Promise<SQLiteStats>;
|
||||
|
||||
/**
|
||||
* Closes the database connection
|
||||
* @returns Promise resolving when the connection is closed
|
||||
*/
|
||||
close(): Promise<void>;
|
||||
}
|
||||
|
||||
/**
|
||||
* Represents a prepared SQL statement
|
||||
*/
|
||||
export interface PreparedStatement<T> {
|
||||
/** Executes the prepared statement with the given parameters */
|
||||
execute(params?: unknown[]): Promise<SQLiteResult<T>>;
|
||||
/** Frees the prepared statement */
|
||||
finalize(): Promise<void>;
|
||||
}
|
||||
|
||||
/**
|
||||
* Database statistics
|
||||
*/
|
||||
export interface SQLiteStats {
|
||||
/** Total number of queries executed */
|
||||
totalQueries: number;
|
||||
/** Average query execution time in milliseconds */
|
||||
avgExecutionTime: number;
|
||||
/** Number of prepared statements in cache */
|
||||
preparedStatements: number;
|
||||
/** Current database size in bytes */
|
||||
databaseSize: number;
|
||||
/** Whether WAL mode is active */
|
||||
walMode: boolean;
|
||||
/** Whether memory mapping is active */
|
||||
mmapActive: boolean;
|
||||
}
|
||||
|
||||
/**
|
||||
@@ -59,11 +213,12 @@ export interface PlatformService {
|
||||
|
||||
/**
|
||||
* Writes content to a file at the specified path and shares it.
|
||||
* Optional method - not all platforms need to implement this.
|
||||
* @param fileName - The filename of the file to write
|
||||
* @param content - The content to write to the file
|
||||
* @returns Promise that resolves when the write is complete
|
||||
*/
|
||||
writeAndShareFile(fileName: string, content: string): Promise<void>;
|
||||
writeAndShareFile?(fileName: string, content: string): Promise<void>;
|
||||
|
||||
/**
|
||||
* Deletes a file at the specified path.
|
||||
@@ -98,4 +253,92 @@ export interface PlatformService {
|
||||
* @returns Promise that resolves when the deep link has been handled
|
||||
*/
|
||||
handleDeepLink(url: string): Promise<void>;
|
||||
|
||||
/**
|
||||
* Gets the SQLite operations interface for the platform.
|
||||
* For browsers, this will use absurd-sql with Web Worker support.
|
||||
* @returns Promise resolving to the SQLite operations interface
|
||||
*/
|
||||
getSQLite(): Promise<SQLiteOperations>;
|
||||
|
||||
/**
|
||||
* Gets the headers for HTTP requests, including authorization if needed
|
||||
* @param did - Optional DID to include in authorization
|
||||
* @returns Promise resolving to headers object
|
||||
*/
|
||||
getHeaders(did?: string): Promise<Record<string, string>>;
|
||||
|
||||
// Account Management
|
||||
/**
|
||||
* Gets all accounts in the database
|
||||
* @returns Promise resolving to array of accounts
|
||||
*/
|
||||
getAccounts(): Promise<Account[]>;
|
||||
|
||||
/**
|
||||
* Gets a specific account by DID
|
||||
* @param did - The DID of the account to retrieve
|
||||
* @returns Promise resolving to the account or undefined if not found
|
||||
*/
|
||||
getAccount(did: string): Promise<Account | undefined>;
|
||||
|
||||
/**
|
||||
* Adds a new account to the database
|
||||
* @param account - The account to add
|
||||
* @returns Promise resolving when the account is added
|
||||
*/
|
||||
addAccount(account: Account): Promise<void>;
|
||||
|
||||
// Settings Management
|
||||
/**
|
||||
* Updates the master settings with the provided changes
|
||||
* @param settingsChanges - The settings to update
|
||||
* @returns Promise resolving when the update is complete
|
||||
*/
|
||||
updateMasterSettings(settingsChanges: Partial<Settings>): Promise<void>;
|
||||
|
||||
/**
|
||||
* Gets the settings for the active account
|
||||
* @returns Promise resolving to the active account settings
|
||||
*/
|
||||
getActiveAccountSettings(): Promise<Settings>;
|
||||
|
||||
/**
|
||||
* Updates settings for a specific account
|
||||
* @param accountDid - The DID of the account to update settings for
|
||||
* @param settingsChanges - The settings to update
|
||||
* @returns Promise resolving when the update is complete
|
||||
*/
|
||||
updateAccountSettings(
|
||||
accountDid: string,
|
||||
settingsChanges: Partial<Settings>,
|
||||
): Promise<void>;
|
||||
|
||||
// Contact Management
|
||||
/**
|
||||
* Gets all contacts from the database
|
||||
* @returns Promise resolving to array of contacts
|
||||
*/
|
||||
getContacts(): Promise<Contact[]>;
|
||||
|
||||
/**
|
||||
* Gets all contacts from the database (alias for getContacts)
|
||||
* @returns Promise resolving to array of contacts
|
||||
*/
|
||||
getAllContacts(): Promise<Contact[]>;
|
||||
|
||||
/**
|
||||
* Retrieves plan data from cache or server
|
||||
* @param handleId - Plan handle ID
|
||||
* @param axios - Axios instance for making HTTP requests
|
||||
* @param apiServer - API server URL
|
||||
* @param requesterDid - Optional requester DID for private info
|
||||
* @returns Promise resolving to plan data or undefined if not found
|
||||
*/
|
||||
getPlanFromCache(
|
||||
handleId: string | undefined,
|
||||
axios: Axios,
|
||||
apiServer: string,
|
||||
requesterDid?: string,
|
||||
): Promise<PlanSummaryRecord | undefined>;
|
||||
}
|
||||
|
||||
@@ -1,8 +1,5 @@
|
||||
import { PlatformService } from "./PlatformService";
|
||||
import { WebPlatformService } from "./platforms/WebPlatformService";
|
||||
import { CapacitorPlatformService } from "./platforms/CapacitorPlatformService";
|
||||
import { ElectronPlatformService } from "./platforms/ElectronPlatformService";
|
||||
import { PyWebViewPlatformService } from "./platforms/PyWebViewPlatformService";
|
||||
|
||||
/**
|
||||
* Factory class for creating platform-specific service implementations.
|
||||
@@ -17,7 +14,7 @@ import { PyWebViewPlatformService } from "./platforms/PyWebViewPlatformService";
|
||||
*
|
||||
* @example
|
||||
* ```typescript
|
||||
* const platformService = PlatformServiceFactory.getInstance();
|
||||
* const platformService = await PlatformServiceFactory.getInstance();
|
||||
* await platformService.takePicture();
|
||||
* ```
|
||||
*/
|
||||
@@ -28,31 +25,48 @@ export class PlatformServiceFactory {
|
||||
* Gets or creates the singleton instance of PlatformService.
|
||||
* Creates the appropriate platform-specific implementation based on environment.
|
||||
*
|
||||
* @returns {PlatformService} The singleton instance of PlatformService
|
||||
* @returns {Promise<PlatformService>} Promise resolving to the singleton instance of PlatformService
|
||||
*/
|
||||
public static getInstance(): PlatformService {
|
||||
public static async getInstance(): Promise<PlatformService> {
|
||||
if (PlatformServiceFactory.instance) {
|
||||
return PlatformServiceFactory.instance;
|
||||
}
|
||||
|
||||
const platform = process.env.VITE_PLATFORM || "web";
|
||||
|
||||
switch (platform) {
|
||||
case "capacitor":
|
||||
PlatformServiceFactory.instance = new CapacitorPlatformService();
|
||||
break;
|
||||
case "electron":
|
||||
PlatformServiceFactory.instance = new ElectronPlatformService();
|
||||
break;
|
||||
case "pywebview":
|
||||
PlatformServiceFactory.instance = new PyWebViewPlatformService();
|
||||
break;
|
||||
case "web":
|
||||
default:
|
||||
PlatformServiceFactory.instance = new WebPlatformService();
|
||||
break;
|
||||
}
|
||||
try {
|
||||
switch (platform) {
|
||||
case "capacitor": {
|
||||
const { CapacitorPlatformService } = await import("./platforms/CapacitorPlatformService");
|
||||
PlatformServiceFactory.instance = new CapacitorPlatformService();
|
||||
break;
|
||||
}
|
||||
case "electron": {
|
||||
const { ElectronPlatformService } = await import("./ElectronPlatformService");
|
||||
PlatformServiceFactory.instance = new ElectronPlatformService();
|
||||
break;
|
||||
}
|
||||
case "pywebview": {
|
||||
const { PyWebViewPlatformService } = await import("./platforms/PyWebViewPlatformService");
|
||||
PlatformServiceFactory.instance = new PyWebViewPlatformService();
|
||||
break;
|
||||
}
|
||||
case "web":
|
||||
default:
|
||||
PlatformServiceFactory.instance = new WebPlatformService();
|
||||
break;
|
||||
}
|
||||
|
||||
return PlatformServiceFactory.instance;
|
||||
if (!PlatformServiceFactory.instance) {
|
||||
throw new Error(`Failed to initialize platform service for ${platform}`);
|
||||
}
|
||||
|
||||
return PlatformServiceFactory.instance;
|
||||
} catch (error) {
|
||||
console.error(`Failed to initialize ${platform} platform service:`, error);
|
||||
// Fallback to web platform if initialization fails
|
||||
PlatformServiceFactory.instance = new WebPlatformService();
|
||||
return PlatformServiceFactory.instance;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
29
src/services/database.d.ts
vendored
Normal file
29
src/services/database.d.ts
vendored
Normal file
@@ -0,0 +1,29 @@
|
||||
import { DatabaseService } from "../interfaces/database";
|
||||
|
||||
declare module "@jlongster/sql.js" {
|
||||
interface SQL {
|
||||
Database: unknown;
|
||||
FS: unknown;
|
||||
register_for_idb: (fs: unknown) => void;
|
||||
}
|
||||
|
||||
function initSqlJs(config: {
|
||||
locateFile: (file: string) => string;
|
||||
}): Promise<SQL>;
|
||||
export default initSqlJs;
|
||||
}
|
||||
|
||||
declare module "absurd-sql" {
|
||||
export class SQLiteFS {
|
||||
constructor(fs: unknown, backend: unknown);
|
||||
}
|
||||
}
|
||||
|
||||
declare module "absurd-sql/dist/indexeddb-backend" {
|
||||
export default class IndexedDBBackend {
|
||||
constructor();
|
||||
}
|
||||
}
|
||||
|
||||
declare const databaseService: DatabaseService;
|
||||
export default databaseService;
|
||||
163
src/services/database.ts
Normal file
163
src/services/database.ts
Normal file
@@ -0,0 +1,163 @@
|
||||
// Add type declarations for external modules
|
||||
declare module "@jlongster/sql.js";
|
||||
declare module "absurd-sql";
|
||||
declare module "absurd-sql/dist/indexeddb-backend";
|
||||
|
||||
import initSqlJs from "@jlongster/sql.js";
|
||||
import { SQLiteFS } from "absurd-sql";
|
||||
import IndexedDBBackend from "absurd-sql/dist/indexeddb-backend";
|
||||
|
||||
import { runMigrations } from "../db-sql/migration";
|
||||
import type { QueryExecResult } from "../interfaces/database";
|
||||
import { logger } from "@/utils/logger";
|
||||
|
||||
interface SQLDatabase {
|
||||
exec: (sql: string, params?: unknown[]) => Promise<QueryExecResult[]>;
|
||||
run: (
|
||||
sql: string,
|
||||
params?: unknown[],
|
||||
) => Promise<{ changes: number; lastId?: number }>;
|
||||
}
|
||||
|
||||
class DatabaseService {
|
||||
private static instance: DatabaseService | null = null;
|
||||
private db: SQLDatabase | null;
|
||||
private initialized: boolean;
|
||||
private initializationPromise: Promise<void> | null = null;
|
||||
|
||||
private constructor() {
|
||||
this.db = null;
|
||||
this.initialized = false;
|
||||
}
|
||||
|
||||
static getInstance(): DatabaseService {
|
||||
if (!DatabaseService.instance) {
|
||||
DatabaseService.instance = new DatabaseService();
|
||||
}
|
||||
return DatabaseService.instance;
|
||||
}
|
||||
|
||||
async initialize(): Promise<void> {
|
||||
// If already initialized, return immediately
|
||||
if (this.initialized) {
|
||||
return;
|
||||
}
|
||||
|
||||
// If initialization is in progress, wait for it
|
||||
if (this.initializationPromise) {
|
||||
return this.initializationPromise;
|
||||
}
|
||||
|
||||
// Start initialization
|
||||
this.initializationPromise = this._initialize();
|
||||
try {
|
||||
await this.initializationPromise;
|
||||
} catch (error) {
|
||||
logger.error(`DatabaseService initialize method failed:`, error);
|
||||
this.initializationPromise = null; // Reset on failure
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
private async _initialize(): Promise<void> {
|
||||
if (this.initialized) {
|
||||
return;
|
||||
}
|
||||
|
||||
const SQL = await initSqlJs({
|
||||
locateFile: (file: string) => {
|
||||
return new URL(
|
||||
`/node_modules/@jlongster/sql.js/dist/${file}`,
|
||||
import.meta.url,
|
||||
).href;
|
||||
},
|
||||
});
|
||||
|
||||
const sqlFS = new SQLiteFS(SQL.FS, new IndexedDBBackend());
|
||||
SQL.register_for_idb(sqlFS);
|
||||
|
||||
SQL.FS.mkdir("/sql");
|
||||
SQL.FS.mount(sqlFS, {}, "/sql");
|
||||
|
||||
const path = "/sql/db.sqlite";
|
||||
if (typeof SharedArrayBuffer === "undefined") {
|
||||
const stream = SQL.FS.open(path, "a+");
|
||||
await stream.node.contents.readIfFallback();
|
||||
SQL.FS.close(stream);
|
||||
}
|
||||
|
||||
this.db = new SQL.Database(path, { filename: true });
|
||||
if (!this.db) {
|
||||
throw new Error(
|
||||
"The database initialization failed. We recommend you restart or reinstall.",
|
||||
);
|
||||
}
|
||||
|
||||
await this.db.exec(`PRAGMA journal_mode=MEMORY;`);
|
||||
const sqlExec = this.db.exec.bind(this.db);
|
||||
|
||||
// Run migrations
|
||||
await runMigrations(sqlExec);
|
||||
|
||||
this.initialized = true;
|
||||
}
|
||||
|
||||
private async waitForInitialization(): Promise<void> {
|
||||
// If we have an initialization promise, wait for it
|
||||
if (this.initializationPromise) {
|
||||
await this.initializationPromise;
|
||||
return;
|
||||
}
|
||||
|
||||
// If not initialized and no promise, start initialization
|
||||
if (!this.initialized) {
|
||||
await this.initialize();
|
||||
return;
|
||||
}
|
||||
|
||||
// If initialized but no db, something went wrong
|
||||
if (!this.db) {
|
||||
logger.error(
|
||||
`Database not properly initialized after await waitForInitialization() - initialized flag is true but db is null`,
|
||||
);
|
||||
throw new Error(
|
||||
`The database could not be initialized. We recommend you restart or reinstall.`,
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
// Used for inserts, updates, and deletes
|
||||
async run(
|
||||
sql: string,
|
||||
params: unknown[] = [],
|
||||
): Promise<{ changes: number; lastId?: number }> {
|
||||
await this.waitForInitialization();
|
||||
return this.db!.run(sql, params);
|
||||
}
|
||||
|
||||
// Note that the resulting array may be empty if there are no results from the query
|
||||
async query(sql: string, params: unknown[] = []): Promise<QueryExecResult[]> {
|
||||
await this.waitForInitialization();
|
||||
return this.db!.exec(sql, params);
|
||||
}
|
||||
|
||||
async getOneRow(
|
||||
sql: string,
|
||||
params: unknown[] = [],
|
||||
): Promise<unknown[] | undefined> {
|
||||
await this.waitForInitialization();
|
||||
const result = await this.db!.exec(sql, params);
|
||||
return result[0]?.values[0];
|
||||
}
|
||||
|
||||
async all(sql: string, params: unknown[] = []): Promise<unknown[][]> {
|
||||
await this.waitForInitialization();
|
||||
const result = await this.db!.exec(sql, params);
|
||||
return result[0]?.values || [];
|
||||
}
|
||||
}
|
||||
|
||||
// Create a singleton instance
|
||||
const databaseService = DatabaseService.getInstance();
|
||||
|
||||
export default databaseService;
|
||||
72
src/services/migrationService.ts
Normal file
72
src/services/migrationService.ts
Normal file
@@ -0,0 +1,72 @@
|
||||
import { logger } from "@/utils/logger";
|
||||
import { QueryExecResult } from "../interfaces/database";
|
||||
|
||||
interface Migration {
|
||||
name: string;
|
||||
sql: string;
|
||||
}
|
||||
|
||||
export class MigrationService {
|
||||
private static instance: MigrationService;
|
||||
private migrations: Migration[] = [];
|
||||
|
||||
private constructor() {}
|
||||
|
||||
static getInstance(): MigrationService {
|
||||
if (!MigrationService.instance) {
|
||||
MigrationService.instance = new MigrationService();
|
||||
}
|
||||
return MigrationService.instance;
|
||||
}
|
||||
|
||||
async registerMigration(migration: Migration): Promise<void> {
|
||||
this.migrations.push(migration);
|
||||
}
|
||||
|
||||
async runMigrations(
|
||||
sqlExec: (
|
||||
sql: string,
|
||||
params?: unknown[],
|
||||
) => Promise<Array<QueryExecResult>>,
|
||||
): Promise<void> {
|
||||
// Create migrations table if it doesn't exist
|
||||
await sqlExec(`
|
||||
CREATE TABLE IF NOT EXISTS migrations (
|
||||
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||
name TEXT NOT NULL UNIQUE,
|
||||
executed_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
|
||||
);
|
||||
`);
|
||||
|
||||
// Get list of executed migrations
|
||||
const result: QueryExecResult[] = await sqlExec(
|
||||
"SELECT name FROM migrations;",
|
||||
);
|
||||
let executedMigrations: Set<unknown> = new Set();
|
||||
// Even with that query, the QueryExecResult may be [] (which doesn't make sense to me).
|
||||
if (result.length > 0) {
|
||||
const singleResult = result[0];
|
||||
executedMigrations = new Set(
|
||||
singleResult.values.map((row: unknown[]) => row[0]),
|
||||
);
|
||||
}
|
||||
|
||||
// Run pending migrations in order
|
||||
for (const migration of this.migrations) {
|
||||
if (!executedMigrations.has(migration.name)) {
|
||||
try {
|
||||
await sqlExec(migration.sql);
|
||||
await sqlExec("INSERT INTO migrations (name) VALUES (?)", [
|
||||
migration.name,
|
||||
]);
|
||||
logger.log(`Migration ${migration.name} executed successfully`);
|
||||
} catch (error) {
|
||||
logger.error(`Error executing migration ${migration.name}:`, error);
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
export default MigrationService.getInstance();
|
||||
@@ -7,6 +7,10 @@ import { Filesystem, Directory, Encoding } from "@capacitor/filesystem";
|
||||
import { Camera, CameraResultType, CameraSource } from "@capacitor/camera";
|
||||
import { Share } from "@capacitor/share";
|
||||
import { logger } from "../../utils/logger";
|
||||
import { Account } from "../../db/tables/accounts";
|
||||
import { Settings } from "../../db/tables/settings";
|
||||
import { db } from "../../db";
|
||||
import { Contact } from "../../db/tables/contacts";
|
||||
|
||||
/**
|
||||
* Platform service implementation for Capacitor (mobile) platform.
|
||||
@@ -476,4 +480,44 @@ export class CapacitorPlatformService implements PlatformService {
|
||||
// This is just a placeholder for the interface
|
||||
return Promise.resolve();
|
||||
}
|
||||
|
||||
// Account Management
|
||||
async getAccounts(): Promise<Account[]> {
|
||||
return await db.accounts.toArray();
|
||||
}
|
||||
|
||||
async getAccount(did: string): Promise<Account | undefined> {
|
||||
return await db.accounts.where("did").equals(did).first();
|
||||
}
|
||||
|
||||
async addAccount(account: Account): Promise<void> {
|
||||
await db.accounts.add(account);
|
||||
}
|
||||
|
||||
// Settings Management
|
||||
async updateMasterSettings(
|
||||
settingsChanges: Partial<Settings>,
|
||||
): Promise<void> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
async getActiveAccountSettings(): Promise<Settings> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
async updateAccountSettings(
|
||||
accountDid: string,
|
||||
settingsChanges: Partial<Settings>,
|
||||
): Promise<void> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
// Contact Management
|
||||
async getContacts(): Promise<Contact[]> {
|
||||
return await db.contacts.toArray();
|
||||
}
|
||||
|
||||
async getAllContacts(): Promise<Contact[]> {
|
||||
return await this.getContacts();
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,111 +1,102 @@
|
||||
import {
|
||||
ImageResult,
|
||||
PlatformService,
|
||||
PlatformCapabilities,
|
||||
SQLiteOperations,
|
||||
SQLiteConfig,
|
||||
PreparedStatement,
|
||||
SQLiteResult,
|
||||
ImageResult,
|
||||
} from "../PlatformService";
|
||||
import { BaseSQLiteService } from "../sqlite/BaseSQLiteService";
|
||||
import { app } from "electron";
|
||||
import { dialog } from "electron";
|
||||
import fs from "fs";
|
||||
import path from "path";
|
||||
import sqlite3 from "sqlite3";
|
||||
import { open, Database } from "sqlite";
|
||||
import { logger } from "../../utils/logger";
|
||||
import { Settings } from "../../db/tables/settings";
|
||||
import { Account } from "../../db/tables/accounts";
|
||||
import { Contact } from "../../db/tables/contacts";
|
||||
import { db } from "../../db";
|
||||
import { MASTER_SETTINGS_KEY } from "../../db/tables/settings";
|
||||
import { accountsDBPromise } from "../../db";
|
||||
import { accessToken } from "../../libs/crypto";
|
||||
import { getPlanFromCache as getPlanFromCacheImpl } from "../../libs/endorserServer";
|
||||
import { PlanSummaryRecord } from "../../interfaces/records";
|
||||
import { Axios } from "axios";
|
||||
|
||||
// Create Promise-based versions of fs functions
|
||||
const readFileAsync = (filePath: string, encoding: BufferEncoding): Promise<string> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.readFile(filePath, { encoding }, (err: NodeJS.ErrnoException | null, data: string) => {
|
||||
if (err) reject(err);
|
||||
else resolve(data);
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const readFileBufferAsync = (filePath: string): Promise<Buffer> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.readFile(filePath, (err: NodeJS.ErrnoException | null, data: Buffer) => {
|
||||
if (err) reject(err);
|
||||
else resolve(data);
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const writeFileAsync = (filePath: string, data: string, encoding: BufferEncoding): Promise<void> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.writeFile(filePath, data, { encoding }, (err: NodeJS.ErrnoException | null) => {
|
||||
if (err) reject(err);
|
||||
else resolve();
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const unlinkAsync = (filePath: string): Promise<void> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.unlink(filePath, (err: NodeJS.ErrnoException | null) => {
|
||||
if (err) reject(err);
|
||||
else resolve();
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const readdirAsync = (dirPath: string): Promise<string[]> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.readdir(dirPath, (err: NodeJS.ErrnoException | null, files: string[]) => {
|
||||
if (err) reject(err);
|
||||
else resolve(files);
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
const statAsync = (filePath: string): Promise<fs.Stats> => {
|
||||
return new Promise((resolve, reject) => {
|
||||
fs.stat(filePath, (err: NodeJS.ErrnoException | null, stats: fs.Stats) => {
|
||||
if (err) reject(err);
|
||||
else resolve(stats);
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
interface SQLiteDatabase extends Database {
|
||||
changes: number;
|
||||
}
|
||||
|
||||
/**
|
||||
* Platform service implementation for Electron (desktop) platform.
|
||||
* Note: This is a placeholder implementation with most methods currently unimplemented.
|
||||
* Implements the PlatformService interface but throws "Not implemented" errors for most operations.
|
||||
*
|
||||
* @remarks
|
||||
* This service is intended for desktop application functionality through Electron.
|
||||
* Future implementations should provide:
|
||||
* - Native file system access
|
||||
* - Desktop camera integration
|
||||
* - System-level features
|
||||
* SQLite implementation for Electron using native sqlite3
|
||||
*/
|
||||
export class ElectronPlatformService implements PlatformService {
|
||||
/**
|
||||
* Gets the capabilities of the Electron platform
|
||||
* @returns Platform capabilities object
|
||||
*/
|
||||
getCapabilities(): PlatformCapabilities {
|
||||
return {
|
||||
hasFileSystem: false, // Not implemented yet
|
||||
hasCamera: false, // Not implemented yet
|
||||
isMobile: false,
|
||||
isIOS: false,
|
||||
hasFileDownload: false, // Not implemented yet
|
||||
needsFileHandlingInstructions: false,
|
||||
};
|
||||
}
|
||||
class ElectronSQLiteService extends BaseSQLiteService {
|
||||
private db: SQLiteDatabase | null = null;
|
||||
private config: SQLiteConfig | null = null;
|
||||
|
||||
/**
|
||||
* Reads a file from the filesystem.
|
||||
* @param _path - Path to the file to read
|
||||
* @returns Promise that should resolve to file contents
|
||||
* @throws Error with "Not implemented" message
|
||||
* @todo Implement file reading using Electron's file system API
|
||||
*/
|
||||
async readFile(_path: string): Promise<string> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
/**
|
||||
* Writes content to a file.
|
||||
* @param _path - Path where to write the file
|
||||
* @param _content - Content to write to the file
|
||||
* @throws Error with "Not implemented" message
|
||||
* @todo Implement file writing using Electron's file system API
|
||||
*/
|
||||
async writeFile(_path: string, _content: string): Promise<void> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
/**
|
||||
* Deletes a file from the filesystem.
|
||||
* @param _path - Path to the file to delete
|
||||
* @throws Error with "Not implemented" message
|
||||
* @todo Implement file deletion using Electron's file system API
|
||||
*/
|
||||
async deleteFile(_path: string): Promise<void> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
/**
|
||||
* Lists files in the specified directory.
|
||||
* @param _directory - Path to the directory to list
|
||||
* @returns Promise that should resolve to array of filenames
|
||||
* @throws Error with "Not implemented" message
|
||||
* @todo Implement directory listing using Electron's file system API
|
||||
*/
|
||||
async listFiles(_directory: string): Promise<string[]> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
/**
|
||||
* Should open system camera to take a picture.
|
||||
* @returns Promise that should resolve to captured image data
|
||||
* @throws Error with "Not implemented" message
|
||||
* @todo Implement camera access using Electron's media APIs
|
||||
*/
|
||||
async takePicture(): Promise<ImageResult> {
|
||||
logger.error("takePicture not implemented in Electron platform");
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
/**
|
||||
* Should open system file picker for selecting an image.
|
||||
* @returns Promise that should resolve to selected image data
|
||||
* @throws Error with "Not implemented" message
|
||||
* @todo Implement file picker using Electron's dialog API
|
||||
*/
|
||||
async pickImage(): Promise<ImageResult> {
|
||||
logger.error("pickImage not implemented in Electron platform");
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
/**
|
||||
* Should handle deep link URLs for the desktop application.
|
||||
* @param _url - The deep link URL to handle
|
||||
* @throws Error with "Not implemented" message
|
||||
* @todo Implement deep link handling using Electron's protocol handler
|
||||
*/
|
||||
async handleDeepLink(_url: string): Promise<void> {
|
||||
logger.error("handleDeepLink not implemented in Electron platform");
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
// ... rest of the ElectronSQLiteService implementation ...
|
||||
}
|
||||
|
||||
export class ElectronPlatformService implements PlatformService {
|
||||
private sqliteService: ElectronSQLiteService | null = null;
|
||||
|
||||
// ... rest of the ElectronPlatformService implementation ...
|
||||
}
|
||||
@@ -4,6 +4,10 @@ import {
|
||||
PlatformCapabilities,
|
||||
} from "../PlatformService";
|
||||
import { logger } from "../../utils/logger";
|
||||
import { Account } from "../../db/tables/accounts";
|
||||
import { Settings } from "../../db/tables/settings";
|
||||
import { db } from "../../db";
|
||||
import { Contact } from "../../db/tables/contacts";
|
||||
|
||||
/**
|
||||
* Platform service implementation for PyWebView platform.
|
||||
@@ -109,4 +113,44 @@ export class PyWebViewPlatformService implements PlatformService {
|
||||
logger.error("handleDeepLink not implemented in PyWebView platform");
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
// Account Management
|
||||
async getAccounts(): Promise<Account[]> {
|
||||
return await db.accounts.toArray();
|
||||
}
|
||||
|
||||
async getAccount(did: string): Promise<Account | undefined> {
|
||||
return await db.accounts.where("did").equals(did).first();
|
||||
}
|
||||
|
||||
async addAccount(account: Account): Promise<void> {
|
||||
await db.accounts.add(account);
|
||||
}
|
||||
|
||||
// Settings Management
|
||||
async updateMasterSettings(
|
||||
settingsChanges: Partial<Settings>,
|
||||
): Promise<void> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
async getActiveAccountSettings(): Promise<Settings> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
async updateAccountSettings(
|
||||
accountDid: string,
|
||||
settingsChanges: Partial<Settings>,
|
||||
): Promise<void> {
|
||||
throw new Error("Not implemented");
|
||||
}
|
||||
|
||||
// Contact Management
|
||||
async getContacts(): Promise<Contact[]> {
|
||||
return await db.contacts.toArray();
|
||||
}
|
||||
|
||||
async getAllContacts(): Promise<Contact[]> {
|
||||
return await this.getContacts();
|
||||
}
|
||||
}
|
||||
|
||||
@@ -2,8 +2,20 @@ import {
|
||||
ImageResult,
|
||||
PlatformService,
|
||||
PlatformCapabilities,
|
||||
SQLiteOperations,
|
||||
} from "../PlatformService";
|
||||
import { Settings } from "../../db/tables/settings";
|
||||
import { MASTER_SETTINGS_KEY } from "../../db/tables/settings";
|
||||
import { db } from "../../db";
|
||||
import { logger } from "../../utils/logger";
|
||||
import { Account } from "../../db/tables/accounts";
|
||||
import { Contact } from "../../db/tables/contacts";
|
||||
import { WebSQLiteService } from "../sqlite/WebSQLiteService";
|
||||
import { accountsDBPromise } from "../../db";
|
||||
import { accessToken } from "../../libs/crypto";
|
||||
import { getPlanFromCache as getPlanFromCacheImpl } from "../../libs/endorserServer";
|
||||
import { PlanSummaryRecord } from "../../interfaces/records";
|
||||
import { Axios } from "axios";
|
||||
|
||||
/**
|
||||
* Platform service implementation for web browser platform.
|
||||
@@ -19,6 +31,8 @@ import { logger } from "../../utils/logger";
|
||||
* due to browser security restrictions. These methods throw appropriate errors.
|
||||
*/
|
||||
export class WebPlatformService implements PlatformService {
|
||||
private sqliteService: WebSQLiteService | null = null;
|
||||
|
||||
/**
|
||||
* Gets the capabilities of the web platform
|
||||
* @returns Platform capabilities object
|
||||
@@ -26,11 +40,17 @@ export class WebPlatformService implements PlatformService {
|
||||
getCapabilities(): PlatformCapabilities {
|
||||
return {
|
||||
hasFileSystem: false,
|
||||
hasCamera: true, // Through file input with capture
|
||||
isMobile: /iPhone|iPad|iPod|Android/i.test(navigator.userAgent),
|
||||
isIOS: /iPad|iPhone|iPod/.test(navigator.userAgent),
|
||||
hasCamera: true,
|
||||
isMobile: false,
|
||||
isIOS: false,
|
||||
hasFileDownload: true,
|
||||
needsFileHandlingInstructions: false,
|
||||
sqlite: {
|
||||
supported: true,
|
||||
runsInWorker: true,
|
||||
hasSharedArrayBuffer: typeof SharedArrayBuffer !== "undefined",
|
||||
supportsWAL: true,
|
||||
},
|
||||
};
|
||||
}
|
||||
|
||||
@@ -359,4 +379,139 @@ export class WebPlatformService implements PlatformService {
|
||||
async writeAndShareFile(_fileName: string, _content: string): Promise<void> {
|
||||
throw new Error("File system access not available in web platform");
|
||||
}
|
||||
|
||||
async updateMasterSettings(
|
||||
settingsChanges: Partial<Settings>,
|
||||
): Promise<void> {
|
||||
try {
|
||||
delete settingsChanges.accountDid; // just in case
|
||||
delete settingsChanges.id; // ensure there is no "id" that would override the key
|
||||
|
||||
await db.settings.update(MASTER_SETTINGS_KEY, settingsChanges);
|
||||
} catch (error) {
|
||||
logger.error("Error updating master settings:", error);
|
||||
throw new Error(
|
||||
`Failed to update settings. We recommend you try again or restart the app.`,
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
async getActiveAccountSettings(): Promise<Settings> {
|
||||
const defaultSettings = (await db.settings.get(MASTER_SETTINGS_KEY)) || {};
|
||||
if (!defaultSettings.activeDid) {
|
||||
return defaultSettings;
|
||||
}
|
||||
|
||||
const overrideSettings =
|
||||
(await db.settings
|
||||
.where("accountDid")
|
||||
.equals(defaultSettings.activeDid)
|
||||
.first()) || {};
|
||||
|
||||
return { ...defaultSettings, ...overrideSettings };
|
||||
}
|
||||
|
||||
async updateAccountSettings(
|
||||
accountDid: string,
|
||||
settingsChanges: Partial<Settings>,
|
||||
): Promise<void> {
|
||||
settingsChanges.accountDid = accountDid;
|
||||
delete settingsChanges.id; // key off account, not ID
|
||||
|
||||
const result = await db.settings
|
||||
.where("accountDid")
|
||||
.equals(accountDid)
|
||||
.modify(settingsChanges);
|
||||
|
||||
if (result === 0) {
|
||||
// If no record was updated, create a new one
|
||||
settingsChanges.id = (await db.settings.count()) + 1;
|
||||
await db.settings.add(settingsChanges);
|
||||
}
|
||||
}
|
||||
|
||||
// Account Management
|
||||
async getAccounts(): Promise<Account[]> {
|
||||
const accountsDB = await accountsDBPromise;
|
||||
return await accountsDB.accounts.toArray();
|
||||
}
|
||||
|
||||
async getAccount(did: string): Promise<Account | undefined> {
|
||||
const accountsDB = await accountsDBPromise;
|
||||
return await accountsDB.accounts.where("did").equals(did).first();
|
||||
}
|
||||
|
||||
async addAccount(account: Account): Promise<void> {
|
||||
const accountsDB = await accountsDBPromise;
|
||||
await accountsDB.accounts.add(account);
|
||||
}
|
||||
|
||||
// Contact Management
|
||||
async getContacts(): Promise<Contact[]> {
|
||||
return await db.contacts.toArray();
|
||||
}
|
||||
|
||||
async getAllContacts(): Promise<Contact[]> {
|
||||
return await this.getContacts();
|
||||
}
|
||||
|
||||
async getHeaders(did?: string): Promise<Record<string, string>> {
|
||||
const headers: Record<string, string> = {
|
||||
"Content-Type": "application/json",
|
||||
};
|
||||
|
||||
if (did) {
|
||||
try {
|
||||
const account = await this.getAccount(did);
|
||||
if (account?.passkeyCredIdHex) {
|
||||
// Handle passkey authentication
|
||||
const token = await this.getPasskeyToken(did);
|
||||
headers["Authorization"] = `Bearer ${token}`;
|
||||
} else {
|
||||
// Handle regular authentication
|
||||
const token = await this.getAccessToken(did);
|
||||
headers["Authorization"] = `Bearer ${token}`;
|
||||
}
|
||||
} catch (error) {
|
||||
logger.error("Failed to get headers:", error);
|
||||
}
|
||||
}
|
||||
|
||||
return headers;
|
||||
}
|
||||
|
||||
private async getPasskeyToken(did: string): Promise<string> {
|
||||
// For now, use the same token mechanism as regular auth
|
||||
// TODO: Implement proper passkey authentication
|
||||
return this.getAccessToken(did);
|
||||
}
|
||||
|
||||
private async getAccessToken(did: string): Promise<string> {
|
||||
try {
|
||||
const token = await accessToken(did);
|
||||
if (!token) {
|
||||
throw new Error("Failed to generate access token");
|
||||
}
|
||||
return token;
|
||||
} catch (error) {
|
||||
logger.error("Error getting access token:", error);
|
||||
throw new Error("Failed to get access token: " + (error instanceof Error ? error.message : String(error)));
|
||||
}
|
||||
}
|
||||
|
||||
async getSQLite(): Promise<SQLiteOperations> {
|
||||
if (!this.sqliteService) {
|
||||
this.sqliteService = new WebSQLiteService();
|
||||
}
|
||||
return this.sqliteService;
|
||||
}
|
||||
|
||||
async getPlanFromCache(
|
||||
handleId: string | undefined,
|
||||
axios: Axios,
|
||||
apiServer: string,
|
||||
requesterDid?: string,
|
||||
): Promise<PlanSummaryRecord | undefined> {
|
||||
return getPlanFromCacheImpl(handleId, axios, apiServer, requesterDid);
|
||||
}
|
||||
}
|
||||
|
||||
248
src/services/sqlite/AbsurdSQLService.ts
Normal file
248
src/services/sqlite/AbsurdSQLService.ts
Normal file
@@ -0,0 +1,248 @@
|
||||
import initSqlJs, { Database } from "@jlongster/sql.js";
|
||||
import { SQLiteFS } from "absurd-sql";
|
||||
import { IndexedDBBackend } from "absurd-sql/dist/indexeddb-backend";
|
||||
import { BaseSQLiteService } from "./BaseSQLiteService";
|
||||
import {
|
||||
SQLiteConfig,
|
||||
SQLiteResult,
|
||||
PreparedStatement,
|
||||
} from "../PlatformService";
|
||||
import { logger } from "../../utils/logger";
|
||||
|
||||
/**
|
||||
* SQLite implementation using absurd-sql for web browsers.
|
||||
* Provides SQLite access in the browser using Web Workers and IndexedDB.
|
||||
*/
|
||||
export class AbsurdSQLService extends BaseSQLiteService {
|
||||
private db: Database | null = null;
|
||||
private worker: Worker | null = null;
|
||||
private config: SQLiteConfig | null = null;
|
||||
|
||||
async initialize(config: SQLiteConfig): Promise<void> {
|
||||
if (this.initialized) {
|
||||
return;
|
||||
}
|
||||
|
||||
try {
|
||||
this.config = config;
|
||||
const SQL = await initSqlJs({
|
||||
locateFile: (file) => `/sql-wasm/${file}`,
|
||||
});
|
||||
|
||||
// Initialize the virtual file system
|
||||
const backend = new IndexedDBBackend(this.config.name);
|
||||
const fs = new SQLiteFS(SQL.FS, backend);
|
||||
SQL.register_for_idb(fs);
|
||||
|
||||
// Create and initialize the database
|
||||
this.db = new SQL.Database(this.config.name, {
|
||||
filename: true,
|
||||
});
|
||||
|
||||
// Configure database settings
|
||||
if (this.config.useWAL) {
|
||||
await this.execute("PRAGMA journal_mode = WAL");
|
||||
this.stats.walMode = true;
|
||||
}
|
||||
|
||||
if (this.config.useMMap) {
|
||||
const mmapSize = this.config.mmapSize ?? 30000000000;
|
||||
await this.execute(`PRAGMA mmap_size = ${mmapSize}`);
|
||||
this.stats.mmapActive = true;
|
||||
}
|
||||
|
||||
// Set other pragmas for performance
|
||||
await this.execute("PRAGMA synchronous = NORMAL");
|
||||
await this.execute("PRAGMA temp_store = MEMORY");
|
||||
await this.execute("PRAGMA cache_size = -2000"); // Use 2MB of cache
|
||||
|
||||
// Start the Web Worker for async operations
|
||||
this.worker = new Worker(new URL("./sqlite.worker.ts", import.meta.url), {
|
||||
type: "module",
|
||||
});
|
||||
|
||||
this.initialized = true;
|
||||
await this.updateStats();
|
||||
} catch (error) {
|
||||
logger.error("Failed to initialize Absurd SQL:", error);
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
async close(): Promise<void> {
|
||||
if (!this.initialized || !this.db) {
|
||||
return;
|
||||
}
|
||||
|
||||
try {
|
||||
// Finalize all prepared statements
|
||||
for (const [_sql, stmt] of this.preparedStatements) {
|
||||
logger.debug("finalizing statement", _sql);
|
||||
await stmt.finalize();
|
||||
}
|
||||
this.preparedStatements.clear();
|
||||
|
||||
// Close the database
|
||||
this.db.close();
|
||||
this.db = null;
|
||||
|
||||
// Terminate the worker
|
||||
if (this.worker) {
|
||||
this.worker.terminate();
|
||||
this.worker = null;
|
||||
}
|
||||
|
||||
this.initialized = false;
|
||||
} catch (error) {
|
||||
logger.error("Failed to close Absurd SQL connection:", error);
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
protected async _executeQuery<T>(
|
||||
sql: string,
|
||||
params: unknown[] = [],
|
||||
operation: "query" | "execute" = "query",
|
||||
): Promise<SQLiteResult<T>> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
let lastInsertId: number | undefined = undefined;
|
||||
|
||||
if (operation === "query") {
|
||||
const stmt = this.db.prepare(sql);
|
||||
const rows: T[] = [];
|
||||
|
||||
try {
|
||||
while (stmt.step()) {
|
||||
rows.push(stmt.getAsObject() as T);
|
||||
}
|
||||
} finally {
|
||||
stmt.free();
|
||||
}
|
||||
|
||||
// Get last insert ID safely
|
||||
const result = this.db.exec("SELECT last_insert_rowid() AS id");
|
||||
lastInsertId =
|
||||
(result?.[0]?.values?.[0]?.[0] as number | undefined) ?? undefined;
|
||||
|
||||
return {
|
||||
rows,
|
||||
rowsAffected: this.db.getRowsModified(),
|
||||
lastInsertId,
|
||||
executionTime: 0, // Will be set by base class
|
||||
};
|
||||
} else {
|
||||
this.db.run(sql, params);
|
||||
|
||||
// Get last insert ID after execute
|
||||
const result = this.db.exec("SELECT last_insert_rowid() AS id");
|
||||
lastInsertId =
|
||||
(result?.[0]?.values?.[0]?.[0] as number | undefined) ?? undefined;
|
||||
|
||||
return {
|
||||
rows: [],
|
||||
rowsAffected: this.db.getRowsModified(),
|
||||
lastInsertId,
|
||||
executionTime: 0,
|
||||
};
|
||||
}
|
||||
} catch (error) {
|
||||
logger.error("Absurd SQL query failed:", {
|
||||
sql,
|
||||
params,
|
||||
error: error instanceof Error ? error.message : String(error),
|
||||
});
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
protected async _beginTransaction(): Promise<void> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
this.db.exec("BEGIN TRANSACTION");
|
||||
}
|
||||
|
||||
protected async _commitTransaction(): Promise<void> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
this.db.exec("COMMIT");
|
||||
}
|
||||
|
||||
protected async _rollbackTransaction(): Promise<void> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
this.db.exec("ROLLBACK");
|
||||
}
|
||||
|
||||
protected async _prepareStatement<T>(
|
||||
_sql: string,
|
||||
): Promise<PreparedStatement<T>> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
const stmt = this.db.prepare(_sql);
|
||||
return {
|
||||
execute: async (params: unknown[] = []) => {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
const rows: T[] = [];
|
||||
stmt.bind(params);
|
||||
while (stmt.step()) {
|
||||
rows.push(stmt.getAsObject() as T);
|
||||
}
|
||||
|
||||
// Safely extract lastInsertId
|
||||
const result = this.db.exec("SELECT last_insert_rowid()");
|
||||
const rawId = result?.[0]?.values?.[0]?.[0];
|
||||
const lastInsertId = typeof rawId === "number" ? rawId : undefined;
|
||||
|
||||
return {
|
||||
rows,
|
||||
rowsAffected: this.db.getRowsModified(),
|
||||
lastInsertId,
|
||||
executionTime: 0, // Will be set by base class
|
||||
};
|
||||
} finally {
|
||||
stmt.reset();
|
||||
}
|
||||
},
|
||||
finalize: async () => {
|
||||
stmt.free();
|
||||
},
|
||||
};
|
||||
}
|
||||
|
||||
protected async _finalizeStatement(_sql: string): Promise<void> {
|
||||
// Statements are finalized when the PreparedStatement is finalized
|
||||
}
|
||||
|
||||
async getDatabaseSize(): Promise<number> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
const result = this.db.exec(
|
||||
"SELECT page_count * page_size as size FROM pragma_page_count(), pragma_page_size()",
|
||||
);
|
||||
|
||||
const rawSize = result?.[0]?.values?.[0]?.[0];
|
||||
const size = typeof rawSize === "number" ? rawSize : 0;
|
||||
|
||||
return size;
|
||||
} catch (error) {
|
||||
logger.error("Failed to get database size:", error);
|
||||
return 0;
|
||||
}
|
||||
}
|
||||
}
|
||||
383
src/services/sqlite/BaseSQLiteService.ts
Normal file
383
src/services/sqlite/BaseSQLiteService.ts
Normal file
@@ -0,0 +1,383 @@
|
||||
import {
|
||||
SQLiteOperations,
|
||||
SQLiteConfig,
|
||||
SQLiteResult,
|
||||
PreparedStatement,
|
||||
SQLiteStats,
|
||||
} from "../PlatformService";
|
||||
import { Settings, MASTER_SETTINGS_KEY } from "../../db/tables/settings";
|
||||
import { logger } from "../../utils/logger";
|
||||
|
||||
/**
|
||||
* Base class for SQLite implementations across different platforms.
|
||||
* Provides common functionality and error handling.
|
||||
*/
|
||||
export abstract class BaseSQLiteService implements SQLiteOperations {
|
||||
protected initialized = false;
|
||||
protected stats: SQLiteStats = {
|
||||
totalQueries: 0,
|
||||
avgExecutionTime: 0,
|
||||
preparedStatements: 0,
|
||||
databaseSize: 0,
|
||||
walMode: false,
|
||||
mmapActive: false,
|
||||
};
|
||||
protected preparedStatements: Map<string, PreparedStatement<unknown>> =
|
||||
new Map();
|
||||
|
||||
abstract initialize(config: SQLiteConfig): Promise<void>;
|
||||
abstract close(): Promise<void>;
|
||||
abstract getDatabaseSize(): Promise<number>;
|
||||
|
||||
protected async executeQuery<T>(
|
||||
sql: string,
|
||||
params: unknown[] = [],
|
||||
operation: "query" | "execute" = "query",
|
||||
): Promise<SQLiteResult<T>> {
|
||||
if (!this.initialized) {
|
||||
throw new Error("SQLite database not initialized");
|
||||
}
|
||||
|
||||
const startTime = performance.now();
|
||||
try {
|
||||
const result = await this._executeQuery<T>(sql, params, operation);
|
||||
const executionTime = performance.now() - startTime;
|
||||
|
||||
// Update stats
|
||||
this.stats.totalQueries++;
|
||||
this.stats.avgExecutionTime =
|
||||
(this.stats.avgExecutionTime * (this.stats.totalQueries - 1) +
|
||||
executionTime) /
|
||||
this.stats.totalQueries;
|
||||
|
||||
return {
|
||||
...result,
|
||||
executionTime,
|
||||
};
|
||||
} catch (error) {
|
||||
logger.error("SQLite query failed:", {
|
||||
sql,
|
||||
params,
|
||||
error: error instanceof Error ? error.message : String(error),
|
||||
});
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
protected abstract _executeQuery<T>(
|
||||
sql: string,
|
||||
params: unknown[],
|
||||
operation: "query" | "execute",
|
||||
): Promise<SQLiteResult<T>>;
|
||||
|
||||
async query<T>(
|
||||
sql: string,
|
||||
params: unknown[] = [],
|
||||
): Promise<SQLiteResult<T>> {
|
||||
return this.executeQuery<T>(sql, params, "query");
|
||||
}
|
||||
|
||||
async execute(sql: string, params: unknown[] = []): Promise<number> {
|
||||
const result = await this.executeQuery<unknown>(sql, params, "execute");
|
||||
return result.rowsAffected;
|
||||
}
|
||||
|
||||
async transaction(
|
||||
statements: { sql: string; params?: unknown[] }[],
|
||||
): Promise<void> {
|
||||
if (!this.initialized) {
|
||||
throw new Error("SQLite database not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
await this._beginTransaction();
|
||||
for (const { sql, params = [] } of statements) {
|
||||
await this.executeQuery(sql, params, "execute");
|
||||
}
|
||||
await this._commitTransaction();
|
||||
} catch (error) {
|
||||
await this._rollbackTransaction();
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
protected abstract _beginTransaction(): Promise<void>;
|
||||
protected abstract _commitTransaction(): Promise<void>;
|
||||
protected abstract _rollbackTransaction(): Promise<void>;
|
||||
|
||||
async getMaxValue<T>(
|
||||
table: string,
|
||||
column: string,
|
||||
where?: string,
|
||||
params: unknown[] = [],
|
||||
): Promise<T | null> {
|
||||
const sql = `SELECT MAX(${column}) as max_value FROM ${table}${where ? ` WHERE ${where}` : ""}`;
|
||||
const result = await this.query<{ max_value: T }>(sql, params);
|
||||
return result.rows[0]?.max_value ?? null;
|
||||
}
|
||||
|
||||
async prepare<T>(sql: string): Promise<PreparedStatement<T>> {
|
||||
if (!this.initialized) {
|
||||
throw new Error("SQLite database not initialized");
|
||||
}
|
||||
|
||||
const stmt = await this._prepareStatement<T>(sql);
|
||||
this.stats.preparedStatements++;
|
||||
this.preparedStatements.set(sql, stmt);
|
||||
|
||||
return {
|
||||
execute: async (params: unknown[] = []) => {
|
||||
return this.executeQuery<T>(sql, params, "query");
|
||||
},
|
||||
finalize: async () => {
|
||||
await this._finalizeStatement(sql);
|
||||
this.preparedStatements.delete(sql);
|
||||
this.stats.preparedStatements--;
|
||||
},
|
||||
};
|
||||
}
|
||||
|
||||
protected abstract _prepareStatement<T>(
|
||||
sql: string,
|
||||
): Promise<PreparedStatement<T>>;
|
||||
protected abstract _finalizeStatement(sql: string): Promise<void>;
|
||||
|
||||
async getStats(): Promise<SQLiteStats> {
|
||||
return {
|
||||
...this.stats,
|
||||
databaseSize: await this.getDatabaseSize(),
|
||||
};
|
||||
}
|
||||
|
||||
protected async updateStats(): Promise<void> {
|
||||
this.stats.databaseSize = await this.getDatabaseSize();
|
||||
// Platform-specific stats updates can be implemented in subclasses
|
||||
}
|
||||
|
||||
protected async setupSchema(): Promise<void> {
|
||||
await this.execute(`
|
||||
CREATE TABLE IF NOT EXISTS settings (
|
||||
id INTEGER PRIMARY KEY,
|
||||
accountDid TEXT,
|
||||
activeDid TEXT,
|
||||
apiServer TEXT,
|
||||
filterFeedByNearby INTEGER,
|
||||
filterFeedByVisible INTEGER,
|
||||
finishedOnboarding INTEGER,
|
||||
firstName TEXT,
|
||||
hideRegisterPromptOnNewContact INTEGER,
|
||||
isRegistered INTEGER,
|
||||
lastName TEXT,
|
||||
lastAckedOfferToUserJwtId TEXT,
|
||||
lastAckedOfferToUserProjectsJwtId TEXT,
|
||||
lastNotifiedClaimId TEXT,
|
||||
lastViewedClaimId TEXT,
|
||||
notifyingNewActivityTime TEXT,
|
||||
notifyingReminderMessage TEXT,
|
||||
notifyingReminderTime TEXT,
|
||||
partnerApiServer TEXT,
|
||||
passkeyExpirationMinutes INTEGER,
|
||||
profileImageUrl TEXT,
|
||||
searchBoxes TEXT,
|
||||
showContactGivesInline INTEGER,
|
||||
showGeneralAdvanced INTEGER,
|
||||
showShortcutBvc INTEGER,
|
||||
vapid TEXT,
|
||||
warnIfProdServer INTEGER,
|
||||
warnIfTestServer INTEGER,
|
||||
webPushServer TEXT
|
||||
)
|
||||
`);
|
||||
}
|
||||
|
||||
protected async settingsToRow(
|
||||
settings: Partial<Settings>,
|
||||
): Promise<Record<string, unknown>> {
|
||||
const row: Record<string, unknown> = {};
|
||||
|
||||
// Convert boolean values to integers for SQLite
|
||||
if ("filterFeedByNearby" in settings)
|
||||
row.filterFeedByNearby = settings.filterFeedByNearby ? 1 : 0;
|
||||
if ("filterFeedByVisible" in settings)
|
||||
row.filterFeedByVisible = settings.filterFeedByVisible ? 1 : 0;
|
||||
if ("finishedOnboarding" in settings)
|
||||
row.finishedOnboarding = settings.finishedOnboarding ? 1 : 0;
|
||||
if ("hideRegisterPromptOnNewContact" in settings)
|
||||
row.hideRegisterPromptOnNewContact =
|
||||
settings.hideRegisterPromptOnNewContact ? 1 : 0;
|
||||
if ("isRegistered" in settings)
|
||||
row.isRegistered = settings.isRegistered ? 1 : 0;
|
||||
if ("showContactGivesInline" in settings)
|
||||
row.showContactGivesInline = settings.showContactGivesInline ? 1 : 0;
|
||||
if ("showGeneralAdvanced" in settings)
|
||||
row.showGeneralAdvanced = settings.showGeneralAdvanced ? 1 : 0;
|
||||
if ("showShortcutBvc" in settings)
|
||||
row.showShortcutBvc = settings.showShortcutBvc ? 1 : 0;
|
||||
if ("warnIfProdServer" in settings)
|
||||
row.warnIfProdServer = settings.warnIfProdServer ? 1 : 0;
|
||||
if ("warnIfTestServer" in settings)
|
||||
row.warnIfTestServer = settings.warnIfTestServer ? 1 : 0;
|
||||
|
||||
// Handle JSON fields
|
||||
if ("searchBoxes" in settings)
|
||||
row.searchBoxes = JSON.stringify(settings.searchBoxes);
|
||||
|
||||
// Copy all other fields as is
|
||||
Object.entries(settings).forEach(([key, value]) => {
|
||||
if (!(key in row)) {
|
||||
row[key] = value;
|
||||
}
|
||||
});
|
||||
|
||||
return row;
|
||||
}
|
||||
|
||||
protected async rowToSettings(
|
||||
row: Record<string, unknown>,
|
||||
): Promise<Settings> {
|
||||
const settings: Settings = {};
|
||||
|
||||
// Convert integer values back to booleans
|
||||
if ("filterFeedByNearby" in row)
|
||||
settings.filterFeedByNearby = !!row.filterFeedByNearby;
|
||||
if ("filterFeedByVisible" in row)
|
||||
settings.filterFeedByVisible = !!row.filterFeedByVisible;
|
||||
if ("finishedOnboarding" in row)
|
||||
settings.finishedOnboarding = !!row.finishedOnboarding;
|
||||
if ("hideRegisterPromptOnNewContact" in row)
|
||||
settings.hideRegisterPromptOnNewContact =
|
||||
!!row.hideRegisterPromptOnNewContact;
|
||||
if ("isRegistered" in row) settings.isRegistered = !!row.isRegistered;
|
||||
if ("showContactGivesInline" in row)
|
||||
settings.showContactGivesInline = !!row.showContactGivesInline;
|
||||
if ("showGeneralAdvanced" in row)
|
||||
settings.showGeneralAdvanced = !!row.showGeneralAdvanced;
|
||||
if ("showShortcutBvc" in row)
|
||||
settings.showShortcutBvc = !!row.showShortcutBvc;
|
||||
if ("warnIfProdServer" in row)
|
||||
settings.warnIfProdServer = !!row.warnIfProdServer;
|
||||
if ("warnIfTestServer" in row)
|
||||
settings.warnIfTestServer = !!row.warnIfTestServer;
|
||||
|
||||
// Parse JSON fields
|
||||
if ("searchBoxes" in row && row.searchBoxes) {
|
||||
try {
|
||||
settings.searchBoxes = JSON.parse(row.searchBoxes);
|
||||
} catch (error) {
|
||||
logger.error("Error parsing searchBoxes JSON:", error);
|
||||
}
|
||||
}
|
||||
|
||||
// Copy all other fields as is
|
||||
Object.entries(row).forEach(([key, value]) => {
|
||||
if (!(key in settings)) {
|
||||
(settings as Record<string, unknown>)[key] = value;
|
||||
}
|
||||
});
|
||||
|
||||
return settings;
|
||||
}
|
||||
|
||||
async updateMasterSettings(
|
||||
settingsChanges: Partial<Settings>,
|
||||
): Promise<void> {
|
||||
try {
|
||||
const row = await this.settingsToRow(settingsChanges);
|
||||
row.id = MASTER_SETTINGS_KEY;
|
||||
delete row.accountDid;
|
||||
|
||||
const result = await this.execute(
|
||||
`UPDATE settings SET ${Object.keys(row)
|
||||
.map((k) => `${k} = ?`)
|
||||
.join(", ")} WHERE id = ?`,
|
||||
[...Object.values(row), MASTER_SETTINGS_KEY],
|
||||
);
|
||||
|
||||
if (result === 0) {
|
||||
// If no record was updated, create a new one
|
||||
await this.execute(
|
||||
`INSERT INTO settings (${Object.keys(row).join(", ")}) VALUES (${Object.keys(
|
||||
row,
|
||||
)
|
||||
.map(() => "?")
|
||||
.join(", ")})`,
|
||||
Object.values(row),
|
||||
);
|
||||
}
|
||||
} catch (error) {
|
||||
logger.error("Error updating master settings:", error);
|
||||
throw new Error("Failed to update settings");
|
||||
}
|
||||
}
|
||||
|
||||
async getActiveAccountSettings(): Promise<Settings> {
|
||||
try {
|
||||
const defaultSettings = await this.query<Record<string, unknown>>(
|
||||
"SELECT * FROM settings WHERE id = ?",
|
||||
[MASTER_SETTINGS_KEY],
|
||||
);
|
||||
|
||||
if (!defaultSettings.rows.length) {
|
||||
return {};
|
||||
}
|
||||
|
||||
const settings = await this.rowToSettings(defaultSettings.rows[0]);
|
||||
|
||||
if (!settings.activeDid) {
|
||||
return settings;
|
||||
}
|
||||
|
||||
const overrideSettings = await this.query<Record<string, unknown>>(
|
||||
"SELECT * FROM settings WHERE accountDid = ?",
|
||||
[settings.activeDid],
|
||||
);
|
||||
|
||||
if (!overrideSettings.rows.length) {
|
||||
return settings;
|
||||
}
|
||||
|
||||
const override = await this.rowToSettings(overrideSettings.rows[0]);
|
||||
return { ...settings, ...override };
|
||||
} catch (error) {
|
||||
logger.error("Error getting active account settings:", error);
|
||||
throw new Error("Failed to get settings");
|
||||
}
|
||||
}
|
||||
|
||||
async updateAccountSettings(
|
||||
accountDid: string,
|
||||
settingsChanges: Partial<Settings>,
|
||||
): Promise<void> {
|
||||
try {
|
||||
const row = await this.settingsToRow(settingsChanges);
|
||||
row.accountDid = accountDid;
|
||||
|
||||
const result = await this.execute(
|
||||
`UPDATE settings SET ${Object.keys(row)
|
||||
.map((k) => `${k} = ?`)
|
||||
.join(", ")} WHERE accountDid = ?`,
|
||||
[...Object.values(row), accountDid],
|
||||
);
|
||||
|
||||
if (result === 0) {
|
||||
// If no record was updated, create a new one
|
||||
const idResult = await this.query<{ max: number }>(
|
||||
"SELECT MAX(id) as max FROM settings",
|
||||
);
|
||||
row.id = (idResult.rows[0]?.max || 0) + 1;
|
||||
|
||||
await this.execute(
|
||||
`INSERT INTO settings (${Object.keys(row).join(", ")}) VALUES (${Object.keys(
|
||||
row,
|
||||
)
|
||||
.map(() => "?")
|
||||
.join(", ")})`,
|
||||
Object.values(row),
|
||||
);
|
||||
}
|
||||
} catch (error) {
|
||||
logger.error("Error updating account settings:", error);
|
||||
throw new Error("Failed to update settings");
|
||||
}
|
||||
}
|
||||
}
|
||||
176
src/services/sqlite/CapacitorSQLiteService.ts
Normal file
176
src/services/sqlite/CapacitorSQLiteService.ts
Normal file
@@ -0,0 +1,176 @@
|
||||
import {
|
||||
CapacitorSQLite,
|
||||
SQLiteConnection,
|
||||
SQLiteDBConnection,
|
||||
} from "@capacitor-community/sqlite";
|
||||
import { BaseSQLiteService } from "./BaseSQLiteService";
|
||||
import {
|
||||
SQLiteConfig,
|
||||
SQLiteResult,
|
||||
PreparedStatement,
|
||||
} from "../PlatformService";
|
||||
import { logger } from "../../utils/logger";
|
||||
|
||||
/**
|
||||
* SQLite implementation using the Capacitor SQLite plugin.
|
||||
* Provides native SQLite access on mobile platforms.
|
||||
*/
|
||||
export class CapacitorSQLiteService extends BaseSQLiteService {
|
||||
private connection: SQLiteDBConnection | null = null;
|
||||
private sqlite: SQLiteConnection | null = null;
|
||||
|
||||
async initialize(config: SQLiteConfig): Promise<void> {
|
||||
if (this.initialized) {
|
||||
return;
|
||||
}
|
||||
|
||||
try {
|
||||
this.sqlite = new SQLiteConnection(CapacitorSQLite);
|
||||
const db = await this.sqlite.createConnection(
|
||||
config.name,
|
||||
config.useWAL ?? false,
|
||||
"no-encryption",
|
||||
1,
|
||||
false,
|
||||
);
|
||||
|
||||
await db.open();
|
||||
this.connection = db;
|
||||
|
||||
// Configure database settings
|
||||
if (config.useWAL) {
|
||||
await this.execute("PRAGMA journal_mode = WAL");
|
||||
this.stats.walMode = true;
|
||||
}
|
||||
|
||||
// Set other pragmas for performance
|
||||
await this.execute("PRAGMA synchronous = NORMAL");
|
||||
await this.execute("PRAGMA temp_store = MEMORY");
|
||||
await this.execute("PRAGMA mmap_size = 30000000000");
|
||||
this.stats.mmapActive = true;
|
||||
|
||||
// Set up database schema
|
||||
await this.setupSchema();
|
||||
|
||||
this.initialized = true;
|
||||
await this.updateStats();
|
||||
} catch (error) {
|
||||
logger.error("Failed to initialize Capacitor SQLite:", error);
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
async close(): Promise<void> {
|
||||
if (!this.initialized || !this.connection || !this.sqlite) {
|
||||
return;
|
||||
}
|
||||
|
||||
try {
|
||||
await this.connection.close();
|
||||
await this.sqlite.closeConnection(this.connection);
|
||||
this.connection = null;
|
||||
this.sqlite = null;
|
||||
this.initialized = false;
|
||||
} catch (error) {
|
||||
logger.error("Failed to close Capacitor SQLite connection:", error);
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
protected async _executeQuery<T>(
|
||||
sql: string,
|
||||
params: unknown[] = [],
|
||||
operation: "query" | "execute" = "query",
|
||||
): Promise<SQLiteResult<T>> {
|
||||
if (!this.connection) {
|
||||
throw new Error("Database connection not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
if (operation === "query") {
|
||||
const result = await this.connection.query(sql, params);
|
||||
return {
|
||||
rows: result.values as T[],
|
||||
rowsAffected: result.changes?.changes ?? 0,
|
||||
lastInsertId: result.changes?.lastId,
|
||||
executionTime: 0, // Will be set by base class
|
||||
};
|
||||
} else {
|
||||
const result = await this.connection.run(sql, params);
|
||||
return {
|
||||
rows: [],
|
||||
rowsAffected: result.changes?.changes ?? 0,
|
||||
lastInsertId: result.changes?.lastId,
|
||||
executionTime: 0, // Will be set by base class
|
||||
};
|
||||
}
|
||||
} catch (error) {
|
||||
logger.error("Capacitor SQLite query failed:", {
|
||||
sql,
|
||||
params,
|
||||
error: error instanceof Error ? error.message : String(error),
|
||||
});
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
protected async _beginTransaction(): Promise<void> {
|
||||
if (!this.connection) {
|
||||
throw new Error("Database connection not initialized");
|
||||
}
|
||||
await this.connection.execute("BEGIN TRANSACTION");
|
||||
}
|
||||
|
||||
protected async _commitTransaction(): Promise<void> {
|
||||
if (!this.connection) {
|
||||
throw new Error("Database connection not initialized");
|
||||
}
|
||||
await this.connection.execute("COMMIT");
|
||||
}
|
||||
|
||||
protected async _rollbackTransaction(): Promise<void> {
|
||||
if (!this.connection) {
|
||||
throw new Error("Database connection not initialized");
|
||||
}
|
||||
await this.connection.execute("ROLLBACK");
|
||||
}
|
||||
|
||||
protected async _prepareStatement<T>(
|
||||
sql: string,
|
||||
): Promise<PreparedStatement<T>> {
|
||||
if (!this.connection) {
|
||||
throw new Error("Database connection not initialized");
|
||||
}
|
||||
|
||||
// Capacitor SQLite doesn't support prepared statements directly,
|
||||
// so we'll simulate it by storing the SQL
|
||||
return {
|
||||
execute: async (params: unknown[] = []) => {
|
||||
return this.executeQuery<T>(sql, params, "query");
|
||||
},
|
||||
finalize: async () => {
|
||||
// No cleanup needed for Capacitor SQLite
|
||||
},
|
||||
};
|
||||
}
|
||||
|
||||
protected async _finalizeStatement(_sql: string): Promise<void> {
|
||||
// No cleanup needed for Capacitor SQLite
|
||||
}
|
||||
|
||||
async getDatabaseSize(): Promise<number> {
|
||||
if (!this.connection) {
|
||||
throw new Error("Database connection not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
const result = await this.connection.query(
|
||||
"SELECT page_count * page_size as size FROM pragma_page_count(), pragma_page_size()",
|
||||
);
|
||||
return result.values?.[0]?.size ?? 0;
|
||||
} catch (error) {
|
||||
logger.error("Failed to get database size:", error);
|
||||
return 0;
|
||||
}
|
||||
}
|
||||
}
|
||||
170
src/services/sqlite/WebSQLiteService.ts
Normal file
170
src/services/sqlite/WebSQLiteService.ts
Normal file
@@ -0,0 +1,170 @@
|
||||
import { BaseSQLiteService } from "./BaseSQLiteService";
|
||||
import { SQLiteConfig, SQLiteOperations, SQLiteResult, PreparedStatement, SQLiteStats } from "../PlatformService";
|
||||
import { logger } from "../../utils/logger";
|
||||
import initSqlJs, { Database } from "@jlongster/sql.js";
|
||||
import { SQLiteFS } from "absurd-sql";
|
||||
import IndexedDBBackend from "absurd-sql/dist/indexeddb-backend";
|
||||
|
||||
/**
|
||||
* SQLite implementation for web platform using absurd-sql
|
||||
*/
|
||||
export class WebSQLiteService extends BaseSQLiteService {
|
||||
private db: Database | null = null;
|
||||
private config: SQLiteConfig | null = null;
|
||||
private worker: Worker | null = null;
|
||||
|
||||
async initialize(config: SQLiteConfig): Promise<void> {
|
||||
if (this.initialized) {
|
||||
return;
|
||||
}
|
||||
|
||||
try {
|
||||
this.config = config;
|
||||
|
||||
// Initialize SQL.js
|
||||
const SQL = await initSqlJs({
|
||||
locateFile: (file) => `/sql-wasm.wasm`,
|
||||
});
|
||||
|
||||
// Create a worker for SQLite operations
|
||||
this.worker = new Worker("/sql-worker.js");
|
||||
|
||||
// Initialize SQLiteFS with IndexedDB backend
|
||||
const backend = new IndexedDBBackend();
|
||||
const fs = new SQLiteFS(backend, this.worker);
|
||||
|
||||
// Create database file
|
||||
const dbPath = `/${config.name}.db`;
|
||||
if (!(await fs.exists(dbPath))) {
|
||||
await fs.writeFile(dbPath, new Uint8Array(0));
|
||||
}
|
||||
|
||||
// Open database
|
||||
this.db = new SQL.Database(dbPath, { filename: true });
|
||||
|
||||
// Configure database settings
|
||||
if (config.useWAL) {
|
||||
await this.execute("PRAGMA journal_mode = WAL");
|
||||
this.stats.walMode = true;
|
||||
}
|
||||
|
||||
// Set other pragmas for performance
|
||||
await this.execute("PRAGMA synchronous = NORMAL");
|
||||
await this.execute("PRAGMA temp_store = MEMORY");
|
||||
await this.execute("PRAGMA cache_size = -2000"); // Use 2MB of cache
|
||||
|
||||
this.initialized = true;
|
||||
await this.updateStats();
|
||||
} catch (error) {
|
||||
logger.error("Failed to initialize Web SQLite:", error);
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
protected async _executeQuery<T>(
|
||||
sql: string,
|
||||
params: unknown[] = [],
|
||||
operation: "query" | "execute" = "query",
|
||||
): Promise<SQLiteResult<T>> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
if (operation === "query") {
|
||||
const stmt = this.db.prepare(sql);
|
||||
const results = stmt.get(params) as T[];
|
||||
stmt.free();
|
||||
return { results };
|
||||
} else {
|
||||
const stmt = this.db.prepare(sql);
|
||||
stmt.run(params);
|
||||
const changes = this.db.getRowsModified();
|
||||
stmt.free();
|
||||
return { changes };
|
||||
}
|
||||
} catch (error) {
|
||||
logger.error("SQLite query failed:", {
|
||||
sql,
|
||||
params,
|
||||
error: error instanceof Error ? error.message : String(error),
|
||||
});
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
async close(): Promise<void> {
|
||||
if (this.db) {
|
||||
this.db.close();
|
||||
this.db = null;
|
||||
}
|
||||
if (this.worker) {
|
||||
this.worker.terminate();
|
||||
this.worker = null;
|
||||
}
|
||||
this.initialized = false;
|
||||
}
|
||||
|
||||
async getDatabaseSize(): Promise<number> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
const result = await this.query<{ size: number }>("SELECT page_count * page_size as size FROM pragma_page_count(), pragma_page_size()");
|
||||
return result.results[0]?.size || 0;
|
||||
}
|
||||
|
||||
async prepare<T>(sql: string): Promise<PreparedStatement<T>> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
const stmt = this.db.prepare(sql);
|
||||
const key = sql;
|
||||
|
||||
const preparedStmt: PreparedStatement<T> = {
|
||||
execute: async (params: unknown[] = []) => {
|
||||
try {
|
||||
const results = stmt.get(params) as T[];
|
||||
return { results };
|
||||
} catch (error) {
|
||||
logger.error("Prepared statement execution failed:", {
|
||||
sql,
|
||||
params,
|
||||
error: error instanceof Error ? error.message : String(error),
|
||||
});
|
||||
throw error;
|
||||
}
|
||||
},
|
||||
finalize: () => {
|
||||
stmt.free();
|
||||
this.preparedStatements.delete(key);
|
||||
this.stats.preparedStatements--;
|
||||
},
|
||||
};
|
||||
|
||||
this.preparedStatements.set(key, preparedStmt);
|
||||
this.stats.preparedStatements++;
|
||||
|
||||
return preparedStmt;
|
||||
}
|
||||
|
||||
async getStats(): Promise<SQLiteStats> {
|
||||
await this.updateStats();
|
||||
return this.stats;
|
||||
}
|
||||
|
||||
private async updateStats(): Promise<void> {
|
||||
if (!this.db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
const size = await this.getDatabaseSize();
|
||||
this.stats.databaseSize = size;
|
||||
|
||||
const walResult = await this.query<{ journal_mode: string }>("PRAGMA journal_mode");
|
||||
this.stats.walMode = walResult.results[0]?.journal_mode === "wal";
|
||||
|
||||
const mmapResult = await this.query<{ mmap_size: number }>("PRAGMA mmap_size");
|
||||
this.stats.mmapActive = mmapResult.results[0]?.mmap_size > 0;
|
||||
}
|
||||
}
|
||||
150
src/services/sqlite/sqlite.worker.ts
Normal file
150
src/services/sqlite/sqlite.worker.ts
Normal file
@@ -0,0 +1,150 @@
|
||||
import initSqlJs, { Database } from "@jlongster/sql.js";
|
||||
import { SQLiteFS } from "absurd-sql";
|
||||
import { IndexedDBBackend } from "absurd-sql/dist/indexeddb-backend";
|
||||
|
||||
interface WorkerMessage {
|
||||
type: "init" | "query" | "execute" | "transaction" | "close";
|
||||
id: string;
|
||||
dbName?: string;
|
||||
sql?: string;
|
||||
params?: unknown[];
|
||||
statements?: { sql: string; params?: unknown[] }[];
|
||||
}
|
||||
|
||||
interface WorkerResponse {
|
||||
id: string;
|
||||
error?: string;
|
||||
result?: unknown;
|
||||
}
|
||||
|
||||
let db: Database | null = null;
|
||||
|
||||
async function initialize(dbName: string): Promise<void> {
|
||||
if (db) {
|
||||
return;
|
||||
}
|
||||
|
||||
const SQL = await initSqlJs({
|
||||
locateFile: (file: string) => `/sql-wasm/${file}`,
|
||||
});
|
||||
|
||||
// Initialize the virtual file system
|
||||
const backend = new IndexedDBBackend(dbName);
|
||||
const fs = new SQLiteFS(SQL.FS, backend);
|
||||
SQL.register_for_idb(fs);
|
||||
|
||||
// Create and initialize the database
|
||||
db = new SQL.Database(dbName, {
|
||||
filename: true,
|
||||
});
|
||||
|
||||
// Configure database settings
|
||||
db.exec("PRAGMA synchronous = NORMAL");
|
||||
db.exec("PRAGMA temp_store = MEMORY");
|
||||
db.exec("PRAGMA cache_size = -2000"); // Use 2MB of cache
|
||||
}
|
||||
|
||||
async function executeQuery(
|
||||
sql: string,
|
||||
params: unknown[] = [],
|
||||
): Promise<unknown> {
|
||||
if (!db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
const stmt = db.prepare(sql);
|
||||
try {
|
||||
const rows: unknown[] = [];
|
||||
stmt.bind(params);
|
||||
while (stmt.step()) {
|
||||
rows.push(stmt.getAsObject());
|
||||
}
|
||||
return {
|
||||
rows,
|
||||
rowsAffected: db.getRowsModified(),
|
||||
lastInsertId: db.exec("SELECT last_insert_rowid()")[0]?.values[0]?.[0],
|
||||
};
|
||||
} finally {
|
||||
stmt.free();
|
||||
}
|
||||
}
|
||||
|
||||
async function executeTransaction(
|
||||
statements: { sql: string; params?: unknown[] }[],
|
||||
): Promise<void> {
|
||||
if (!db) {
|
||||
throw new Error("Database not initialized");
|
||||
}
|
||||
|
||||
try {
|
||||
db.exec("BEGIN TRANSACTION");
|
||||
for (const { sql, params = [] } of statements) {
|
||||
const stmt = db.prepare(sql);
|
||||
try {
|
||||
stmt.bind(params);
|
||||
stmt.step();
|
||||
} finally {
|
||||
stmt.free();
|
||||
}
|
||||
}
|
||||
db.exec("COMMIT");
|
||||
} catch (error) {
|
||||
db.exec("ROLLBACK");
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
async function close(): Promise<void> {
|
||||
if (db) {
|
||||
db.close();
|
||||
db = null;
|
||||
}
|
||||
}
|
||||
|
||||
self.onmessage = async (event: MessageEvent<WorkerMessage>) => {
|
||||
const { type, id, dbName, sql, params, statements } = event.data;
|
||||
const response: WorkerResponse = { id };
|
||||
|
||||
try {
|
||||
switch (type) {
|
||||
case "init":
|
||||
if (!dbName) {
|
||||
throw new Error("Database name is required for initialization");
|
||||
}
|
||||
await initialize(dbName);
|
||||
break;
|
||||
|
||||
case "query":
|
||||
if (!sql) {
|
||||
throw new Error("SQL query is required");
|
||||
}
|
||||
response.result = await executeQuery(sql, params);
|
||||
break;
|
||||
|
||||
case "execute":
|
||||
if (!sql) {
|
||||
throw new Error("SQL statement is required");
|
||||
}
|
||||
response.result = await executeQuery(sql, params);
|
||||
break;
|
||||
|
||||
case "transaction":
|
||||
if (!statements?.length) {
|
||||
throw new Error("Transaction statements are required");
|
||||
}
|
||||
await executeTransaction(statements);
|
||||
break;
|
||||
|
||||
case "close":
|
||||
await close();
|
||||
break;
|
||||
|
||||
default:
|
||||
throw new Error(`Unknown message type: ${type}`);
|
||||
}
|
||||
} catch (error) {
|
||||
response.error = error instanceof Error ? error.message : String(error);
|
||||
}
|
||||
|
||||
self.postMessage(response);
|
||||
};
|
||||
45
src/types/absurd-sql.d.ts
vendored
Normal file
45
src/types/absurd-sql.d.ts
vendored
Normal file
@@ -0,0 +1,45 @@
|
||||
declare module "@jlongster/sql.js" {
|
||||
export interface Database {
|
||||
exec(
|
||||
sql: string,
|
||||
params?: unknown[],
|
||||
): { columns: string[]; values: unknown[][] }[];
|
||||
prepare(sql: string): Statement;
|
||||
run(sql: string, params?: unknown[]): void;
|
||||
getRowsModified(): number;
|
||||
close(): void;
|
||||
}
|
||||
|
||||
export interface Statement {
|
||||
step(): boolean;
|
||||
getAsObject(): Record<string, unknown>;
|
||||
bind(params: unknown[]): void;
|
||||
reset(): void;
|
||||
free(): void;
|
||||
}
|
||||
|
||||
export interface InitSqlJsStatic {
|
||||
Database: new (
|
||||
filename?: string,
|
||||
options?: { filename: boolean },
|
||||
) => Database;
|
||||
FS: unknown;
|
||||
register_for_idb(fs: unknown): void;
|
||||
}
|
||||
|
||||
export default function initSqlJs(options?: {
|
||||
locateFile?: (file: string) => string;
|
||||
}): Promise<InitSqlJsStatic>;
|
||||
}
|
||||
|
||||
declare module "absurd-sql" {
|
||||
export class SQLiteFS {
|
||||
constructor(fs: unknown, backend: unknown);
|
||||
}
|
||||
}
|
||||
|
||||
declare module "absurd-sql/dist/indexeddb-backend" {
|
||||
export class IndexedDBBackend {
|
||||
constructor(dbName: string);
|
||||
}
|
||||
}
|
||||
2
src/utils/empty-module.js
Normal file
2
src/utils/empty-module.js
Normal file
@@ -0,0 +1,2 @@
|
||||
// Empty module to satisfy Node.js built-in module imports
|
||||
export default {};
|
||||
17
src/utils/node-modules/crypto.js
Normal file
17
src/utils/node-modules/crypto.js
Normal file
@@ -0,0 +1,17 @@
|
||||
// Minimal crypto module implementation for browser using Web Crypto API
|
||||
const crypto = {
|
||||
...window.crypto,
|
||||
// Add any Node.js crypto methods that might be needed
|
||||
randomBytes: (size) => {
|
||||
const buffer = new Uint8Array(size);
|
||||
window.crypto.getRandomValues(buffer);
|
||||
return buffer;
|
||||
},
|
||||
createHash: () => ({
|
||||
update: () => ({
|
||||
digest: () => new Uint8Array(32), // Return empty hash
|
||||
}),
|
||||
}),
|
||||
};
|
||||
|
||||
export default crypto;
|
||||
18
src/utils/node-modules/fs.js
Normal file
18
src/utils/node-modules/fs.js
Normal file
@@ -0,0 +1,18 @@
|
||||
// Minimal fs module implementation for browser
|
||||
const fs = {
|
||||
readFileSync: () => {
|
||||
throw new Error("fs.readFileSync is not supported in browser");
|
||||
},
|
||||
writeFileSync: () => {
|
||||
throw new Error("fs.writeFileSync is not supported in browser");
|
||||
},
|
||||
existsSync: () => false,
|
||||
mkdirSync: () => {},
|
||||
readdirSync: () => [],
|
||||
statSync: () => ({
|
||||
isDirectory: () => false,
|
||||
isFile: () => false,
|
||||
}),
|
||||
};
|
||||
|
||||
export default fs;
|
||||
13
src/utils/node-modules/path.js
Normal file
13
src/utils/node-modules/path.js
Normal file
@@ -0,0 +1,13 @@
|
||||
// Minimal path module implementation for browser
|
||||
const path = {
|
||||
resolve: (...parts) => parts.join("/"),
|
||||
join: (...parts) => parts.join("/"),
|
||||
dirname: (p) => p.split("/").slice(0, -1).join("/"),
|
||||
basename: (p) => p.split("/").pop(),
|
||||
extname: (p) => {
|
||||
const parts = p.split(".");
|
||||
return parts.length > 1 ? "." + parts.pop() : "";
|
||||
},
|
||||
};
|
||||
|
||||
export default path;
|
||||
@@ -76,7 +76,8 @@
|
||||
Set Your Name
|
||||
</button>
|
||||
<p class="text-xs text-slate-500 mt-1">
|
||||
(Don't worry: this is not visible to anyone until you share it with them. It's not sent to any servers.)
|
||||
(Don't worry: this is not visible to anyone until you share it with
|
||||
them. It's not sent to any servers.)
|
||||
</p>
|
||||
<UserNameDialog ref="userNameDialog" />
|
||||
</span>
|
||||
@@ -110,7 +111,10 @@
|
||||
<font-awesome icon="camera" class="fa-fw" />
|
||||
</div>
|
||||
</template>
|
||||
<!-- If not registered, they don't need to see this at all. We show a prompt to register below. -->
|
||||
<!--
|
||||
If not registered, they don't need to see this at all. We show a prompt
|
||||
to register below.
|
||||
-->
|
||||
</div>
|
||||
<ImageMethodDialog
|
||||
ref="imageMethodDialog"
|
||||
@@ -964,7 +968,7 @@ import { AxiosError } from "axios";
|
||||
import { Buffer } from "buffer/";
|
||||
import Dexie from "dexie";
|
||||
import "dexie-export-import";
|
||||
// @ts-ignore - they aren't exporting it but it's there
|
||||
// @ts-expect-error - they aren't exporting it but it's there
|
||||
import { ImportProgress } from "dexie-export-import";
|
||||
import { LeafletMouseEvent } from "leaflet";
|
||||
import * as R from "ramda";
|
||||
@@ -990,13 +994,6 @@ import {
|
||||
IMAGE_TYPE_PROFILE,
|
||||
NotificationIface,
|
||||
} from "../constants/app";
|
||||
import {
|
||||
db,
|
||||
logConsoleAndDb,
|
||||
retrieveSettingsForActiveAccount,
|
||||
updateAccountSettings,
|
||||
} from "../db/index";
|
||||
import { Account } from "../db/tables/accounts";
|
||||
import { Contact } from "../db/tables/contacts";
|
||||
import {
|
||||
DEFAULT_PASSKEY_EXPIRATION_MINUTES,
|
||||
@@ -1211,11 +1208,12 @@ export default class AccountViewView extends Vue {
|
||||
}
|
||||
|
||||
/**
|
||||
* Initializes component state with values from the database or defaults.
|
||||
* Initializes component state using PlatformService for database operations
|
||||
* Keeps all endorserServer functionality unchanged
|
||||
*/
|
||||
async initializeState() {
|
||||
await db.open();
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
|
||||
this.activeDid = settings.activeDid || "";
|
||||
this.apiServer = settings.apiServer || "";
|
||||
@@ -1248,6 +1246,29 @@ export default class AccountViewView extends Vue {
|
||||
this.webPushServerInput = settings.webPushServer || this.webPushServerInput;
|
||||
}
|
||||
|
||||
/**
|
||||
* Updates account settings using PlatformService
|
||||
* Keeps all endorserServer functionality unchanged
|
||||
*/
|
||||
async updateSettings(settingsChanges: Record<string, unknown>) {
|
||||
try {
|
||||
const platform = this.$platform;
|
||||
await platform.updateAccountSettings(this.activeDid, settingsChanges);
|
||||
await this.initializeState();
|
||||
} catch (error) {
|
||||
logger.error("Error updating settings:", error);
|
||||
this.$notify(
|
||||
{
|
||||
group: "alert",
|
||||
type: "danger",
|
||||
title: "Error",
|
||||
text: "There was a problem updating your settings.",
|
||||
},
|
||||
5000,
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
// call fn, copy text to the clipboard, then redo fn after 2 seconds
|
||||
doCopyTwoSecRedo(text: string, fn: () => void) {
|
||||
fn();
|
||||
@@ -1610,12 +1631,13 @@ export default class AccountViewView extends Vue {
|
||||
*/
|
||||
async submitImportFile() {
|
||||
if (inputImportFileNameRef.value != null) {
|
||||
await db.delete()
|
||||
await db
|
||||
.delete()
|
||||
.then(async () => {
|
||||
// BulkError: settings.bulkAdd(): 1 of 21 operations failed. Errors: ConstraintError: Key already exists in the object store.
|
||||
await Dexie.import(inputImportFileNameRef.value as Blob, {
|
||||
progressCallback: this.progressCallback,
|
||||
})
|
||||
});
|
||||
})
|
||||
.catch((error) => {
|
||||
logger.error("Error importing file:", error);
|
||||
|
||||
@@ -439,13 +439,11 @@ import { useClipboard } from "@vueuse/core";
|
||||
import { RouteLocationNormalizedLoaded, Router } from "vue-router";
|
||||
import QuickNav from "../components/QuickNav.vue";
|
||||
import { NotificationIface } from "../constants/app";
|
||||
import { db, retrieveSettingsForActiveAccount } from "../db/index";
|
||||
import { Contact } from "../db/tables/contacts";
|
||||
import * as serverUtil from "../libs/endorserServer";
|
||||
import { GenericVerifiableCredential, GiveSummaryRecord } from "../interfaces";
|
||||
import { displayAmount } from "../libs/endorserServer";
|
||||
import * as libsUtil from "../libs/util";
|
||||
import { retrieveAccountDids } from "../libs/util";
|
||||
import TopMessage from "../components/TopMessage.vue";
|
||||
import { logger } from "../utils/logger";
|
||||
/**
|
||||
@@ -526,14 +524,17 @@ export default class ConfirmGiftView extends Vue {
|
||||
|
||||
/**
|
||||
* Initializes component settings and user data
|
||||
* Only database operations are migrated to PlatformService
|
||||
* API-related utilities remain using serverUtil
|
||||
*/
|
||||
private async initializeSettings() {
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
this.activeDid = settings.activeDid || "";
|
||||
this.apiServer = settings.apiServer || "";
|
||||
this.allContacts = await db.contacts.toArray();
|
||||
this.allContacts = await platform.getAllContacts();
|
||||
this.isRegistered = settings.isRegistered || false;
|
||||
this.allMyDids = await retrieveAccountDids();
|
||||
this.allMyDids = await platform.getAllAccountDids();
|
||||
|
||||
// Check share capability
|
||||
// When Chrome compatibility is fixed https://developer.mozilla.org/en-US/docs/Web/API/Web_Share_API#api.navigator.canshare
|
||||
|
||||
@@ -726,9 +726,11 @@ export default class ContactQRScanShow extends Vue {
|
||||
|
||||
// Apply mirroring after a short delay to ensure video element is ready
|
||||
setTimeout(() => {
|
||||
const videoElement = document.querySelector('.qr-scanner video') as HTMLVideoElement;
|
||||
const videoElement = document.querySelector(
|
||||
".qr-scanner video",
|
||||
) as HTMLVideoElement;
|
||||
if (videoElement) {
|
||||
videoElement.style.transform = 'scaleX(-1)';
|
||||
videoElement.style.transform = "scaleX(-1)";
|
||||
}
|
||||
}, 1000);
|
||||
}
|
||||
@@ -943,7 +945,9 @@ export default class ContactQRScanShow extends Vue {
|
||||
// Add method to detect desktop browser
|
||||
private detectDesktopBrowser(): boolean {
|
||||
const userAgent = navigator.userAgent.toLowerCase();
|
||||
return !/android|webos|iphone|ipad|ipod|blackberry|iemobile|opera mini/i.test(userAgent);
|
||||
return !/android|webos|iphone|ipad|ipod|blackberry|iemobile|opera mini/i.test(
|
||||
userAgent,
|
||||
);
|
||||
}
|
||||
|
||||
// Update the computed property for camera mirroring
|
||||
|
||||
@@ -1063,7 +1063,8 @@ export default class ContactsView extends Vue {
|
||||
);
|
||||
if (regResult.success) {
|
||||
contact.registered = true;
|
||||
await db.contacts.update(contact.did, { registered: true });
|
||||
const platform = this.$platform;
|
||||
await platform.updateContact(contact.did, { registered: true });
|
||||
|
||||
this.$notify(
|
||||
{
|
||||
|
||||
@@ -298,57 +298,42 @@ Raymer * @version 1.0.0 */
|
||||
import { UAParser } from "ua-parser-js";
|
||||
import { Component, Vue } from "vue-facing-decorator";
|
||||
import { Router } from "vue-router";
|
||||
|
||||
//import App from "../App.vue";
|
||||
import EntityIcon from "../components/EntityIcon.vue";
|
||||
import GiftedDialog from "../components/GiftedDialog.vue";
|
||||
import GiftedPrompts from "../components/GiftedPrompts.vue";
|
||||
import FeedFilters from "../components/FeedFilters.vue";
|
||||
import InfiniteScroll from "../components/InfiniteScroll.vue";
|
||||
import OnboardingDialog from "../components/OnboardingDialog.vue";
|
||||
import QuickNav from "../components/QuickNav.vue";
|
||||
import TopMessage from "../components/TopMessage.vue";
|
||||
import UserNameDialog from "../components/UserNameDialog.vue";
|
||||
import ChoiceButtonDialog from "../components/ChoiceButtonDialog.vue";
|
||||
import ImageViewer from "../components/ImageViewer.vue";
|
||||
import ActivityListItem from "../components/ActivityListItem.vue";
|
||||
import { FontAwesomeIcon } from "@fortawesome/vue-fontawesome";
|
||||
import { BoundingBox } from "../types/BoundingBox";
|
||||
import { Contact } from "../types/Contact";
|
||||
import { OnboardPage } from "../libs/util";
|
||||
import * as OnboardingDialogModule from "../components/OnboardingDialog.vue";
|
||||
import * as QuickNavModule from "../components/QuickNav.vue";
|
||||
import * as TopMessageModule from "../components/TopMessage.vue";
|
||||
import * as EntityIconModule from "../components/EntityIcon.vue";
|
||||
import * as GiftedDialogModule from "../components/GiftedDialog.vue";
|
||||
import * as GiftedPromptsModule from "../components/GiftedPrompts.vue";
|
||||
import * as FeedFiltersModule from "../components/FeedFilters.vue";
|
||||
import * as UserNameDialogModule from "../components/UserNameDialog.vue";
|
||||
import * as ActivityListItemModule from "../components/ActivityListItem.vue";
|
||||
import { AppString, PASSKEYS_ENABLED } from "../constants/app";
|
||||
import { logger } from "../utils/logger";
|
||||
import { checkIsAnyFeedFilterOn } from "../db/tables/settings";
|
||||
import {
|
||||
AppString,
|
||||
NotificationIface,
|
||||
PASSKEYS_ENABLED,
|
||||
} from "../constants/app";
|
||||
import {
|
||||
db,
|
||||
logConsoleAndDb,
|
||||
retrieveSettingsForActiveAccount,
|
||||
updateAccountSettings,
|
||||
} from "../db/index";
|
||||
import { Contact } from "../db/tables/contacts";
|
||||
import {
|
||||
BoundingBox,
|
||||
checkIsAnyFeedFilterOn,
|
||||
MASTER_SETTINGS_KEY,
|
||||
} from "../db/tables/settings";
|
||||
import {
|
||||
contactForDid,
|
||||
containsNonHiddenDid,
|
||||
didInfoForContact,
|
||||
fetchEndorserRateLimits,
|
||||
getHeaders,
|
||||
getNewOffersToUser,
|
||||
getNewOffersToUserProjects,
|
||||
getPlanFromCache,
|
||||
} from "../libs/endorserServer";
|
||||
import {
|
||||
generateSaveAndActivateIdentity,
|
||||
retrieveAccountDids,
|
||||
GiverReceiverInputInfo,
|
||||
OnboardPage,
|
||||
} from "../libs/util";
|
||||
import { NotificationIface } from "../constants/app";
|
||||
import {
|
||||
containsNonHiddenDid,
|
||||
didInfoForContact,
|
||||
} from "../libs/endorserServer";
|
||||
import { GiveSummaryRecord } from "../interfaces";
|
||||
import * as serverUtil from "../libs/endorserServer";
|
||||
import { logger } from "../utils/logger";
|
||||
import { GiveRecordWithContactInfo } from "../types";
|
||||
import ChoiceButtonDialog from "../components/ChoiceButtonDialog.vue";
|
||||
import ImageViewer from "../components/ImageViewer.vue";
|
||||
import * as InfiniteScrollModule from "../components/InfiniteScroll.vue";
|
||||
|
||||
interface Claim {
|
||||
claim?: Claim; // For nested claims in Verifiable Credentials
|
||||
@@ -419,18 +404,19 @@ interface FeedError {
|
||||
*/
|
||||
@Component({
|
||||
components: {
|
||||
EntityIcon,
|
||||
FeedFilters,
|
||||
GiftedDialog,
|
||||
GiftedPrompts,
|
||||
InfiniteScroll,
|
||||
OnboardingDialog,
|
||||
FontAwesomeIcon,
|
||||
QuickNav: QuickNavModule.default,
|
||||
TopMessage: TopMessageModule.default,
|
||||
EntityIcon: EntityIconModule.default,
|
||||
GiftedDialog: GiftedDialogModule.default,
|
||||
GiftedPrompts: GiftedPromptsModule.default,
|
||||
FeedFilters: FeedFiltersModule.default,
|
||||
UserNameDialog: UserNameDialogModule.default,
|
||||
ActivityListItem: ActivityListItemModule.default,
|
||||
OnboardingDialog: OnboardingDialogModule.default,
|
||||
ChoiceButtonDialog,
|
||||
QuickNav,
|
||||
TopMessage,
|
||||
UserNameDialog,
|
||||
ImageViewer,
|
||||
ActivityListItem,
|
||||
InfiniteScroll: InfiniteScrollModule.default,
|
||||
},
|
||||
})
|
||||
export default class HomeView extends Vue {
|
||||
@@ -520,10 +506,11 @@ export default class HomeView extends Vue {
|
||||
this.allMyDids = [newDid];
|
||||
}
|
||||
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
this.apiServer = settings.apiServer || "";
|
||||
this.activeDid = settings.activeDid || "";
|
||||
this.allContacts = await db.contacts.toArray();
|
||||
this.allContacts = await platform.getAllContacts();
|
||||
this.feedLastViewedClaimId = settings.lastViewedClaimId;
|
||||
this.givenName = settings.firstName || "";
|
||||
this.isFeedFilteredByVisible = !!settings.filterFeedByVisible;
|
||||
@@ -552,9 +539,9 @@ export default class HomeView extends Vue {
|
||||
this.activeDid,
|
||||
);
|
||||
if (resp.status === 200) {
|
||||
await updateAccountSettings(this.activeDid, {
|
||||
await platform.updateAccountSettings(this.activeDid, {
|
||||
isRegistered: true,
|
||||
...(await retrieveSettingsForActiveAccount()),
|
||||
...settings,
|
||||
});
|
||||
this.isRegistered = true;
|
||||
}
|
||||
@@ -590,14 +577,14 @@ export default class HomeView extends Vue {
|
||||
|
||||
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||
} catch (err: any) {
|
||||
logConsoleAndDb("Error retrieving settings or feed: " + err, true);
|
||||
logger.error("Error retrieving settings or feed:", err);
|
||||
this.$notify(
|
||||
{
|
||||
group: "alert",
|
||||
type: "danger",
|
||||
title: "Error",
|
||||
text:
|
||||
(err as { userMessage?: string })?.userMessage ||
|
||||
err?.userMessage ||
|
||||
"There was an error retrieving your settings or the latest activity.",
|
||||
},
|
||||
5000,
|
||||
@@ -618,7 +605,8 @@ export default class HomeView extends Vue {
|
||||
* Called by mounted() and reloadFeedOnChange()
|
||||
*/
|
||||
private async loadSettings() {
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
this.apiServer = settings.apiServer || "";
|
||||
this.activeDid = settings.activeDid || "";
|
||||
this.feedLastViewedClaimId = settings.lastViewedClaimId;
|
||||
@@ -642,7 +630,7 @@ export default class HomeView extends Vue {
|
||||
* Called by mounted() and initializeIdentity()
|
||||
*/
|
||||
private async loadContacts() {
|
||||
this.allContacts = await db.contacts.toArray();
|
||||
this.allContacts = await this.$platform.getAllContacts();
|
||||
}
|
||||
|
||||
/**
|
||||
@@ -663,10 +651,12 @@ export default class HomeView extends Vue {
|
||||
this.activeDid,
|
||||
);
|
||||
if (resp.status === 200) {
|
||||
await updateAccountSettings(this.activeDid, {
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
await platform.updateAccountSettings(this.activeDid, {
|
||||
apiServer: this.apiServer,
|
||||
isRegistered: true,
|
||||
...(await retrieveSettingsForActiveAccount()),
|
||||
...settings,
|
||||
});
|
||||
this.isRegistered = true;
|
||||
}
|
||||
@@ -728,7 +718,8 @@ export default class HomeView extends Vue {
|
||||
* Called by mounted()
|
||||
*/
|
||||
private async checkOnboarding() {
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
if (!settings.finishedOnboarding) {
|
||||
(this.$refs.onboardingDialog as OnboardingDialog).open(OnboardPage.Home);
|
||||
}
|
||||
@@ -744,7 +735,7 @@ export default class HomeView extends Vue {
|
||||
* @param err Error object with optional userMessage
|
||||
*/
|
||||
private handleError(err: unknown) {
|
||||
logConsoleAndDb("Error retrieving settings or feed: " + err, true);
|
||||
logger.error("Error retrieving settings or feed:", err);
|
||||
this.$notify(
|
||||
{
|
||||
group: "alert",
|
||||
@@ -790,7 +781,8 @@ export default class HomeView extends Vue {
|
||||
* Called by FeedFilters component when filters change
|
||||
*/
|
||||
async reloadFeedOnChange() {
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
this.isFeedFilteredByVisible = !!settings.filterFeedByVisible;
|
||||
this.isFeedFilteredByNearby = !!settings.filterFeedByNearby;
|
||||
this.isAnyFeedFilterOn = checkIsAnyFeedFilterOn(settings);
|
||||
@@ -1064,7 +1056,7 @@ export default class HomeView extends Vue {
|
||||
* @returns The fulfills plan object
|
||||
*/
|
||||
private async getFulfillsPlan(record: GiveSummaryRecord) {
|
||||
return await getPlanFromCache(
|
||||
return await this.$platform.getPlanFromCache(
|
||||
record.fulfillsPlanHandleId,
|
||||
this.axios,
|
||||
this.apiServer,
|
||||
@@ -1142,7 +1134,7 @@ export default class HomeView extends Vue {
|
||||
* Called by processRecord()
|
||||
*/
|
||||
private async getProvidedByPlan(provider: Provider | undefined) {
|
||||
return await getPlanFromCache(
|
||||
return await this.$platform.getPlanFromCache(
|
||||
provider?.identifier as string,
|
||||
this.axios,
|
||||
this.apiServer,
|
||||
@@ -1197,14 +1189,14 @@ export default class HomeView extends Vue {
|
||||
giver: didInfoForContact(
|
||||
giverDid,
|
||||
this.activeDid,
|
||||
contactForDid(giverDid, this.allContacts),
|
||||
this.$platform.getContactForDid(giverDid, this.allContacts),
|
||||
this.allMyDids,
|
||||
),
|
||||
image: claim.image,
|
||||
issuer: didInfoForContact(
|
||||
record.issuerDid,
|
||||
this.activeDid,
|
||||
contactForDid(record.issuerDid, this.allContacts),
|
||||
this.$platform.getContactForDid(record.issuerDid, this.allContacts),
|
||||
this.allMyDids,
|
||||
),
|
||||
providerPlanHandleId: provider?.identifier as string,
|
||||
@@ -1213,7 +1205,7 @@ export default class HomeView extends Vue {
|
||||
receiver: didInfoForContact(
|
||||
recipientDid,
|
||||
this.activeDid,
|
||||
contactForDid(recipientDid, this.allContacts),
|
||||
this.$platform.getContactForDid(recipientDid, this.allContacts),
|
||||
this.allMyDids,
|
||||
),
|
||||
} as GiveRecordWithContactInfo;
|
||||
@@ -1230,8 +1222,7 @@ export default class HomeView extends Vue {
|
||||
this.feedLastViewedClaimId == null ||
|
||||
this.feedLastViewedClaimId < records[0].jwtId
|
||||
) {
|
||||
await db.open();
|
||||
await db.settings.update(MASTER_SETTINGS_KEY, {
|
||||
await this.$platform.updateAccountSettings(this.activeDid, {
|
||||
lastViewedClaimId: records[0].jwtId,
|
||||
});
|
||||
}
|
||||
@@ -1264,13 +1255,13 @@ export default class HomeView extends Vue {
|
||||
* @internal
|
||||
* Called by updateAllFeed()
|
||||
* @param endorserApiServer API server URL
|
||||
* @param beforeId OptioCalled by updateAllFeed()nal ID to fetch earlier results
|
||||
* @param beforeId Optional ID to fetch earlier results
|
||||
* @returns claims in reverse chronological order
|
||||
*/
|
||||
async retrieveGives(endorserApiServer: string, beforeId?: string) {
|
||||
const beforeQuery = beforeId == null ? "" : "&beforeId=" + beforeId;
|
||||
const doNotShowErrorAgain = !!beforeId; // don't show error again if we're loading more
|
||||
const headers = await getHeaders(
|
||||
const headers = await this.$platform.getHeaders(
|
||||
this.activeDid,
|
||||
doNotShowErrorAgain ? undefined : this.$notify,
|
||||
);
|
||||
|
||||
@@ -106,14 +106,9 @@ import { Router } from "vue-router";
|
||||
|
||||
import QuickNav from "../components/QuickNav.vue";
|
||||
import { NotificationIface } from "../constants/app";
|
||||
import {
|
||||
accountsDBPromise,
|
||||
db,
|
||||
retrieveSettingsForActiveAccount,
|
||||
} from "../db/index";
|
||||
import { MASTER_SETTINGS_KEY } from "../db/tables/settings";
|
||||
import { retrieveAllAccountsMetadata } from "../libs/util";
|
||||
import { logger } from "../utils/logger";
|
||||
|
||||
@Component({ components: { QuickNav } })
|
||||
export default class IdentitySwitcherView extends Vue {
|
||||
$notify!: (notification: NotificationIface, timeout?: number) => void;
|
||||
@@ -127,7 +122,8 @@ export default class IdentitySwitcherView extends Vue {
|
||||
|
||||
async created() {
|
||||
try {
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
this.activeDid = settings.activeDid || "";
|
||||
this.apiServer = settings.apiServer || "";
|
||||
this.apiServerInput = settings.apiServer || "";
|
||||
@@ -162,10 +158,8 @@ export default class IdentitySwitcherView extends Vue {
|
||||
if (did === "0") {
|
||||
did = undefined;
|
||||
}
|
||||
await db.open();
|
||||
await db.settings.update(MASTER_SETTINGS_KEY, {
|
||||
activeDid: did,
|
||||
});
|
||||
const platform = this.$platform;
|
||||
await platform.updateAccountSettings(this.activeDid, { activeDid: did });
|
||||
this.$router.push({ name: "account" });
|
||||
}
|
||||
|
||||
@@ -177,9 +171,8 @@ export default class IdentitySwitcherView extends Vue {
|
||||
title: "Delete Identity?",
|
||||
text: "Are you sure you want to erase this identity? (There is no undo. You may want to select it and back it up just in case.)",
|
||||
onYes: async () => {
|
||||
// one of the few times we use accountsDBPromise directly; try to avoid more usage
|
||||
const accountsDB = await accountsDBPromise;
|
||||
await accountsDB.accounts.delete(id);
|
||||
const platform = this.$platform;
|
||||
await platform.deleteAccount(id);
|
||||
this.otherIdentities = this.otherIdentities.filter(
|
||||
(ident) => ident.id !== id,
|
||||
);
|
||||
|
||||
@@ -328,30 +328,81 @@ export default class InviteOneView extends Vue {
|
||||
);
|
||||
}
|
||||
|
||||
addNewContact(did: string, notes: string) {
|
||||
async addNewContact(did: string, notes: string) {
|
||||
(this.$refs.contactNameDialog as ContactNameDialog).open(
|
||||
"To Whom Did You Send The Invite?",
|
||||
"Their name will be added to your contact list.",
|
||||
(name) => {
|
||||
// the person obviously registered themselves and this user already granted visibility, so we just add them
|
||||
const contact = {
|
||||
did: did,
|
||||
name: name,
|
||||
registered: true,
|
||||
};
|
||||
db.contacts.add(contact);
|
||||
this.contactsRedeemed[did] = contact;
|
||||
this.$notify(
|
||||
{
|
||||
group: "alert",
|
||||
type: "success",
|
||||
title: "Contact Added",
|
||||
text: `${name} has been added to your contacts.`,
|
||||
},
|
||||
3000,
|
||||
);
|
||||
async (name) => {
|
||||
try {
|
||||
// Get the SQLite interface from the platform service
|
||||
const sqlite = await this.$platform.getSQLite();
|
||||
|
||||
// Create the contact object
|
||||
const contact = {
|
||||
did: did,
|
||||
name: name,
|
||||
registered: true,
|
||||
notes: notes,
|
||||
// Convert contact methods to JSON string as per schema
|
||||
contactMethods: JSON.stringify([]),
|
||||
// Other fields can be null/undefined as they're optional
|
||||
nextPubKeyHashB64: null,
|
||||
profileImageUrl: null,
|
||||
publicKeyBase64: null,
|
||||
seesMe: null,
|
||||
};
|
||||
|
||||
// Insert the contact using a transaction
|
||||
await sqlite.transaction([
|
||||
{
|
||||
sql: `
|
||||
INSERT INTO contacts (
|
||||
did, name, registered, notes, contactMethods,
|
||||
nextPubKeyHashB64, profileImageUrl, publicKeyBase64, seesMe
|
||||
) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?)
|
||||
`,
|
||||
params: [
|
||||
contact.did,
|
||||
contact.name,
|
||||
contact.registered ? 1 : 0, // Convert boolean to integer for SQLite
|
||||
contact.notes,
|
||||
contact.contactMethods,
|
||||
contact.nextPubKeyHashB64,
|
||||
contact.profileImageUrl,
|
||||
contact.publicKeyBase64,
|
||||
contact.seesMe ? 1 : 0, // Convert boolean to integer for SQLite
|
||||
],
|
||||
},
|
||||
]);
|
||||
|
||||
// Update the local contacts cache
|
||||
this.contactsRedeemed[did] = contact;
|
||||
|
||||
// Notify success
|
||||
this.$notify(
|
||||
{
|
||||
group: "alert",
|
||||
type: "success",
|
||||
title: "Contact Added",
|
||||
text: `${name} has been added to your contacts.`,
|
||||
},
|
||||
3000,
|
||||
);
|
||||
} catch (error) {
|
||||
// Handle any errors
|
||||
this.$notify(
|
||||
{
|
||||
group: "alert",
|
||||
type: "danger",
|
||||
title: "Error Adding Contact",
|
||||
text: "Failed to add contact to database.",
|
||||
},
|
||||
5000,
|
||||
);
|
||||
logger.error("Error adding contact:", error);
|
||||
}
|
||||
},
|
||||
() => {},
|
||||
() => {}, // onCancel callback
|
||||
notes,
|
||||
);
|
||||
}
|
||||
|
||||
@@ -154,11 +154,6 @@ import GiftedDialog from "../components/GiftedDialog.vue";
|
||||
import QuickNav from "../components/QuickNav.vue";
|
||||
import EntityIcon from "../components/EntityIcon.vue";
|
||||
import { NotificationIface } from "../constants/app";
|
||||
import {
|
||||
db,
|
||||
retrieveSettingsForActiveAccount,
|
||||
updateAccountSettings,
|
||||
} from "../db/index";
|
||||
import { Contact } from "../db/tables/contacts";
|
||||
import { Router } from "vue-router";
|
||||
import { OfferSummaryRecord, OfferToPlanSummaryRecord } from "../interfaces";
|
||||
@@ -169,6 +164,7 @@ import {
|
||||
getNewOffersToUserProjects,
|
||||
} from "../libs/endorserServer";
|
||||
import { retrieveAccountDids } from "../libs/util";
|
||||
import { logger } from "../utils/logger";
|
||||
|
||||
@Component({
|
||||
components: { GiftedDialog, QuickNav, EntityIcon },
|
||||
@@ -194,14 +190,15 @@ export default class NewActivityView extends Vue {
|
||||
|
||||
async created() {
|
||||
try {
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
this.apiServer = settings.apiServer || "";
|
||||
this.activeDid = settings.activeDid || "";
|
||||
this.lastAckedOfferToUserJwtId = settings.lastAckedOfferToUserJwtId || "";
|
||||
this.lastAckedOfferToUserProjectsJwtId =
|
||||
settings.lastAckedOfferToUserProjectsJwtId || "";
|
||||
|
||||
this.allContacts = await db.contacts.toArray();
|
||||
this.allContacts = await platform.getContacts();
|
||||
this.allMyDids = await retrieveAccountDids();
|
||||
|
||||
const offersToUserData = await getNewOffersToUser(
|
||||
@@ -240,7 +237,8 @@ export default class NewActivityView extends Vue {
|
||||
async expandOffersToUserAndMarkRead() {
|
||||
this.showOffersDetails = !this.showOffersDetails;
|
||||
if (this.showOffersDetails) {
|
||||
await updateAccountSettings(this.activeDid, {
|
||||
const platform = this.$platform;
|
||||
await platform.updateAccountSettings(this.activeDid, {
|
||||
lastAckedOfferToUserJwtId: this.newOffersToUser[0].jwtId,
|
||||
});
|
||||
// note that we don't update this.lastAckedOfferToUserJwtId in case they
|
||||
@@ -261,14 +259,15 @@ export default class NewActivityView extends Vue {
|
||||
const index = this.newOffersToUser.findIndex(
|
||||
(offer) => offer.jwtId === jwtId,
|
||||
);
|
||||
const platform = this.$platform;
|
||||
if (index !== -1 && index < this.newOffersToUser.length - 1) {
|
||||
// Set to the next offer's jwtId
|
||||
await updateAccountSettings(this.activeDid, {
|
||||
await platform.updateAccountSettings(this.activeDid, {
|
||||
lastAckedOfferToUserJwtId: this.newOffersToUser[index + 1].jwtId,
|
||||
});
|
||||
} else {
|
||||
// it's the last entry (or not found), so just keep it the same
|
||||
await updateAccountSettings(this.activeDid, {
|
||||
await platform.updateAccountSettings(this.activeDid, {
|
||||
lastAckedOfferToUserJwtId: this.lastAckedOfferToUserJwtId,
|
||||
});
|
||||
}
|
||||
@@ -287,7 +286,8 @@ export default class NewActivityView extends Vue {
|
||||
this.showOffersToUserProjectsDetails =
|
||||
!this.showOffersToUserProjectsDetails;
|
||||
if (this.showOffersToUserProjectsDetails) {
|
||||
await updateAccountSettings(this.activeDid, {
|
||||
const platform = this.$platform;
|
||||
await platform.updateAccountSettings(this.activeDid, {
|
||||
lastAckedOfferToUserProjectsJwtId:
|
||||
this.newOffersToUserProjects[0].jwtId,
|
||||
});
|
||||
@@ -309,15 +309,16 @@ export default class NewActivityView extends Vue {
|
||||
const index = this.newOffersToUserProjects.findIndex(
|
||||
(offer) => offer.jwtId === jwtId,
|
||||
);
|
||||
const platform = this.$platform;
|
||||
if (index !== -1 && index < this.newOffersToUserProjects.length - 1) {
|
||||
// Set to the next offer's jwtId
|
||||
await updateAccountSettings(this.activeDid, {
|
||||
await platform.updateAccountSettings(this.activeDid, {
|
||||
lastAckedOfferToUserProjectsJwtId:
|
||||
this.newOffersToUserProjects[index + 1].jwtId,
|
||||
});
|
||||
} else {
|
||||
// it's the last entry (or not found), so just keep it the same
|
||||
await updateAccountSettings(this.activeDid, {
|
||||
await platform.updateAccountSettings(this.activeDid, {
|
||||
lastAckedOfferToUserProjectsJwtId:
|
||||
this.lastAckedOfferToUserProjectsJwtId,
|
||||
});
|
||||
|
||||
@@ -34,9 +34,13 @@
|
||||
</div>
|
||||
<div v-else-if="hitError">
|
||||
<span class="text-xl">Error Creating Identity</span>
|
||||
<font-awesome icon="exclamation-triangle" class="fa-fw text-red-500 ml-2"></font-awesome>
|
||||
<font-awesome
|
||||
icon="exclamation-triangle"
|
||||
class="fa-fw text-red-500 ml-2"
|
||||
></font-awesome>
|
||||
<p class="text-sm text-gray-500">
|
||||
Try fully restarting the app. If that doesn't work, back up all data (identities and other data) and reinstall the app.
|
||||
Try fully restarting the app. If that doesn't work, back up all data
|
||||
(identities and other data) and reinstall the app.
|
||||
</p>
|
||||
</div>
|
||||
<div v-else>
|
||||
@@ -85,7 +89,7 @@ export default class NewIdentifierView extends Vue {
|
||||
.catch((error) => {
|
||||
this.loading = false;
|
||||
this.hitError = true;
|
||||
console.error('Failed to generate identity:', error);
|
||||
logger.error("Failed to generate identity:", error);
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
@@ -145,11 +145,6 @@ import { Router } from "vue-router";
|
||||
import QuickNav from "../components/QuickNav.vue";
|
||||
import TopMessage from "../components/TopMessage.vue";
|
||||
import { NotificationIface } from "../constants/app";
|
||||
import {
|
||||
accountsDBPromise,
|
||||
db,
|
||||
retrieveSettingsForActiveAccount,
|
||||
} from "../db/index";
|
||||
import { Contact } from "../db/tables/contacts";
|
||||
import {
|
||||
GenericCredWrapper,
|
||||
@@ -165,6 +160,7 @@ import {
|
||||
getHeaders,
|
||||
} from "../libs/endorserServer";
|
||||
import { logger } from "../utils/logger";
|
||||
|
||||
@Component({
|
||||
methods: { claimSpecialDescription },
|
||||
components: {
|
||||
@@ -172,7 +168,7 @@ import { logger } from "../utils/logger";
|
||||
TopMessage,
|
||||
},
|
||||
})
|
||||
export default class QuickActionBvcBeginView extends Vue {
|
||||
export default class QuickActionBvcEndView extends Vue {
|
||||
$notify!: (notification: NotificationIface, timeout?: number) => void;
|
||||
|
||||
activeDid = "";
|
||||
@@ -191,10 +187,11 @@ export default class QuickActionBvcBeginView extends Vue {
|
||||
async created() {
|
||||
this.loadingConfirms = true;
|
||||
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
this.apiServer = settings.apiServer || "";
|
||||
this.activeDid = settings.activeDid || "";
|
||||
this.allContacts = await db.contacts.toArray();
|
||||
this.allContacts = await platform.getContacts();
|
||||
|
||||
let currentOrPreviousSat = DateTime.now().setZone("America/Denver");
|
||||
if (currentOrPreviousSat.weekday < 6) {
|
||||
@@ -213,10 +210,8 @@ export default class QuickActionBvcBeginView extends Vue {
|
||||
suppressMilliseconds: true,
|
||||
}) || "";
|
||||
|
||||
const accountsDB = await accountsDBPromise;
|
||||
await accountsDB.open();
|
||||
const allAccounts = await accountsDB.accounts.toArray();
|
||||
this.allMyDids = allAccounts.map((acc) => acc.did);
|
||||
const accounts = await platform.getAllAccounts();
|
||||
this.allMyDids = accounts.map((acc) => acc.did);
|
||||
const headers = await getHeaders(this.activeDid);
|
||||
try {
|
||||
const response = await fetch(
|
||||
|
||||
@@ -113,9 +113,9 @@ import { Router } from "vue-router";
|
||||
|
||||
import QuickNav from "../components/QuickNav.vue";
|
||||
import { NotificationIface } from "../constants/app";
|
||||
import { db, retrieveSettingsForActiveAccount } from "../db/index";
|
||||
import { BoundingBox, MASTER_SETTINGS_KEY } from "../db/tables/settings";
|
||||
import { BoundingBox } from "../db/tables/settings";
|
||||
import { logger } from "../utils/logger";
|
||||
|
||||
const DEFAULT_LAT_LONG_DIFF = 0.01;
|
||||
const WORLD_ZOOM = 2;
|
||||
const DEFAULT_ZOOM = 2;
|
||||
@@ -147,7 +147,8 @@ export default class SearchAreaView extends Vue {
|
||||
searchBox: { name: string; bbox: BoundingBox } | null = null;
|
||||
|
||||
async mounted() {
|
||||
const settings = await retrieveSettingsForActiveAccount();
|
||||
const platform = this.$platform;
|
||||
const settings = await platform.getActiveAccountSettings();
|
||||
this.searchBox = settings.searchBoxes?.[0] || null;
|
||||
this.resetLatLong();
|
||||
}
|
||||
@@ -204,8 +205,8 @@ export default class SearchAreaView extends Vue {
|
||||
westLong: this.localCenterLong - this.localLongDiff,
|
||||
},
|
||||
};
|
||||
await db.open();
|
||||
await db.settings.update(MASTER_SETTINGS_KEY, {
|
||||
const platform = this.$platform;
|
||||
await platform.updateMasterSettings({
|
||||
searchBoxes: [newSearchBox],
|
||||
});
|
||||
this.searchBox = newSearchBox;
|
||||
@@ -251,8 +252,8 @@ export default class SearchAreaView extends Vue {
|
||||
|
||||
public async forgetSearchBox() {
|
||||
try {
|
||||
await db.open();
|
||||
await db.settings.update(MASTER_SETTINGS_KEY, {
|
||||
const platform = this.$platform;
|
||||
await platform.updateMasterSettings({
|
||||
searchBoxes: [],
|
||||
filterFeedByNearby: false,
|
||||
});
|
||||
|
||||
@@ -161,6 +161,42 @@
|
||||
</button>
|
||||
</div>
|
||||
|
||||
<div class="mt-8">
|
||||
<h2 class="text-xl font-bold mb-4">SQL Operations</h2>
|
||||
<div class="mb-4">
|
||||
<div class="flex gap-2 mb-2">
|
||||
<button
|
||||
class="text-sm text-blue-600 hover:text-blue-800 underline"
|
||||
@click="
|
||||
sqlQuery = 'SELECT * FROM sqlite_master WHERE type=\'table\';'
|
||||
"
|
||||
>
|
||||
All Tables
|
||||
</button>
|
||||
</div>
|
||||
<textarea
|
||||
v-model="sqlQuery"
|
||||
class="w-full h-32 p-2 border border-gray-300 rounded-md font-mono"
|
||||
placeholder="Enter your SQL query here..."
|
||||
></textarea>
|
||||
</div>
|
||||
|
||||
<div class="mb-4">
|
||||
<button
|
||||
class="font-bold capitalize bg-slate-500 text-white px-3 py-2 rounded-md mr-2"
|
||||
@click="executeSql"
|
||||
>
|
||||
Execute
|
||||
</button>
|
||||
</div>
|
||||
<div v-if="sqlResult" class="mt-4">
|
||||
<h3 class="text-lg font-semibold mb-2">Result:</h3>
|
||||
<pre class="bg-gray-100 p-4 rounded-md overflow-x-auto">{{
|
||||
JSON.stringify(sqlResult, null, 2)
|
||||
}}</pre>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="mt-8">
|
||||
<h2 class="text-xl font-bold mb-4">Image Sharing</h2>
|
||||
Populates the "shared-photo" view as if they used "share_target".
|
||||
@@ -271,6 +307,7 @@ import { AppString, NotificationIface } from "../constants/app";
|
||||
import { db, retrieveSettingsForActiveAccount } from "../db/index";
|
||||
import * as vcLib from "../libs/crypto/vc";
|
||||
import * as cryptoLib from "../libs/crypto";
|
||||
import databaseService from "../services/database";
|
||||
|
||||
import {
|
||||
PeerSetup,
|
||||
@@ -316,6 +353,10 @@ export default class Help extends Vue {
|
||||
peerSetup?: PeerSetup;
|
||||
userName?: string;
|
||||
|
||||
// for SQL operations
|
||||
sqlQuery = "";
|
||||
sqlResult: unknown = null;
|
||||
|
||||
cryptoLib = cryptoLib;
|
||||
|
||||
async mounted() {
|
||||
@@ -492,5 +533,28 @@ export default class Help extends Vue {
|
||||
);
|
||||
logger.log("decoded", decoded);
|
||||
}
|
||||
|
||||
async executeSql() {
|
||||
try {
|
||||
const isSelect = this.sqlQuery.trim().toLowerCase().startsWith("select");
|
||||
if (isSelect) {
|
||||
this.sqlResult = await databaseService.query(this.sqlQuery);
|
||||
} else {
|
||||
this.sqlResult = await databaseService.run(this.sqlQuery);
|
||||
}
|
||||
logger.log("SQL Result:", this.sqlResult);
|
||||
} catch (error) {
|
||||
logger.error("SQL Error:", error);
|
||||
this.$notify(
|
||||
{
|
||||
group: "alert",
|
||||
type: "danger",
|
||||
title: "SQL Error",
|
||||
text: error instanceof Error ? error.message : String(error),
|
||||
},
|
||||
5000,
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
</script>
|
||||
|
||||
@@ -21,6 +21,7 @@
|
||||
"include": [
|
||||
"src/electron/**/*.ts",
|
||||
"src/utils/**/*.ts",
|
||||
"src/constants/**/*.ts"
|
||||
"src/constants/**/*.ts",
|
||||
"src/services/**/*.ts"
|
||||
]
|
||||
}
|
||||
@@ -1,4 +1,12 @@
|
||||
import { defineConfig } from "vite";
|
||||
import { createBuildConfig } from "./vite.config.common.mts";
|
||||
|
||||
export default defineConfig(async () => createBuildConfig('capacitor'));
|
||||
export default defineConfig(
|
||||
async () => {
|
||||
const baseConfig = await createBuildConfig('capacitor');
|
||||
return mergeConfig(baseConfig, {
|
||||
optimizeDeps: {
|
||||
include: ['@capacitor-community/sqlite']
|
||||
}
|
||||
});
|
||||
});
|
||||
@@ -4,6 +4,7 @@ import dotenv from "dotenv";
|
||||
import { loadAppConfig } from "./vite.config.utils.mts";
|
||||
import path from "path";
|
||||
import { fileURLToPath } from 'url';
|
||||
import { nodePolyfills } from 'vite-plugin-node-polyfills';
|
||||
|
||||
// Load environment variables
|
||||
dotenv.config();
|
||||
@@ -25,8 +26,20 @@ export async function createBuildConfig(mode: string) {
|
||||
}
|
||||
|
||||
return {
|
||||
base: isElectron || isPyWebView ? "./" : "/",
|
||||
plugins: [vue()],
|
||||
base: isElectron || isPyWebView ? "./" : "./",
|
||||
plugins: [
|
||||
vue(),
|
||||
// Add Node.js polyfills for Electron environment
|
||||
isElectron ? nodePolyfills({
|
||||
include: ['util', 'stream', 'buffer', 'events', 'assert', 'crypto'],
|
||||
globals: {
|
||||
Buffer: true,
|
||||
global: true,
|
||||
process: true,
|
||||
},
|
||||
protocolImports: true,
|
||||
}) : null,
|
||||
].filter(Boolean),
|
||||
server: {
|
||||
port: parseInt(process.env.VITE_PORT || "8080"),
|
||||
fs: { strict: false },
|
||||
@@ -35,8 +48,55 @@ export async function createBuildConfig(mode: string) {
|
||||
outDir: isElectron ? "dist-electron" : "dist",
|
||||
assetsDir: 'assets',
|
||||
chunkSizeWarningLimit: 1000,
|
||||
target: isElectron ? 'node18' : 'esnext',
|
||||
rollupOptions: {
|
||||
external: isCapacitor ? ['@capacitor/app'] : []
|
||||
external: isCapacitor
|
||||
? ['@capacitor/app']
|
||||
: isElectron
|
||||
? [
|
||||
'sqlite3',
|
||||
'sqlite',
|
||||
'electron',
|
||||
'fs',
|
||||
'path',
|
||||
'crypto',
|
||||
'util',
|
||||
'stream',
|
||||
'buffer',
|
||||
'events',
|
||||
'assert',
|
||||
'constants',
|
||||
'os',
|
||||
'net',
|
||||
'tls',
|
||||
'dns',
|
||||
'http',
|
||||
'https',
|
||||
'zlib',
|
||||
'url',
|
||||
'querystring',
|
||||
'punycode',
|
||||
'string_decoder',
|
||||
'timers',
|
||||
'domain',
|
||||
'dgram',
|
||||
'child_process',
|
||||
'cluster',
|
||||
'module',
|
||||
'vm',
|
||||
'readline',
|
||||
'repl',
|
||||
'tty',
|
||||
'v8',
|
||||
'worker_threads'
|
||||
]
|
||||
: [],
|
||||
output: {
|
||||
format: isElectron ? 'cjs' : 'es',
|
||||
generatedCode: {
|
||||
preset: 'es2015'
|
||||
}
|
||||
}
|
||||
}
|
||||
},
|
||||
define: {
|
||||
@@ -46,11 +106,22 @@ export async function createBuildConfig(mode: string) {
|
||||
__dirname: isElectron ? JSON.stringify(process.cwd()) : '""',
|
||||
__IS_MOBILE__: JSON.stringify(isCapacitor),
|
||||
__USE_QR_READER__: JSON.stringify(!isCapacitor),
|
||||
'process.platform': JSON.stringify('browser'),
|
||||
'process.version': JSON.stringify('v16.0.0'),
|
||||
'process.env.NODE_DEBUG': JSON.stringify(false),
|
||||
'global.process': JSON.stringify({
|
||||
platform: 'browser',
|
||||
version: 'v16.0.0',
|
||||
env: { NODE_DEBUG: false }
|
||||
})
|
||||
},
|
||||
resolve: {
|
||||
alias: {
|
||||
'@': path.resolve(__dirname, './src'),
|
||||
...appConfig.aliasConfig,
|
||||
'path': path.resolve(__dirname, './src/utils/node-modules/path.js'),
|
||||
'fs': path.resolve(__dirname, './src/utils/node-modules/fs.js'),
|
||||
'crypto': path.resolve(__dirname, './src/utils/node-modules/crypto.js'),
|
||||
'nostr-tools/nip06': mode === 'development'
|
||||
? 'nostr-tools/nip06'
|
||||
: path.resolve(__dirname, 'node_modules/nostr-tools/nip06'),
|
||||
@@ -62,7 +133,13 @@ export async function createBuildConfig(mode: string) {
|
||||
}
|
||||
},
|
||||
optimizeDeps: {
|
||||
include: ['nostr-tools', 'nostr-tools/nip06', 'nostr-tools/core', 'dexie-export-import'],
|
||||
include: [
|
||||
'nostr-tools',
|
||||
'nostr-tools/nip06',
|
||||
'nostr-tools/core',
|
||||
'dexie-export-import',
|
||||
'@jlongster/sql.js'
|
||||
],
|
||||
exclude: isElectron ? [
|
||||
'register-service-worker',
|
||||
'workbox-window',
|
||||
|
||||
@@ -30,7 +30,7 @@ export default defineConfig(async () => {
|
||||
},
|
||||
},
|
||||
optimizeDeps: {
|
||||
include: ['@/utils/logger']
|
||||
include: ['@/utils/logger', '@capacitor-community/sqlite']
|
||||
},
|
||||
plugins: [
|
||||
{
|
||||
|
||||
@@ -4,6 +4,12 @@ import path from "path";
|
||||
|
||||
export default defineConfig({
|
||||
plugins: [vue()],
|
||||
server: {
|
||||
headers: {
|
||||
'Cross-Origin-Opener-Policy': 'same-origin',
|
||||
'Cross-Origin-Embedder-Policy': 'require-corp'
|
||||
}
|
||||
},
|
||||
resolve: {
|
||||
alias: {
|
||||
'@': path.resolve(__dirname, './src'),
|
||||
@@ -17,7 +23,7 @@ export default defineConfig({
|
||||
mainFields: ['module', 'jsnext:main', 'jsnext', 'main'],
|
||||
},
|
||||
optimizeDeps: {
|
||||
include: ['nostr-tools', 'nostr-tools/nip06', 'nostr-tools/core'],
|
||||
include: ['nostr-tools', 'nostr-tools/nip06', 'nostr-tools/core', '@jlongster/sql.js'],
|
||||
esbuildOptions: {
|
||||
define: {
|
||||
global: 'globalThis'
|
||||
@@ -42,5 +48,6 @@ export default defineConfig({
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
},
|
||||
assetsInclude: ['**/*.wasm']
|
||||
});
|
||||
@@ -8,6 +8,7 @@ export default defineConfig(async () => {
|
||||
const appConfig = await loadAppConfig();
|
||||
|
||||
return mergeConfig(baseConfig, {
|
||||
base: process.env.NODE_ENV === 'production' ? 'https://timesafari.anomalistdesign.com/' : './',
|
||||
plugins: [
|
||||
VitePWA({
|
||||
registerType: 'autoUpdate',
|
||||
@@ -19,7 +20,22 @@ export default defineConfig(async () => {
|
||||
cleanupOutdatedCaches: true,
|
||||
skipWaiting: true,
|
||||
clientsClaim: true,
|
||||
sourcemap: true
|
||||
sourcemap: true,
|
||||
navigateFallback: 'index.html',
|
||||
runtimeCaching: [{
|
||||
urlPattern: /^https:\/\/timesafari\.anomalistdesign\.com\/.*/i,
|
||||
handler: 'CacheFirst',
|
||||
options: {
|
||||
cacheName: 'timesafari-cache',
|
||||
expiration: {
|
||||
maxEntries: 50,
|
||||
maxAgeSeconds: 60 * 60 * 24 * 30 // 30 days
|
||||
},
|
||||
cacheableResponse: {
|
||||
statuses: [0, 200]
|
||||
}
|
||||
}
|
||||
}]
|
||||
}
|
||||
})
|
||||
]
|
||||
|
||||
Reference in New Issue
Block a user