如何在Go中验证UUID v4?

I have the following piece of code:

func GetUUIDValidator(text string) bool {
    r, _ := regexp.Compile("/[a-f0-9]{8}-[a-f0-9]{4}-4[a-f0-9]{3}-[89aAbB][a-f0-9]{3}-[a-f0-9]{12}/")
    return r.Match([]byte(text))
}

But when I pass fbd3036f-0f1c-4e98-b71c-d4cd61213f90 as a value, I got false, while indeed it is an UUID v4.

What am I doing wrong?

Try with...

func IsValidUUID(uuid string) bool {
    r := regexp.MustCompile("^[a-fA-F0-9]{8}-[a-fA-F0-9]{4}-4[a-fA-F0-9]{3}-[8|9|aA|bB][a-fA-F0-9]{3}-[a-fA-F0-9]{12}$")
    return r.MatchString(uuid)
}

Live example: https://play.golang.org/p/a4Z-Jn4EvG

Note: as others have said, validating UUIDs with regular expressions can be slow. Consider other options too if you need better performance.

Regex is expensive. The following approach is ~18x times faster than the regex version.

Use something like https://godoc.org/github.com/google/uuid#Parse instead.

import "github.com/google/uuid"

func IsValidUUID(u string) bool {
    _, err := uuid.Parse(u)
    return err == nil
 }

You can utilize satori/go.uuid package to accomplish this:

import "github.com/satori/go.uuid"

func IsValidUUID(u string) bool {
  _, err := uuid.FromString(u)
  return err == nil
}

This package is widely used for UUID operations: https://github.com/satori/go.uuid