File size: 1,630 Bytes
0ff4ef8
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
/**
 * Generic fuzzy search function that searches through arrays and returns matching items
 *
 * @param options Configuration object for the fuzzy search
 * @returns Array of items that match the search criteria
 */
export default function fuzzysearch<T>(options: {
	needle: string;
	haystack: T[];
	property: keyof T | ((item: T) => string);
}): T[] {
	const { needle, haystack, property } = options;

	if (!Array.isArray(haystack)) {
		throw new Error("Haystack must be an array");
	}

	if (!property) {
		throw new Error("Property selector is required");
	}

	// Convert needle to lowercase for case-insensitive matching
	const lowerNeedle = needle.toLowerCase();

	// Filter the haystack to find matching items
	return haystack.filter(item => {
		// Extract the string value from the item based on the property selector
		const value = typeof property === "function" ? property(item) : String(item[property]);

		// Convert to lowercase for case-insensitive matching
		const lowerValue = value.toLowerCase();

		// Perform the fuzzy search
		return fuzzyMatchString(lowerNeedle, lowerValue);
	});
}

/**
 * Internal helper function that performs the actual fuzzy string matching
 */
function fuzzyMatchString(needle: string, haystack: string): boolean {
	const hlen = haystack.length;
	const nlen = needle.length;

	if (nlen > hlen) {
		return false;
	}

	if (nlen === hlen) {
		return needle === haystack;
	}

	outer: for (let i = 0, j = 0; i < nlen; i++) {
		const nch = needle.charCodeAt(i);
		while (j < hlen) {
			if (haystack.charCodeAt(j++) === nch) {
				continue outer;
			}
		}
		return false;
	}

	return true;
}