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)

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,
]);

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,
}

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})`);
}

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

Constructors

Properties

getKey: (element: T) => K
isEqual: (a: T, b: T) => boolean
isKeyLessThan: (a: K, b: K) => boolean
onDuplicateElements: ResolveAction
onDuplicateKeys: ResolveAction

Accessors

  • get size(): number
  • Count the amount of elements in the collection.

    ⚠️ In most cases, this should be an O(1) operation. However, there are cases where this can be an O(n) operation. Therefore, it is recommended to always cache the result in a local variable.

    Returns number

Methods

  • Returns Generator<T, void, unknown>

  • 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 ]] 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.

    Parameters

    • element: T
    • Optionalhint: unknown

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

    Returns AddResult<T>

  • Parameters

    Returns boolean

  • Returns undefined | BSNode<T>

  • Remove all elements from this collection, effectively setting the collection to the empty collection.

    Returns void

  • 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>

  • Remove an element from the collection. If multiple elements are matched, the collection picks one of them.

    Parameters

    • element: T

    Returns boolean

    true if the element was found, false otherwise.

  • Remove an element from the collection. If multiple elements are matched, the collection removes all of them.

    Parameters

    • element: T

    Returns number

    The amount of elements that was removed.

  • 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

  • Delete a pair from the underlying collection that has the given key as key.

    Returns the amount of items that have been deleted.

    Parameters

    • key: K

    Returns number

  • Returns undefined | BSNode<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

  • 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 undefined | BSNode<T>

  • Returns a transparent object that can be used as an argument to add to speed up things. Generally, you don't have to use this method.

    Parameters

    • element: T

    Returns unknown

  • Returns the value that is just below the given value, if any.

    Parameters

    • key: K

    Returns undefined | BSNode<T>

  • 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 undefined | AVLTreeIndexCursor<T>

  • Parameters

    • key: K

    Returns undefined | BSNode<T>

  • Checks if the collection holds the given element.

    Parameters

    • element: T

      The element to check membership of.

    Returns boolean

    True if the collections holds the given element, false otherwise.

  • Checks whether there a pair in this collection that has the given key.

    Parameters

    • key: K

    Returns boolean

  • Converts the entire collection to a range.

    Returns BSNodeRange<T>