Moose

Getting Started

Project Structure

Project Structure

Viewing typescript

switch to python

Overview

A Moose project has two main levels of organization:

Project Root

Contains configuration and generated artifacts

File/DirectoryDescription
app/Where all your application code lives
.moose/Generated artifacts and infrastructure mappings
moose.config.tomlProject configuration
package.json or setup.pyPackage management files

Application Code

All your code lives in the app directory, where Moose provides a flexible yet opinionated structure. The key principle is that only objects exported from your root index.ts or file are mapped to infrastructure, giving you freedom in how you organize your implementation details.

How to Organize Your App Code

Required: Export Infrastructure Objects from Root

All infrastructure components (data models, pipelines, views, APIs) MUST be exported from index.ts/main.py to be deployed. Internal implementation details can live anywhere.

Recommended: Use Standard Directory Structure

Organize your code into models/, ingest/, views/, and apis/ directories. Each component type has its dedicated location for better maintainability.

Optional: Group Related Components

Within each directory, you can group related components into subdirectories or single files based on your domain (e.g., analytics/, monitoring/).

Best Practice: Clear Component Dependencies

Keep clear import paths between components: models → ingest → views → apis. This makes data flow and dependencies easy to understand.

Core Concept: Infrastructure Mapping

The most important file in your project is the root index.ts. This file acts as the single source of truth for what gets deployed to your infrastructure:

app/index.ts
export { RawRecords, ProcessedRecords } from './ingest/records';
export { RecordMetricsView } from './views/aggregations';
export { MetricsAPI } from './apis/metrics-api';

While you have complete flexibility in organizing your implementation, here’s a simplified structure that clearly separates ingestion from transformations:

    • index.ts
      • records.ts
      • aggregations.ts
      • metrics-api.ts
      • helpers.ts
  • package.json
  • moose.config.toml

Directory Purposes

app/index.tsThe critical file that exports all resources to be mapped to infrastructure
ingestCreate IngestPipeline data models and objects that combine ingest APIs, streams, and tables
viewsDefine in-database transformations using Materialized Views
apisBuild Consumption APIs to expose your data to clients
utilsHelper functions and utilities

Example

Here’s how you might organize a typical data flow:

Create Ingestion Pipelines in app/ingest

app/ingest/records.ts
import { IngestPipeline, Key } from "@514labs/moose-lib";
 
export interface RawRecord {
  id: Key<string>;
  sourceId: string;
  timestamp: Date;
  status: string;
}
 
export interface ProcessedRecord extends RawRecord {
  processedAt: Date;
  metadata: {
    version: string;
    processingTime: number;
  };
}
 
 
export const RawRecords = new IngestPipeline<RawRecord>("raw_records", {
  ingest: true,    // Creates a REST API endpoint 
  stream: true,    // Creates Kafka/Redpanda topic
  table: true      // Creates a table to store records
});
 
export const ProcessedRecords = new IngestPipeline<ProcessedRecord>("processed_records", {
  ingest: false,   
  stream: true,    
  table: true      
});
 
RawRecords.stream!.addTransform(ProcessedRecords.stream!, (record) => {
  return {
    ...record,
    processedAt: new Date(),
    metadata: {
      version: "1.0",
      processingTime: Date.now() - record.timestamp.getTime()
    }
  };
});

Define Materialized Views in app/views

app/views/aggregations.ts
import { ProcessedRecords } from '../ingestion/records';
import { sql, MaterializedView } from "@514labs/moose-lib";
 
interface RecordMetricsSchema {
  sourceId: string;
  recordCount: number;
  avgProcessingTime: number;
  lastProcessed: Date;
}
 
export const RecordMetricsView = new MaterializedView<RecordMetricsSchema>({
  selectStatement: sql`
    SELECT 
      sourceId, 
      COUNT(*) as recordCount,
      AVG(metadata.processingTime) as avgProcessingTime,
      MAX(processedAt) as lastProcessed
    FROM ${ProcessedRecords.table}
    GROUP BY sourceId
  `,
  tableName: "record_metrics",
  materializedViewName: "record_metrics_mv"
});

Define Consumption APIs in app/apis

app/apis/metrics-api.ts
import { RecordMetricsView } from '../views/aggregations';
import { ConsumptionApi } from "@514labs/moose-lib";
 
interface QueryParams {
  sourceId: string;
}
 
interface ResponseBody {
  sourceId: string;
  recordCount: number;
  avgProcessingTime: number;
  lastProcessed: Date;
}
 
export const MetricsAPI = new ConsumptionApi<QueryParams, ResponseBody>(
  "metrics",
  async ({ sourceId }, { client, sql }) => {
    const query = sql`
      SELECT * FROM ${RecordMetricsView}
      WHERE sourceId = ${sourceId}
    `;
    return client.query.execute(query);
  }
);

Export everything from the root file

app/index.ts
export { RawRecords, ProcessedRecords } from './ingest/records';
export { RecordMetricsView } from './views/aggregations';
export { MetricsAPI } from './apis/metrics-api';

Alternative: Simpler Structure for Small Projects

For smaller projects, you might prefer an even simpler structure:

app/
  index.ts
  ingestion.ts     # All ingestion pipelines
  views.ts # All materialized views
  apis.ts          # All consumption APIs