Files
anthonyrawlins 85bf1341f3 Add comprehensive frontend UI and distributed infrastructure
Frontend Enhancements:
- Complete React TypeScript frontend with modern UI components
- Distributed workflows management interface with real-time updates
- Socket.IO integration for live agent status monitoring
- Agent management dashboard with cluster visualization
- Project management interface with metrics and task tracking
- Responsive design with proper error handling and loading states

Backend Infrastructure:
- Distributed coordinator for multi-agent workflow orchestration
- Cluster management API with comprehensive agent operations
- Enhanced database models for agents and projects
- Project service for filesystem-based project discovery
- Performance monitoring and metrics collection
- Comprehensive API documentation and error handling

Documentation:
- Complete distributed development guide (README_DISTRIBUTED.md)
- Comprehensive development report with architecture insights
- System configuration templates and deployment guides

The platform now provides a complete web interface for managing the distributed AI cluster
with real-time monitoring, workflow orchestration, and agent coordination capabilities.

🤖 Generated with [Claude Code](https://claude.ai/code)

Co-Authored-By: Claude <noreply@anthropic.com>
2025-07-10 08:41:59 +10:00

295 lines
11 KiB
JavaScript

"use strict";
var __defProp = Object.defineProperty;
var __getOwnPropDesc = Object.getOwnPropertyDescriptor;
var __getOwnPropNames = Object.getOwnPropertyNames;
var __hasOwnProp = Object.prototype.hasOwnProperty;
var __export = (target, all) => {
for (var name in all)
__defProp(target, name, { get: all[name], enumerable: true });
};
var __copyProps = (to, from, except, desc) => {
if (from && typeof from === "object" || typeof from === "function") {
for (let key of __getOwnPropNames(from))
if (!__hasOwnProp.call(to, key) && key !== except)
__defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable });
}
return to;
};
var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod);
// src/index.ts
var index_exports = {};
__export(index_exports, {
configs: () => configs,
default: () => index_default,
rules: () => rules
});
module.exports = __toCommonJS(index_exports);
// src/only-export-components.ts
var reactComponentNameRE = /^[A-Z][a-zA-Z0-9]*$/u;
var onlyExportComponents = {
meta: {
messages: {
exportAll: "This rule can't verify that `export *` only exports components.",
namedExport: "Fast refresh only works when a file only exports components. Use a new file to share constants or functions between components.",
anonymousExport: "Fast refresh can't handle anonymous components. Add a name to your export.",
localComponents: "Fast refresh only works when a file only exports components. Move your component(s) to a separate file.",
noExport: "Fast refresh only works when a file has exports. Move your component(s) to a separate file.",
reactContext: "Fast refresh only works when a file only exports components. Move your React context(s) to a separate file."
},
type: "problem",
schema: [
{
type: "object",
properties: {
allowExportNames: { type: "array", items: { type: "string" } },
allowConstantExport: { type: "boolean" },
customHOCs: { type: "array", items: { type: "string" } },
checkJS: { type: "boolean" }
},
additionalProperties: false
}
]
},
defaultOptions: [],
create: (context) => {
const {
allowExportNames,
allowConstantExport = false,
customHOCs = [],
checkJS = false
} = context.options[0] ?? {};
const filename = context.filename;
if (filename.includes(".test.") || filename.includes(".spec.") || filename.includes(".cy.") || filename.includes(".stories.")) {
return {};
}
const shouldScan = filename.endsWith(".jsx") || filename.endsWith(".tsx") || checkJS && filename.endsWith(".js");
if (!shouldScan) return {};
const allowExportNamesSet = allowExportNames ? new Set(allowExportNames) : void 0;
const reactHOCs = ["memo", "forwardRef", ...customHOCs];
const canBeReactFunctionComponent = (init) => {
if (!init) return false;
const jsInit = skipTSWrapper(init);
if (jsInit.type === "ArrowFunctionExpression") return true;
if (jsInit.type === "CallExpression" && jsInit.callee.type === "Identifier") {
return reactHOCs.includes(jsInit.callee.name);
}
return false;
};
return {
Program(program) {
let hasExports = false;
let hasReactExport = false;
let reactIsInScope = false;
const localComponents = [];
const nonComponentExports = [];
const reactContextExports = [];
const handleExportIdentifier = (identifierNode, isFunction, init) => {
if (identifierNode.type !== "Identifier") {
nonComponentExports.push(identifierNode);
return;
}
if (allowExportNamesSet == null ? void 0 : allowExportNamesSet.has(identifierNode.name)) return;
if (allowConstantExport && init && constantExportExpressions.has(skipTSWrapper(init).type)) {
return;
}
if (isFunction) {
if (reactComponentNameRE.test(identifierNode.name)) {
hasReactExport = true;
} else {
nonComponentExports.push(identifierNode);
}
} else {
if (init && init.type === "CallExpression" && // createContext || React.createContext
(init.callee.type === "Identifier" && init.callee.name === "createContext" || init.callee.type === "MemberExpression" && init.callee.property.type === "Identifier" && init.callee.property.name === "createContext")) {
reactContextExports.push(identifierNode);
return;
}
if (init && // Switch to allowList?
notReactComponentExpression.has(init.type)) {
nonComponentExports.push(identifierNode);
return;
}
if (reactComponentNameRE.test(identifierNode.name)) {
hasReactExport = true;
} else {
nonComponentExports.push(identifierNode);
}
}
};
const isHOCCallExpression = (node) => {
const isCalleeHOC = (
// support for react-redux
// export default connect(mapStateToProps, mapDispatchToProps)(...)
node.callee.type === "CallExpression" && node.callee.callee.type === "Identifier" && node.callee.callee.name === "connect" || // React.memo(...)
node.callee.type === "MemberExpression" && node.callee.property.type === "Identifier" && reactHOCs.includes(node.callee.property.name) || // memo(...)
node.callee.type === "Identifier" && reactHOCs.includes(node.callee.name)
);
if (!isCalleeHOC) return false;
if (node.arguments.length === 0) return false;
const arg = skipTSWrapper(node.arguments[0]);
switch (arg.type) {
case "Identifier":
return true;
case "FunctionExpression":
if (!arg.id) return false;
handleExportIdentifier(arg.id, true);
return true;
case "CallExpression":
return isHOCCallExpression(arg);
default:
return false;
}
};
const handleExportDeclaration = (node) => {
if (node.type === "VariableDeclaration") {
for (const variable of node.declarations) {
handleExportIdentifier(
variable.id,
canBeReactFunctionComponent(variable.init),
variable.init
);
}
} else if (node.type === "FunctionDeclaration") {
if (node.id === null) {
context.report({ messageId: "anonymousExport", node });
} else {
handleExportIdentifier(node.id, true);
}
} else if (node.type === "CallExpression") {
const isValid = isHOCCallExpression(node);
if (isValid) {
hasReactExport = true;
} else {
context.report({ messageId: "anonymousExport", node });
}
} else if (node.type === "TSEnumDeclaration") {
nonComponentExports.push(node.id);
}
};
for (const node of program.body) {
if (node.type === "ExportAllDeclaration") {
if (node.exportKind === "type") continue;
hasExports = true;
context.report({ messageId: "exportAll", node });
} else if (node.type === "ExportDefaultDeclaration") {
hasExports = true;
const declaration = skipTSWrapper(node.declaration);
if (declaration.type === "VariableDeclaration" || declaration.type === "FunctionDeclaration" || declaration.type === "CallExpression") {
handleExportDeclaration(declaration);
}
if (declaration.type === "Identifier") {
handleExportIdentifier(declaration);
}
if (declaration.type === "ArrowFunctionExpression") {
context.report({ messageId: "anonymousExport", node });
}
} else if (node.type === "ExportNamedDeclaration") {
if (node.exportKind === "type") continue;
hasExports = true;
if (node.declaration) {
handleExportDeclaration(skipTSWrapper(node.declaration));
}
for (const specifier of node.specifiers) {
handleExportIdentifier(
specifier.exported.type === "Identifier" && specifier.exported.name === "default" ? specifier.local : specifier.exported
);
}
} else if (node.type === "VariableDeclaration") {
for (const variable of node.declarations) {
if (variable.id.type === "Identifier" && reactComponentNameRE.test(variable.id.name) && canBeReactFunctionComponent(variable.init)) {
localComponents.push(variable.id);
}
}
} else if (node.type === "FunctionDeclaration") {
if (reactComponentNameRE.test(node.id.name)) {
localComponents.push(node.id);
}
} else if (node.type === "ImportDeclaration" && node.source.value === "react") {
reactIsInScope = true;
}
}
if (checkJS && !reactIsInScope) return;
if (hasExports) {
if (hasReactExport) {
for (const node of nonComponentExports) {
context.report({ messageId: "namedExport", node });
}
for (const node of reactContextExports) {
context.report({ messageId: "reactContext", node });
}
} else if (localComponents.length) {
for (const node of localComponents) {
context.report({ messageId: "localComponents", node });
}
}
} else if (localComponents.length) {
for (const node of localComponents) {
context.report({ messageId: "noExport", node });
}
}
}
};
}
};
var skipTSWrapper = (node) => {
if (node.type === "TSAsExpression" || node.type === "TSSatisfiesExpression") {
return node.expression;
}
return node;
};
var constantExportExpressions = /* @__PURE__ */ new Set([
"Literal",
// 1, "foo"
"UnaryExpression",
// -1
"TemplateLiteral",
// `Some ${template}`
"BinaryExpression"
// 24 * 60
]);
var notReactComponentExpression = /* @__PURE__ */ new Set([
"ArrayExpression",
"AwaitExpression",
"BinaryExpression",
"ChainExpression",
"ConditionalExpression",
"Literal",
"LogicalExpression",
"ObjectExpression",
"TemplateLiteral",
"ThisExpression",
"UnaryExpression",
"UpdateExpression"
]);
// src/index.ts
var rules = {
"only-export-components": onlyExportComponents
};
var plugin = { rules };
var configs = {
recommended: {
name: "react-refresh/recommended",
plugins: { "react-refresh": plugin },
rules: { "react-refresh/only-export-components": "error" }
},
vite: {
name: "react-refresh/vite",
plugins: { "react-refresh": plugin },
rules: {
"react-refresh/only-export-components": [
"error",
{ allowConstantExport: true }
]
}
}
};
var index_default = { rules, configs };
// Annotate the CommonJS export names for ESM import in node:
0 && (module.exports = {
configs,
rules
});