@mindfiredigital/pivothead v1.1.1
PivotHead
PivotHead is a powerful and flexible library for creating interactive pivot tables in JavaScript applications. It provides a core engine for data manipulation and, in the future, will be compatible with wrappers for React, Vue, Svelte, and Angular, making it easy to integrate into applications built with these frameworks.
Table of Contents
- Features
- Installation
- Basic Usage
- PivotEngine API
- Advanced Features
- Configuration
- Filtering
- Pagination
- Examples
Features
- Flexible data pivoting and aggregation
- Sorting and filtering capabilities
- Pagination support
- Grouping data by multiple fields
- Column resizing
- Drag and drop for rows and columns
- Conditional formatting
- Custom measures and formulas
- Responsive design
- Customizable styling
- React integration (Upcoming)
Installation
To install PivotHead, use npm or yarn:
pnpm install @mindfiredigital/pivotheadBasic Usage
import { PivotEngine } from '@mindfiredigital/pivothead';
const data = [
  {
    date: '2024-01-01',
    product: 'Widget A',
    region: 'North',
    sales: 1000,
    quantity: 50,
  },
  // ... more data
];
const config = {
  data: data,
  rows: [{ uniqueName: 'product', caption: 'Product' }],
  columns: [{ uniqueName: 'region', caption: 'Region' }],
  measures: [
    {
      uniqueName: 'sales',
      caption: 'Total Sales',
      aggregation: 'sum',
      format: {
        type: 'currency',
        currency: 'USD',
        locale: 'en-US',
        decimals: 2,
      },
    },
    {
      uniqueName: 'quantity',
      caption: 'Total Quantity',
      aggregation: 'sum',
      format: {
        type: 'number',
        decimals: 2,
        locale: 'en-US',
      },
    },
  ],
  dimensions: [
    { field: 'product', label: 'Product', type: 'string' },
    { field: 'region', label: 'Region', type: 'string' },
    { field: 'date', label: 'Date', type: 'date' },
    { field: 'sales', label: 'Sales', type: 'number' },
    { field: 'quantity', label: 'Quantity', type: 'number' },
  ],
  defaultAggregation: 'sum',
  isResponsive: true,
  pageSize: 10, // Default page size for pagination
  groupConfig: {
    rowFields: ['product'],
    columnFields: ['region'],
    grouper: (item, fields) => fields.map(field => item[field]).join(' - '),
  },
  formatting: {
    sales: {
      type: 'currency',
      currency: 'USD',
      locale: 'en-US',
      decimals: 2,
    },
    quantity: {
      type: 'number',
      decimals: 2,
      locale: 'en-US',
    },
  },
  conditionalFormatting: [
    {
      value: {
        type: 'Number',
        operator: 'Greater than',
        value1: '1000',
        value2: '',
      },
      format: {
        font: 'Arial',
        size: '14px',
        color: '#ffffff',
        backgroundColor: '#4CAF50',
      },
    },
    // ... more conditional formatting rules
  ],
};
const engine = new PivotEngine(config);
// Use the engine to render your pivot tablePivotEngine API
The PivotEngine class is the core of the PivotHead library. Here are its key methods:
Constructor
constructor(config: PivotTableConfig<T>)Creates a new instance of PivotEngine with the given configuration.
State Management
getState()
getState(): PivotTableState<T>Example:
- getState(): PivotTableState - Returns the current state of the pivot table. - const state = engine.getState(); console.log(state.data); // Logs the current data array console.log(state.sortConfig); // Logs the current sort configuration
Returns the current state of the pivot table.
reset()
Resets the pivot table to its initial state.
reset();Example:
- reset() - engine.reset(); const state = engine.getState(); console.log(state); // Logs the initial state
Resets the pivot table to its initial state.
Data Manipulation
setMeasures(measureFields: MeasureConfig[])
setMeasures(measureFields: MeasureConfig[])Sets the measures for the pivot table.
setDimensions(dimensionFields: Dimension[])
setDimensions(dimensionFields: Dimension[])Sets the dimensions for the pivot table.
setAggregation(type: AggregationType)
setAggregation(type: AggregationType)Sets the aggregation type for the pivot table.
Formatting
formatValue(value: any, field: string): string
formatValue(value: any, field: string): stringFormats a value based on the specified field's format configuration.
Example:
const formattedValue = engine.formatValue(1000, 'sales');
console.log(formattedValue); // "$1,000.00"Sorting and Grouping
sort(field: string, direction: 'asc' | 'desc')
sort(field: string, direction: 'asc' | 'desc')Sorts the pivot table data.
setGroupConfig(groupConfig: GroupConfig | null)
setGroupConfig(groupConfig: GroupConfig | null)Sets the group configuration for the pivot table.
getGroupedData(): Group[]
getGroupedData(): Group[]Returns the grouped data.
Row and Column Manipulation
resizeRow(index: number, height: number)
resizeRow(index: number, height: number)Resizes a specific row in the pivot table.
toggleRowExpansion(rowId: string)
toggleRowExpansion(rowId: string)Toggles the expansion state of a row.
isRowExpanded(rowId: string): boolean
isRowExpanded(rowId: string): booleanChecks if a specific row is expanded.
dragRow(fromIndex: number, toIndex: number)
dragRow(fromIndex: number, toIndex: number)Handles dragging a row to a new position.
dragColumn(fromIndex: number, toIndex: number)
dragColumn(fromIndex: number, toIndex: number)Handles dragging a column to a new position.
Filtering and Pagination
applyFilters(filters: FilterConfig[])
applyFilters(filters: FilterConfig[])Applies filters to the data based on the provided filter configurations.
setPagination(config: PaginationConfig)
setPagination(config: PaginationConfig)Sets the pagination configuration for the pivot table.
getFilterState(): FilterConfig[]
getFilterState(): FilterConfig[]Returns the current filter configuration.
getPaginationState(): PaginationConfig
getPaginationState(): PaginationConfigReturns the current pagination configuration.
Advanced Features
Formatting cells
PivotHead supports conditional formatting for cells like decimal values, currency symbol etc.
Example configuration:
const config = {
  // ... other configuration options
  measures: [
    {
      uniqueName: 'sales',
      caption: 'Total Sales',
      aggregation: 'sum',
      format: {
        type: 'currency',
        currency: 'USD',
        locale: 'en-US',
        decimals: 4,
      },
    },
    {
      uniqueName: 'quantity',
      caption: 'Total Quantity',
      aggregation: 'sum',
      format: {
        type: 'number',
        decimals: 2,
        locale: 'en-US',
      },
    },
    {
      uniqueName: 'averageSale',
      caption: 'Average Sale',
      aggregation: 'avg',
      format: {
        type: 'currency',
        currency: 'USD',
        locale: 'en-US',
        decimals: 4,
      },
      formula: item => item.sales / item.quantity,
    },
  ],
  // ... other configuration options
  formatting: {
    sales: {
      type: 'currency',
      currency: 'USD',
      locale: 'en-US',
      decimals: 4,
    },
    quantity: {
      type: 'number',
      // decimals: 2,
      // locale: 'en-US'
    },
    averageSale: {
      type: 'currency',
      currency: 'USD',
      locale: 'en-US',
      decimals: 4,
    },
  },
};Conditional Formatting
PivotHead supports conditional formatting, allowing you to apply custom styles to cells based on their values.
Example configuration:
const config = {
  // ... other configuration options
  conditionalFormatting: [
    {
      value: {
        type: 'Number',
        operator: 'Greater than',
        value1: '1000',
        value2: '',
      },
      format: {
        font: 'Arial',
        size: '14px',
        color: '#ffffff',
        backgroundColor: '#4CAF50',
      },
    },
    // ... more conditional formatting rules
  ],
};Custom Measures
You can define custom measures with specific formulas:
const config = {
  // ... other configuration options
  measures: [
    {
      uniqueName: 'averageSale',
      caption: 'Average Sale',
      aggregation: 'avg',
      format: {
        type: 'currency',
        currency: 'USD',
        locale: 'en-US',
        decimals: 2,
      },
      formula: item => item.sales / item.quantity,
    },
  ],
};Configuration
The PivotTableConfig object allows you to customize various aspects of the pivot table:
interface PivotTableConfig<T> {
  data: T[];
  rows: { uniqueName: string; caption: string }[];
  columns: { uniqueName: string; caption: string }[];
  measures: MeasureConfig[];
  dimensions: Dimension[];
  defaultAggregation?: AggregationType;
  isResponsive?: boolean;
  pageSize?: number; // Default page size for pagination
  groupConfig?: GroupConfig;
  formatting?: Record<string, FormatConfig>;
  conditionalFormatting?: ConditionalFormattingRule[];
  dataSource?: {
    type: 'remote' | 'file';
    url?: string;
    file?: File;
  };
  onRowDragEnd?: (fromIndex: number, toIndex: number, data: T[]) => void;
  onColumnDragEnd?: (
    fromIndex: number,
    toIndex: number,
    columns: Array<{ uniqueName: string; caption: string }>
  ) => void;
}For detailed information on each configuration option, please refer to the source code and comments.
Filtering
PivotHead provides robust filtering capabilities through the FilterConfig interface. Filters can be applied to any field in your data with various operators.
Filter Configuration
interface FilterConfig {
  field: string;
  operator: 'equals' | 'contains' | 'greaterThan' | 'lessThan' | 'between';
  value: any; // Can be a single value or an array for 'between' operator
}Basic Filtering Example
// Apply filters to show only data for the North region with sales greater than 500
const filters = [
  {
    field: 'region',
    operator: 'equals',
    value: 'North',
  },
  {
    field: 'sales',
    operator: 'greaterThan',
    value: 500,
  },
];
engine.applyFilters(filters);Filter Operators
- equals: Exact match comparison
- contains: String contains check (case-insensitive)
- greaterThan: Numeric greater than comparison
- lessThan: Numeric less than comparison
- between: Value is within a range (requires an array of two values)
Range Filter Example
// Filter sales between 500 and 1500
const rangeFilter = [
  {
    field: 'sales',
    operator: 'between',
    value: [500, 1500],
  },
];
engine.applyFilters(rangeFilter);Retrieving Current Filters
const currentFilters = engine.getFilterState();
console.log(currentFilters); // Array of current FilterConfig objectsPagination
PivotHead includes built-in pagination capabilities to handle large datasets efficiently.
Pagination Configuration
interface PaginationConfig {
  currentPage: number;
  pageSize: number;
  totalPages?: number; // Read-only, calculated internally
}Setting Up Pagination
Pagination can be configured during initialization:
const config = {
  // ... other configuration
  pageSize: 25, // Show 25 items per page
};
const engine = new PivotEngine(config);Changing Pagination During Runtime
// Change to page 3 with 50 items per page
engine.setPagination({
  currentPage: 3,
  pageSize: 50,
});Getting Current Pagination State
const paginationInfo = engine.getPaginationState();
console.log(
  `Page ${paginationInfo.currentPage} of ${paginationInfo.totalPages}`
);
console.log(`Showing ${paginationInfo.pageSize} items per page`);Combining Pagination with Filters
Pagination works seamlessly with filters. When filters are applied, the pagination is automatically adjusted based on the filtered dataset:
// Apply filters first
engine.applyFilters([{ field: 'region', operator: 'equals', value: 'North' }]);
// Then update pagination if needed
engine.setPagination({ currentPage: 1 }); // Go to first page of filtered resultsExamples
To run the examples:
- Clone the repository
- Navigate to the examples/vanilla-js-demofolder
- Install dependencies with npm installoryarn install
- Build the project with npm run buildoryarn build
- Start the development server with npm startoryarn start
- Open your browser and navigate to the local host address provided
These examples demonstrate various features of the PivotHead library, including:
- Basic pivot table setup
- Custom measures and formulas
- Grouping and aggregation
- Conditional formatting
- Drag and drop functionality
- Responsive design
- Filtering and pagination
Filter and Pagination Example
import { PivotEngine } from '@mindfiredigital/pivothead';
// Initialize the engine with your data and configuration
const engine = new PivotEngine(config);
// Apply filters to show only high-value sales in the North region
engine.applyFilters([
  { field: 'region', operator: 'equals', value: 'North' },
  { field: 'sales', operator: 'greaterThan', value: 1000 },
]);
// Set up pagination to show 10 items per page and display the second page
engine.setPagination({
  currentPage: 2,
  pageSize: 10,
});
// Get pagination info to update UI
const paginationInfo = engine.getPaginationState();
updatePaginationControls(paginationInfo);
// Function to handle page navigation
function goToPage(pageNumber) {
  engine.setPagination({
    currentPage: pageNumber,
    pageSize: paginationInfo.pageSize,
  });
  // Get updated state and re-render your UI
  const state = engine.getState();
  renderPivotTable(state);
}For more detailed examples and usage scenarios, please refer to the example files in the repository.