How to find the index of a value in a slice

Avatar of the author Willem Schots
6 Jul, 2023 (Updated 22 Jan, 2024)
~2 min.
RSS

Sometimes you need to find the index of a value in a slice, and often you’re only interested in the first occurrence of that value.

This is typically done using an Index function, which returns the index of the value in the slice or -1 when it’s not found.

Depending on your Go version you can use a different approach:

These functions compare the slice values using ==. Depending on your situation you may want to compare in a different way. The IndexFunc function allows you to specify a custom comparison function.

If you are using a Go version that does not support generics, you can always implement your own Index function. See the example below.

main.go
package main

import (
	"fmt"
	"slices"
)

func main() {
	s := []string{"🌱", "🪡", "🌱"}
	x := "🪡"
	y := "🙈"

	fmt.Println("slices.Index:")
	fmt.Printf("index of \"%s\"? %v\n", x, slices.Index(s, x))
	fmt.Printf("index of \"%s\"? %v\n", y, slices.Index(s, y))

	fmt.Println("---")

	fmt.Println("Index:")
	fmt.Printf("index of \"%s\"? %v\n", x, Index(s, x))
	fmt.Printf("index of \"%s\"? %v\n", y, Index(s, y))
}

// Index returns the index of the first occurrence of v in s.
// Index returns -1 if v is not found in s.
func Index(s []string, v string) int {
	for i, vs := range s {
		if vs == v {
			return i
		}
	}

	return -1
}
🎓

Subscribe to my Newsletter and Keep Learning.

Gain access to more content and get notified of the latest articles:

I send emails every 1-2 weeks and will keep your data safe. You can unsubscribe at any time.

Hello! I'm the Willem behind willem.dev

I created this website to help new Go developers, I hope it brings you some value! :)

You can follow me on Twitter/X, LinkedIn or Mastodon.

Thanks for reading!