Jump Search Algorithm
The Jump Search Algorithm is an efficient search technique used to find a target value within a sorted array. It is an optimization over linear search, where you iterate through every element of the array one by one until the target value is found. Instead of checking every element, the Jump Search Algorithm "jumps" ahead by a specified block size, reducing the number of comparisons required to find the target value. If the value at the jump position is greater than the target value, the algorithm goes back to the previous block and performs a linear search within that block to find the exact position of the target value. The optimal block size is usually the square root of the array length, which minimizes the time complexity of the search algorithm.
The Jump Search Algorithm is particularly useful for larger data sets, as it can significantly reduce the number of comparisons required to find the target value. The time complexity of the Jump Search Algorithm is O(√n), where n is the number of elements in the array, making it faster than linear search (O(n)) but slower than binary search (O(log n)). One key advantage of jump search over binary search is that it can work with data structures that do not support random access, such as linked lists, by simply jumping forward by a certain number of nodes. However, it is worth noting that the Jump Search Algorithm requires the input array to be sorted, as it relies on the order of elements to make informed jumps and comparisons. 
                      
                      
                      
                        
                      
                      
                    
                   
                  package JumpSearch
import "math"
import (
	"math/rand"
	"testing"
	"time"
)
func JumpSearch(array []int, number int) int {
	jumpValue := int(math.Floor(math.Sqrt(float64(len(array)))))
	minIndex := 0
	maxIndex := jumpValue
	for array[maxIndex] <= number {
		minIndex += jumpValue
		maxIndex = minIndex + jumpValue
		if maxIndex >= len(array) {
			maxIndex = len(array)
			minIndex = maxIndex - jumpValue
			break
		}
	}
	for i := minIndex; i < maxIndex; i++ {
		if array[i] == number {
			return i
		}
	}
	return -1
}
func SortArray(array []int) {
	for itemIndex, itemValue := range array {
		for itemIndex != 0 && array[itemIndex-1] > itemValue {
			array[itemIndex] = array[itemIndex-1]
			itemIndex -= 1
		}
		array[itemIndex] = itemValue
	}
}
func TestJumpSearch(t *testing.T) {
	random := rand.New(rand.NewSource(time.Now().UnixNano()))
	array := make([]int, random.Intn(100-10)+10)
	for i := range array {
		array[i] = random.Intn(100)
	}
	SortArray(array)
	for _, value := range array {
		result := JumpSearch(array, value)
		if result == -1 {
			t.Fail()
		}
	}
}