Options
All
  • Public
  • Public/Protected
  • All
Menu

A tree-like data structure that implements the Adelson-Velsky and Landis algorithm for inserting and deleting nodes. The tree will always be almost completely balanced and is very performant when there are frequent lookups but not as much mutations.

You can use trees as an alternative to hashing. Binary search trees have the added bonus that their elements are sorted, so if you add 1, 4, 3, 2 into an AVL tree in that order the elements will be returned as 1, 2, 3, 4.

⚠️ If you don't require the elements to be sorted hashing might be faster.

The following table lists the performance characteristics of the most commonly used methods of an AVL tree:

Property name Worst case
add() O(log(n))
clear() O(1)
equalKeys() O(log(n))
delete() O(log(n))
deleteAll() O(log(n))
deleteAt() O(log(n))
size O(1)

Examples

Constructing AVL trees and adding elements

You create a new AVL tree by using the new keyword. Use add to insert elements into the tree.

import { AVLTreeIndex } from "scl";

const index = new AVLTreeIndex();

index.add(1);
index.add(2);
index.add(3);

Alternatively, you can pass any Iterable as the first argument. So the above is equivalent to the following:

const index = new AVLTreeIndex([
  1,
  2,
  3,
]);

Choosing the key and determining how to detect duplicates

Deterministic finite automatons are frequently used in computer science to model all kinds of computations. In this example, we store the mapping from one state of the automaton to another. For the sake of this example, we want the transitions to be sorted on the character is accepted. By definition, multiple transitions with the same character are not allowed.

import { ResolveAction, AVLTreeIndex } from "scl"

interface DFAState {
  id: string;
  isFinal: boolean;
  nextStates: AVLTreeIndex<DFAStateTransition, string>;
}

interface DFAStateTransition {
  character: string;
  nextState: DFAState;
}

const nextStates = new AVLTreeIndex<DFAStateTransition, string>({
  getKey: transition => transition.character,
  compareKeys: (a, b) => a.charCodeAt(0) < b.charCodeAt(0),
  isEqual: (a, b) => a.nextState.id === b.nextState.id,
});

const s1: DFAState = {
  id: 1,
  isFinal: false,
  nextStates,
}

Allowing multiple elements with the same key

In this example, we index people based on their age. However, many people may have the same age, so we have to allow duplicate keys in order to remedy this. For the sake of the example, we simply ignore people that have already been added.

interface Person {
  firstName: string;
  email: string;
  age: number;
}

const index = new AVLTreeIndex({
  getKey: person => person.age,
  compareKeys: (a, b) => a < b,
  onDuplicateKeys: ResolveAction.Insert,
  onDuplicateElements: ResolveAction.Ignore,
});

// OK, will be added to the index
index.add({
  firstName: 'Bob',
  email: 'thebobman@gmail.com',
  age: 34,
});

// OK, will return the existing element
const [didAdd, cursor] = index.add({
  firstName: 'Bob',
  email: 'thebobman@gmail.com',
  age: 12,
});

console.log(`Bob still is ${cursor.value.age}`)

// This will print the following result:
// - Bob (aged 17)
// - Jessie (aged 25)
// - Jack (aged 34)
// - Anna (aged 58)
for (const person of personsSortedByAge) {
  console.log(`- ${person.fullName} (aged ${person.age})`);
}

Subclassing AVLTreeIndex

In the second example, it might become cumbersome to create many of the same type of indices. Therefore, we have made it possible to subclass the AVL tree and initialize it with your own configuration each time a new tree is constructed.

import { isIterable, AVLTreeIndexOptions, AVLTreeIndex } from "scl";

class DFATransitionMap extends AVLTreeIndex<DFAStateTransition, string> {

  constructor(opts: Iterable<DFAStateTransition> | AVLTreeIndexOptions<DFAStateTransition, string>) {

    // We want to be able to pass in just a simple Iterable object, so we
    // need to add some extra logic
    if (isIterable(opts)) {
      opts = { elements: opts }
    }

    // Initialize our AVLTreeIndex with user-provided options and override
    // some options specific to DFATransitionMap
    super({
      ...opts,
      getKey: transition => transition.character,
      compareKeys: (a, b) => a.charCodeAt(0) < b.charCodeAt(0),
      isEqual: (a, b) => a.nextState.id === b.nextState.id,
    });

  }

}

const nextStates = new DFATransitionMap([
  { character: 'a', nextState: s2 }
]);

Type parameters

  • T

    The type of element that will be stored

  • K = T

    The type of key used to index

Hierarchy

  • BST<T, K>
    • AVLTreeIndex

Index

Constructors

constructor

  • Construct a new AVL tree index by providing a list of elements that should be stored inside the index or a more complex object detailing e.g. how the keys of the elements should be extracted and how to comare individual elements.

    See the examples on the top of this page for more information on how to construct a new index of this type.

    see

    AVLTreeIndexOptions

    Type parameters

    • T

    • K = T

    Parameters

    Returns AVLTreeIndex<T, K>

