Confidential guide on numerology and astrology, based of GG33 Public information

TS infactorio
SDK de TypeScript infactivo para su uso con el taller infactivo, el servidor MCP y la API
3 years
Works with Finder
2
Github Watches
0
Github Forks
1
Github Stars
Infactory TypeScript SDK
Official TypeScript SDK for interacting with the Infactory AI platform. This SDK allows you to programmatically access and manage your data, projects, and queries through the Infactory API.
Installation
npm install @infactory/infactory-ts
Configuration
Before using the SDK, you need to set up your Infactory API credentials:
- Obtain an API key from the Infactory Workshop
- Use the API key to initialize the client
Quick Start
import { InfactoryClient } from '@infactory/infactory-ts';
// Initialize the client with your API key
const client = new InfactoryClient({
apiKey: 'your-api-key-here',
// Optional: baseURL: 'https://api.infactory.ai' // Use custom API endpoint if needed
});
// Example: Get current user information
async function getCurrentUser() {
const response = await client.users.getCurrentUser();
if (response.error) {
console.error(`Error: ${response.error.message}`);
return null;
}
return response.data;
}
// Example: List all projects
async function listProjects() {
const response = await client.projects.getProjects();
if (response.error) {
console.error(`Error: ${response.error.message}`);
return [];
}
return response.data;
}
Environment Variables
The SDK supports loading configuration from environment variables:
# Required
NF_API_KEY=your-api-key-here
# Optional - defaults to https://api.infactory.ai
NF_BASE_URL=https://api.infactory.ai
You can load these variables from a .env
file using dotenv:
import * as dotenv from 'dotenv';
import { InfactoryClient } from '@infactory/infactory-ts';
// Load environment variables
dotenv.config();
// Create client using environment variables
const client = new InfactoryClient({
apiKey: process.env.NF_API_KEY || '',
});
Available APIs
The SDK provides access to the following Infactory API resources:
- Projects - Create and manage projects
- Teams - Manage teams and team memberships
- Organizations - Access organization information
- Users - User management and authentication
- Auth - API key management
- Chat - Interact with the chat interface
- Chat Integrations - Work with chat tools and custom functions
- Knowledge Graph - Create and manage knowledge graphs
- Datasources - Connect to and manage data sources
- Datalines - Access and transform data
- QueryPrograms - Create, run, and publish queries
- APIs - Deploy and manage API endpoints
- Credentials - Manage connection credentials
- Integrations - Work with third-party integrations like Fivetran
- Secrets - Store and manage secrets
- Tasks - Track and manage tasks
- Events - Access event information
- MCP - Management Control Plane for administrative operations
Common Workflows
Creating a Project and Uploading Data
// Create a new project
const projectResponse = await client.projects.createProject({
name: 'Stock Analysis Project',
teamId: teamId,
description: 'Project for analyzing stock data',
});
const project = projectResponse.data;
// Create a datasource
const datasourceResponse = await client.datasources.createDatasource({
name: 'Stock Data',
projectId: project.id,
type: 'csv',
});
const datasource = datasourceResponse.data;
// Upload a CSV file (This is a simplified example)
const formData = new FormData();
formData.append('file', fs.createReadStream('./data/stocks.csv'));
// Upload using the datasource
await fetch(
`${client.getBaseURL()}/v1/actions/load/${project.id}?datasourceId=${datasource.id}`,
{
method: 'POST',
headers: {
Authorization: `Bearer ${client.getApiKey()}`,
},
body: formData,
},
);
Working with Query Programs
// Get query programs for a project
const queryProgramsResponse =
await client.queryprograms.getQueryProgramsByProject(projectId);
const queryPrograms = queryProgramsResponse.data;
// Execute a query program
const evaluateResponse =
await client.queryprograms.executeQueryProgram(queryProgramId);
const queryResult = evaluateResponse.data;
// Publish a query program to make it available as an API
await client.queryprograms.publishQueryProgram(queryProgramId);
Accessing APIs
// Get APIs for a project
const apisResponse = await client.apis.getProjectApis(projectId);
const apis = apisResponse.data;
// Get endpoints for an API
const endpointsResponse = await client.apis.getApiEndpoints(apiId);
const endpoints = endpointsResponse.data;
Authentication Management
The SDK now includes an enhanced authentication manager that provides better control over API keys and authentication state:
import { InfactoryClient, AuthManager } from '@infactory/infactory-ts';
// Create an authentication manager
const authManager = new AuthManager({
apiKey: 'your-api-key-here',
});
// Create a client using the auth manager
const client = new InfactoryClient({
authManager,
});
// Check if authenticated
if (authManager.isAuthenticated()) {
console.log('Authenticated with API key!');
}
// Update API key if needed
authManager.setApiKey('new-api-key');
Error Handling
The SDK provides an improved error handling system with specific error classes that match the OpenAPI specification:
import {
InfactoryClient,
AuthenticationError,
PermissionError,
NotFoundError,
ValidationError,
RateLimitError,
ServerError,
} from '@infactory/infactory-ts';
async function handleErrors() {
try {
const client = new InfactoryClient({ apiKey: 'your-api-key' });
const response = await client.projects.getProject('non-existent-id');
return response.data;
} catch (error) {
if (error instanceof AuthenticationError) {
console.error('Authentication failed. Please check your API key.');
} else if (error instanceof PermissionError) {
console.error('You do not have permission to access this resource.');
} else if (error instanceof NotFoundError) {
console.error('The requested resource was not found.');
} else if (error instanceof ValidationError) {
console.error(`Validation error: ${error.message}`);
console.error('Validation details:', error.errors);
} else if (error instanceof RateLimitError) {
console.error(
`Rate limit exceeded. Try again in ${error.retryAfter} seconds.`,
);
} else if (error instanceof ServerError) {
console.error(`Server error: ${error.message}`);
} else {
console.error(`Unexpected error: ${error.message}`);
}
}
}
Handling Streaming Responses
Some API endpoints like executeQueryProgram
can return streaming responses. The SDK provides enhanced utilities to handle these responses, including event-based streaming:
import {
InfactoryClient,
isReadableStream,
processStreamToApiResponse,
streamEvents,
} from '@infactory/infactory-ts';
async function handleBasicStreamingResponse() {
const client = new InfactoryClient({ apiKey: 'your-api-key' });
// This may return a stream or a regular response
const result = await client.queryprograms.executeQueryProgram(
queryProgramId,
{ stream: true },
);
if (isReadableStream(result)) {
// Process the stream into a regular API response
const apiResponse = await processStreamToApiResponse(result);
return apiResponse.data;
} else {
// Handle regular API response
return result.data;
}
}
// Enhanced event-based streaming for real-time data processing
async function handleEventStreamingResponse() {
const client = new InfactoryClient({ apiKey: 'your-api-key' });
// Get a streaming response
const result = await client.queryprograms.executeQueryProgram(
queryProgramId,
{ stream: true },
);
if (isReadableStream(result)) {
// Process events from the stream as they arrive
for await (const event of streamEvents(result)) {
switch (event.type) {
case 'data':
console.log('Received data chunk:', event.data);
// Process data in real-time
break;
case 'thinking':
console.log('AI is thinking:', event.content);
// Update UI with thinking state
break;
case 'completion':
console.log('Received completion:', event.content);
// Handle final result
break;
case 'error':
console.error('Stream error:', event.error);
// Handle errors appropriately
break;
}
}
} else {
// Handle regular API response
return result.data;
}
}
Complete Examples
For complete examples, see:
-
example.ts
- Basic SDK usage examples -
infactory-e2e-test.ts
- End-to-end testing workflow including project creation, data upload, query execution, and API usage
Command Line Tools
To run the included example files:
# Set up your API key
export NF_API_KEY=your-api-key-here
# Run the basic example
npm run example
# Run the end-to-end test
npm run e2e-test
Development
Building from Source
git clone https://github.com/infactory-io/infactory-ts.git
cd infactory-ts
npm install
npm run e2e-test
Testing the SDK
The SDK includes a comprehensive test suite using Jest with several types of tests:
Unit Tests
Unit tests verify individual components of the SDK in isolation:
npm run test:unit
Integration Tests
Integration tests verify how components work together and with the Infactory API:
npm run test:integration
Mock Service Worker Tests
MSW tests simulate API interactions using request interception:
npm run test:msw
Running All Tests
To run the entire test suite:
npm test
Test Coverage
Generate test coverage reports:
npm run test:coverage
Setting Up Tests
For contributors writing tests:
-
Unit Tests: Place in
src/__tests__/
and name as*.test.ts
-
Integration Tests: Place in
src/__tests__/integration/
directory -
MSW Tests: Place in
src/__tests__/msw/
directory
Testing Dependencies
The test suite uses several tools:
- Jest: Test runner and assertion library
- ts-jest: TypeScript support for Jest
- jest-fetch-mock: Mocking fetch requests
- nock: HTTP server mocking
- MSW: API mocking via request interception
License
This Infactory TypeScript SDK is licensed under the MIT License. See the LICENSE file for more details.
相关推荐
Converts Figma frames into front-end code for various mobile frameworks.
Advanced software engineer GPT that excels through nailing the basics.
Take an adjectivised noun, and create images making it progressively more adjective!
I find academic articles and books for research and literature reviews.
Embark on a thrilling diplomatic quest across a galaxy on the brink of war. Navigate complex politics and alien cultures to forge peace and avert catastrophe in this immersive interstellar adventure.
Descubra la colección más completa y actualizada de servidores MCP en el mercado. Este repositorio sirve como un centro centralizado, que ofrece un extenso catálogo de servidores MCP de código abierto y propietarios, completos con características, enlaces de documentación y colaboradores.
Manipulación basada en Micrypthon I2C del expansor GPIO de la serie MCP, derivada de AdaFruit_MCP230xx
Servidor MCP para obtener contenido de la página web con el navegador sin cabeza de dramaturgo.
Un poderoso complemento Neovim para administrar servidores MCP (protocolo de contexto del modelo)
Puente entre los servidores Ollama y MCP, lo que permite a LLM locales utilizar herramientas de protocolo de contexto del modelo
Un bot de chat de IA para equipos pequeños y medianos, que apoyan modelos como Deepseek, Open AI, Claude y Gemini. 专为中小团队设计的 ai 聊天应用 , 支持 Deepseek 、 Open ai 、 Claude 、 Géminis 等模型。
🔍 Habilitar asistentes de IA para buscar y acceder a la información del paquete PYPI a través de una interfaz MCP simple.
Reviews

user_fU6YvmLq
Infactory-ts by infactory-io is an exceptional JavaScript/TypeScript library that greatly enhances productivity in my development projects. The documentation is detailed, and the community support is fantastic. With its comprehensive features and ease of integration, I highly recommend it to anyone looking to streamline their TypeScript solutions. Check it out here: https://github.com/infactory-io/infactory-ts.