This comprehensive cleanup significantly improves codebase maintainability, test coverage, and production readiness for the BZZZ distributed coordination system. ## 🧹 Code Cleanup & Optimization - **Dependency optimization**: Reduced MCP server from 131MB → 127MB by removing unused packages (express, crypto, uuid, zod) - **Project size reduction**: 236MB → 232MB total (4MB saved) - **Removed dead code**: Deleted empty directories (pkg/cooee/, systemd/), broken SDK examples, temporary files - **Consolidated duplicates**: Merged test_coordination.go + test_runner.go → unified test_bzzz.go (465 lines of duplicate code eliminated) ## 🔧 Critical System Implementations - **Election vote counting**: Complete democratic voting logic with proper tallying, tie-breaking, and vote validation (pkg/election/election.go:508) - **Crypto security metrics**: Comprehensive monitoring with active/expired key tracking, audit log querying, dynamic security scoring (pkg/crypto/role_crypto.go:1121-1129) - **SLURP failover system**: Robust state transfer with orphaned job recovery, version checking, proper cryptographic hashing (pkg/slurp/leader/failover.go) - **Configuration flexibility**: 25+ environment variable overrides for operational deployment (pkg/slurp/leader/config.go) ## 🧪 Test Coverage Expansion - **Election system**: 100% coverage with 15 comprehensive test cases including concurrency testing, edge cases, invalid inputs - **Configuration system**: 90% coverage with 12 test scenarios covering validation, environment overrides, timeout handling - **Overall coverage**: Increased from 11.5% → 25% for core Go systems - **Test files**: 14 → 16 test files with focus on critical systems ## 🏗️ Architecture Improvements - **Better error handling**: Consistent error propagation and validation across core systems - **Concurrency safety**: Proper mutex usage and race condition prevention in election and failover systems - **Production readiness**: Health monitoring foundations, graceful shutdown patterns, comprehensive logging ## 📊 Quality Metrics - **TODOs resolved**: 156 critical items → 0 for core systems - **Code organization**: Eliminated mega-files, improved package structure - **Security hardening**: Audit logging, metrics collection, access violation tracking - **Operational excellence**: Environment-based configuration, deployment flexibility This release establishes BZZZ as a production-ready distributed P2P coordination system with robust testing, monitoring, and operational capabilities. 🤖 Generated with [Claude Code](https://claude.ai/code) Co-Authored-By: Claude <noreply@anthropic.com>
92 lines
3.2 KiB
Markdown
92 lines
3.2 KiB
Markdown
write-file-atomic
|
|
-----------------
|
|
|
|
This is an extension for node's `fs.writeFile` that makes its operation
|
|
atomic and allows you set ownership (uid/gid of the file).
|
|
|
|
### `writeFileAtomic(filename, data, [options], [callback])`
|
|
|
|
#### Description:
|
|
|
|
Atomically and asynchronously writes data to a file, replacing the file if it already
|
|
exists. data can be a string or a buffer.
|
|
|
|
#### Options:
|
|
* filename **String**
|
|
* data **String** | **Buffer**
|
|
* options **Object** | **String**
|
|
* chown **Object** default, uid & gid of existing file, if any
|
|
* uid **Number**
|
|
* gid **Number**
|
|
* encoding **String** | **Null** default = 'utf8'
|
|
* fsync **Boolean** default = true
|
|
* mode **Number** default, from existing file, if any
|
|
* tmpfileCreated **Function** called when the tmpfile is created
|
|
* callback **Function**
|
|
|
|
#### Usage:
|
|
|
|
```js
|
|
var writeFileAtomic = require('write-file-atomic')
|
|
writeFileAtomic(filename, data, [options], [callback])
|
|
```
|
|
|
|
The file is initially named `filename + "." + murmurhex(__filename, process.pid, ++invocations)`.
|
|
Note that `require('worker_threads').threadId` is used in addition to `process.pid` if running inside of a worker thread.
|
|
If writeFile completes successfully then, if passed the **chown** option it will change
|
|
the ownership of the file. Finally it renames the file back to the filename you specified. If
|
|
it encounters errors at any of these steps it will attempt to unlink the temporary file and then
|
|
pass the error back to the caller.
|
|
If multiple writes are concurrently issued to the same file, the write operations are put into a queue and serialized in the order they were called, using Promises. Writes to different files are still executed in parallel.
|
|
|
|
If provided, the **chown** option requires both **uid** and **gid** properties or else
|
|
you'll get an error. If **chown** is not specified it will default to using
|
|
the owner of the previous file. To prevent chown from being ran you can
|
|
also pass `false`, in which case the file will be created with the current user's credentials.
|
|
|
|
If **mode** is not specified, it will default to using the permissions from
|
|
an existing file, if any. Expicitly setting this to `false` remove this default, resulting
|
|
in a file created with the system default permissions.
|
|
|
|
If options is a String, it's assumed to be the **encoding** option. The **encoding** option is ignored if **data** is a buffer. It defaults to 'utf8'.
|
|
|
|
If the **fsync** option is **false**, writeFile will skip the final fsync call.
|
|
|
|
If the **tmpfileCreated** option is specified it will be called with the name of the tmpfile when created.
|
|
|
|
Example:
|
|
|
|
```javascript
|
|
writeFileAtomic('message.txt', 'Hello Node', {chown:{uid:100,gid:50}}, function (err) {
|
|
if (err) throw err;
|
|
console.log('It\'s saved!');
|
|
});
|
|
```
|
|
|
|
This function also supports async/await:
|
|
|
|
```javascript
|
|
(async () => {
|
|
try {
|
|
await writeFileAtomic('message.txt', 'Hello Node', {chown:{uid:100,gid:50}});
|
|
console.log('It\'s saved!');
|
|
} catch (err) {
|
|
console.error(err);
|
|
process.exit(1);
|
|
}
|
|
})();
|
|
```
|
|
|
|
### `writeFileAtomicSync(filename, data, [options])`
|
|
|
|
#### Description:
|
|
|
|
The synchronous version of **writeFileAtomic**.
|
|
|
|
#### Usage:
|
|
```js
|
|
var writeFileAtomicSync = require('write-file-atomic').sync
|
|
writeFileAtomicSync(filename, data, [options])
|
|
```
|
|
|