Properties

getKey

getKey: (element: T) => K

Type declaration

    • (element: T): K
    • Parameters

      • element: T

      Returns K

isEqual

isEqual: (a: T, b: T) => boolean

Type declaration

    • (a: T, b: T): boolean
    • Parameters

      • a: T
      • b: T

      Returns boolean

isKeyLessThan

isKeyLessThan: (a: K, b: K) => boolean

Type declaration

    • (a: K, b: K): boolean
    • Parameters

      • a: K
      • b: K

      Returns boolean

onDuplicateElements

onDuplicateElements: ResolveAction

onDuplicateKeys

onDuplicateKeys: ResolveAction

Accessors

size

  • get size(): number

Methods

[Symbol.iterator]

  • [Symbol.iterator](): Generator<T, void, unknown>

add

  • add(element: T, hint?: unknown): AddResult<T>
  • Add a new element to the index. Whether the element is ignored, replaced or whether an error is thrown depends on the value passed to onDuplicateKeys and onDuplicateElements.

    This operation takes O(log(n)) time.

    The function will first attempt to apply onDuplicateElements and if that didn't do anything special it will continue with onDuplicateKeys.

    The return value of the function depends on whether element was added, ignored or replaced:

    • The element was added to the index. The method returns true with a cursor pointing to the newly added element.
    • The element was replaced. The method returns true with a cursor pointing to the location where the element was replaced.
    • The element was ignored. The method returns false with a cursor pointing to the location of the element in the index that forced this element to be ignored.
    see

    AddResult

    see

    delete

    Parameters

    • element: T
    • Optional hint: unknown

      A transparent object obtained with AVLTreeIndex.getAddHint that can speed up the insertion process.

    Returns AddResult<T>

areKeysEqual

  • areKeysEqual(a: K, b: K): boolean

begin

  • begin(): null | BSNode<T>

clear

  • clear(): void

clone

  • Make a shallow copy of this tree so that the new tree contains the exact same elements but inserting and removing elements will not change the original tree.

    import { AVLTreeIndex } from "scl";
    
    const index = new AVLTreeIndex<number>([1, 2, 3]);
    
    const cloned = index.clone();
    
    cloned.delete(2);
    
    assert(cloned.size === 2);
    
    assert(index.size === 3);
    

    This method currently takes O(n.log(n)) time.

    Returns AVLTreeIndex<T, K>

delete

  • delete(element: T): boolean

deleteAll

  • deleteAll(element: T): number

deleteAt

  • Delete an element from the tree by providing its location in the tree with an AVLTreeIndexCursor.

    This method takes O(log(n)) time. It is slightly faster than deleting the element by key due to the fact that a search for the node has already been done.

    Parameters

    Returns void

deleteKey

  • deleteKey(key: K): number

end

  • end(): null | BSNode<T>

equalKeys

  • equalKeys(key: K): BSNodeRange<T>
  • Get a range of elements that contain the given key. The range may be empty if no elements with the requested key were found.

    const aged32 = personsSortedByAge.equalKeys(32);
    
    // There are no people who are exactly 32 years old
    assert(aged32.size === 0);
    
    for (const person of personsSortedByAge.equalKeys(17)) {
      console.log(`${person.firstName} is 17 years old.`);
    }
    
    

    Parameters

    • key: K

      The key that should be searched for

    Returns BSNodeRange<T>

    A range of elements that contain the given key

findKey

  • findKey(key: K): null | BSNode<T>
  • This method always returns the topmost node that contains the given key, which means that calling next() on the result will always return a node with the same key if there is any.

    This method takes O(log(n)) time.

    Parameters

    • key: K

      The key to search for.

    Returns null | BSNode<T>

getAddHint

  • getAddHint(element: T): unknown

getGreatestLowerBound

  • getGreatestLowerBound(key: K): null | BSNode<T>

getLeastUpperBound

  • Find the element whose key is at most equal to the given key. If no key is equal to the requested key, the element with a key just slighly lower than the requested key is returned.

    const jack = personsSortedByAge.findKey(34);
    
    // The following will return Jessie (aged 25)
    const oldestPersonYoungerThan30 = personsSortedByAge.lowerKey(30)
    

    Parameters

    • key: K

    Returns null | AVLTreeIndexCursor<T>

getNearest

  • getNearest(key: K): null | BSNode<T>

has

  • has(element: T): boolean

hasKey

  • hasKey(key: K): boolean

toRange

  • toRange(): BSNodeRange<T>

Legend

  • Property
  • Method
  • Accessor
  • Property
  • Method
  • Inherited property
  • Inherited method

Generated using TypeDoc