|
|
|
|
|
|
|
|
|
|
|
|
|
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"); |
|
} |
|
|
|
|
|
const lowerNeedle = needle.toLowerCase(); |
|
|
|
|
|
return haystack.filter(item => { |
|
|
|
const value = typeof property === "function" ? property(item) : String(item[property]); |
|
|
|
|
|
const lowerValue = value.toLowerCase(); |
|
|
|
|
|
return fuzzyMatchString(lowerNeedle, lowerValue); |
|
}); |
|
} |
|
|
|
|
|
|
|
|
|
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; |
|
} |
|
|