Package Exports
- dst-typescript-collection
- dst-typescript-collection/dist/index.js
This package does not declare an exports field, so the exports above have been automatically detected and optimized by JSPM instead. If any package subpath is missing, it is recommended to post an issue to the original package (dst-typescript-collection) to support the "exports" field. If that is not possible, create a JSPM override to customize the exports field for this package.
Readme
Data Structures in TypeScript
A comprehensive collection of data structures implemented in TypeScript with full test coverage.
๐ Data Structures Implemented
1. Linked List (MyLinkedList)
- Singly linked list with generic type support
- Operations: append, prepend, remove, search, contains
- Methods:
getSize(),isEmpty(),toArray(),print(),clear()
2. Hash Map (MyHashMap)
- Generic key-value storage with collision handling
- Dynamic resizing and load factor management
- Operations: put, get, remove, containsKey, containsValue
- Methods:
keys(),values(),entries(),getCapacity(),getLoadFactor()
3. Concurrent Hash Map (MyConcurrentHashMap)
- Thread-safe hash map with async-safe operations
- Built-in mutex for serialized access in concurrent environments
- All operations are async and return Promises
- Operations: put, get, remove, containsKey, containsValue (all async)
- Methods:
keys(),values(),entries(),getCapacity(),getLoadFactor()(all async)
4. Stack (MyStack)
- LIFO (Last In, First Out) data structure
- Configurable capacity (default: infinite)
- Operations: push, pop, peek
- Methods:
isEmpty(),isFull(),size(),search(),contains()
5. Queue (MyQueue)
- FIFO (First In, First Out) data structure
- Configurable capacity (default: infinite)
- Operations: enqueue, dequeue, front, back
- Methods:
isEmpty(),isFull(),size(),search(),contains()
6. Set (MySet)
- Collection of unique elements
- Set theory operations: union, intersection, difference, symmetric difference
- Methods:
add(),delete(),has(),size(),isEmpty()
7. Tree (MyTree)
- Multi-child tree with configurable minimum children (default: 2)
- Traversal: preorder, postorder, level order
- Methods:
addChild(),remove(),getHeight(),getDepth(),isBalanced()
8. Binary Search Tree (MyBST)
- Binary search tree with efficient search and insertion
- BST property: left child < parent < right child
- Traversal: inorder (sorted), preorder, postorder, level order
- Methods:
insert(),search(),remove(),findMin(),findMax() - BST-specific:
isValidBST(),isBalanced(),getSuccessor(),getPredecessor() - Loop detection:
hasLoop(),getLoopCount(),getLoopData(),getLoopNodes()
9. AVL Tree (MyAVLTree)
- Self-balancing binary search tree with height balance
- AVL property: height difference between left and right subtrees โค 1
- Automatic rebalancing through rotations (left, right, left-right, right-left)
- Methods:
insert(),search(),remove(),findMin(),findMax() - AVL-specific:
isValidAVL(),isBalanced(),getNodeBalanceFactor(),getNodeHeight() - Traversal: inorder (sorted), preorder, postorder, level order
10. Red-Black Tree (MyRedBlackTree)
- Self-balancing binary search tree with color properties
- Red-Black properties: root is black, red nodes can't have red children, equal black height
- Automatic rebalancing through color changes and rotations
- Methods:
insert(),search(),remove(),findMin(),findMax() - RB-specific:
isValidRedBlack(),getNodeColor(),isRed(),isBlack(),getParent(),getSibling(),getUncle() - Traversal: inorder (sorted), preorder, postorder, level order
11. Graph (MyGraph)
- Directed and undirected graph support
- Weighted edges with customizable weights
- Algorithms: DFS, BFS, shortest path, cycle detection, topological sort
- Methods:
addVertex(),addEdge(),hasPath(),getConnectedComponents()
12. Heap (MyHeap)
- Min/Max heap with priority queue functionality
- Configurable comparison functions
- Operations: insert, extract, peek
- Methods:
getMin(),getMax(),getKthElement(),isValid()
13. Trie (MyTrie)
- Prefix tree for efficient string operations
- Pattern matching and autocomplete functionality
- Methods:
insert(),search(),startsWith(),getWordsWithPrefix()
๐ Getting Started
Prerequisites
- Node.js (v14 or higher)
- npm or yarn
Installation
From npm (Recommended)
# Install the package
npm install dst-typescript-collection
# Use in your project
import { MyHashMap, MyConcurrentHashMap, MyLinkedList } from 'dst-typescript-collection';From Source
# Clone the repository
git clone https://github.com/sarcasm1984/DST.git
cd DST
# Install dependencies
npm install
# Run tests
npm test
# Run tests with coverage
npm run test:coverage
# Build the project
npm run build๐งช Testing
The project includes comprehensive test suites for all data structures:
# Run all tests
npm test
# Run tests in watch mode
npm run test:watch
# Run tests with coverage report
npm run test:coverageTest Coverage
- 13 Test Suites: All data structures including ConcurrentHashMap
- 549 Tests: Comprehensive coverage with concurrency scenarios
- 100% Pass Rate: All tests passing
๐ Project Structure
DST/
โโโ src/
โ โโโ DataStructures/
โ โ โโโ MyLinkedList.ts
โ โ โโโ MyHashMap.ts
โ โ โโโ MyConcurrentHashMap.ts
โ โ โโโ MyStack.ts
โ โ โโโ MyQueue.ts
โ โ โโโ MySet.ts
โ โ โโโ MyTree.ts
โ โ โโโ MyBST.ts
โ โ โโโ MyAVLTree.ts
โ โ โโโ MyRedBlackTree.ts
โ โ โโโ MyGraph.ts
โ โ โโโ MyHeap.ts
โ โ โโโ MyTrie.ts
โ โโโ Test/
โ โ โโโ MyLinkedList.test.ts
โ โ โโโ MyHashMap.test.ts
โ โ โโโ MyConcurrentHashMap.test.ts
โ โ โโโ MyStack.test.ts
โ โ โโโ MyQueue.test.ts
โ โ โโโ MySet.test.ts
โ โ โโโ MyTree.test.ts
โ โ โโโ MyBST.test.ts
โ โ โโโ MyAVLTree.test.ts
โ โ โโโ MyRedBlackTree.test.ts
โ โ โโโ MyGraph.test.ts
โ โ โโโ MyHeap.test.ts
โ โ โโโ MyTrie.test.ts
โ โโโ index.ts
โโโ package.json
โโโ tsconfig.json
โโโ jest.config.js
โโโ README.md๐ป Usage Examples
Linked List
import { MyLinkedList } from 'dst-typescript-collection';
const list = new MyLinkedList<number>();
list.append(1);
list.append(2);
list.prepend(0);
console.log(list.toArray()); // [0, 1, 2]Hash Map
import { MyHashMap } from 'dst-typescript-collection';
const map = new MyHashMap<string, number>();
map.put('key1', 1);
map.put('key2', 2);
console.log(map.get('key1')); // 1Concurrent Hash Map
import { MyConcurrentHashMap } from 'dst-typescript-collection';
const concurrentMap = new MyConcurrentHashMap<string, number>();
// All operations are async
await concurrentMap.put('key1', 1);
await concurrentMap.put('key2', 2);
console.log(await concurrentMap.get('key1')); // 1
// Safe for concurrent operations
const promises = [];
for (let i = 0; i < 100; i++) {
promises.push(concurrentMap.put(`key${i}`, i));
}
await Promise.all(promises);
console.log(await concurrentMap.getSize()); // 100Stack
import { MyStack } from 'dst-typescript-collection';
const stack = new MyStack<number>();
stack.push(1);
stack.push(2);
console.log(stack.pop()); // 2Queue
import { MyQueue } from 'dst-typescript-collection';
const queue = new MyQueue<number>();
queue.enqueue(1);
queue.enqueue(2);
console.log(queue.dequeue()); // 1Set
import { MySet } from 'dst-typescript-collection';
const set = new MySet<number>();
set.add(1);
set.add(2);
set.add(1); // Duplicate, won't be added
console.log(set.size()); // 2Tree
import { MyTree } from 'dst-typescript-collection';
const tree = new MyTree<number>();
tree.addToRoot(1);
tree.addChild(1, 2);
tree.addChild(1, 3);
console.log(tree.preorder()); // [1, 2, 3]Binary Search Tree
import { MyBST } from 'dst-typescript-collection';
const bst = new MyBST<number>();
bst.insert(5);
bst.insert(3);
bst.insert(7);
console.log(bst.inorder()); // [3, 5, 7] (sorted)
console.log(bst.findMin()); // 3
console.log(bst.findMax()); // 7
console.log(bst.hasLoop()); // false (no loops in normal BST)AVL Tree
import { MyAVLTree } from 'dst-typescript-collection';
const avl = new MyAVLTree<number>();
avl.insert(5);
avl.insert(3);
avl.insert(7);
avl.insert(1);
console.log(avl.inorder()); // [1, 3, 5, 7] (sorted)
console.log(avl.isBalanced()); // true (always balanced)
console.log(avl.getNodeBalanceFactor(5)); // 0 (balanced)Red-Black Tree
import { MyRedBlackTree } from 'dst-typescript-collection';
const rbt = new MyRedBlackTree<number>();
rbt.insert(10);
rbt.insert(5);
rbt.insert(15);
rbt.insert(3);
rbt.insert(7);
console.log(rbt.inorder()); // [3, 5, 7, 10, 15] (sorted)
console.log(rbt.isValidRedBlack()); // true (validates RB properties)
console.log(rbt.getNodeColor(10)); // 'BLACK' (root is black)
console.log(rbt.isRed(5)); // true (some nodes are red)Graph
import { MyGraph } from 'dst-typescript-collection';
const graph = new MyGraph<string>();
graph.addVertex('A');
graph.addVertex('B');
graph.addEdge('A', 'B', 5);
console.log(graph.hasPath('A', 'B')); // trueHeap
import { MyHeap } from 'dst-typescript-collection';
const heap = new MyHeap<number>(); // Min heap
heap.insert(3);
heap.insert(1);
heap.insert(2);
console.log(heap.peek()); // 1Trie
import { MyTrie } from 'dst-typescript-collection';
const trie = new MyTrie();
trie.insert('hello');
trie.insert('world');
console.log(trie.search('hello')); // true
console.log(trie.startsWith('hel')); // true๐ง Development
Adding New Data Structures
- Create a new file in
src/DataStructures/ - Implement the data structure with TypeScript
- Add comprehensive tests in
src/Test/ - Export the class from
src/index.ts - Run tests to ensure everything works
Running Tests
# Run all tests
npm test
# Run specific test file
npm test -- MyLinkedList.test.ts
# Run tests with verbose output
npm test -- --verbose๐ Performance
All data structures are optimized for:
- Time Complexity: Efficient algorithms implemented
- Space Complexity: Memory-efficient implementations
- Type Safety: Full TypeScript support with generics
- Error Handling: Comprehensive error checking
๐ค Contributing
- Fork the repository
- Create a feature branch (
git checkout -b feature/amazing-feature) - Commit your changes (
git commit -m 'Add some amazing feature') - Push to the branch (
git push origin feature/amazing-feature) - Open a Pull Request
๐ License
This project is licensed under the ISC License - see the LICENSE file for details.
๐ Acknowledgments
- Built with TypeScript for type safety
- Tested with Jest for comprehensive coverage
- Inspired by classic data structures and algorithms
Happy Coding! ๐