Created
December 23, 2021 12:38
-
-
Save stokito/9faa9a9fc6ac7fa85c80a685b32e5f54 to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package main | |
// UInt16Slice is a sorted slice | |
type UInt16Slice []uint16 | |
// BinSearch binary search over the sorted sclice | |
func (a UInt16Slice) BinSearch(key uint16) int { | |
low := 0 | |
high := len(a) - 1 | |
for low <= high { | |
mid := low + ((high - low) / 2) | |
midVal := a[mid] | |
if midVal < key { | |
low = mid + 1 | |
} else if midVal > key { | |
high = mid - 1 | |
} else { | |
return mid // found | |
} | |
} | |
return -(low + 1) // not found, return negative pos | |
} | |
func (a UInt16Slice) Contains(key uint16) bool { | |
return a.BinSearch(key) >= 0 | |
} | |
func (a *UInt16Slice) Insert(idx int, val uint16) { | |
if len(*a) == idx { | |
// just append to end | |
*a = append(*a, val) | |
return | |
} | |
// if idx < len(a) we need to insert | |
*a = append((*a)[:idx+1], (*a)[idx:]...) | |
(*a)[idx] = val | |
} | |
func (a *UInt16Slice) Remove(idx int) { | |
*a = append((*a)[:idx], (*a)[idx+1:]...) | |
} | |
func (a *UInt16Slice) AddOrRemove(remove bool, val uint16) { | |
idx := a.BinSearch(val) | |
if remove { | |
// if a contains the val | |
if idx >= 0 { | |
a.Remove(idx) | |
} | |
} else { | |
// if a not contains yet the val | |
if idx < 0 { | |
a.Insert(-idx-1, val) | |
} | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment