mirror of
https://github.com/SigNoz/signoz.git
synced 2025-12-20 12:49:57 -06:00
This PR fulfills the requirements of #9069 by: - Adding a golangci-lint directive (forbidigo) to disallow all fmt.Errorf usages. - Replacing existing fmt.Errorf instances with structured errors from github.com/SigNoz/signoz/pkg/errors for consistent error classification and lint compliance. - Verified lint and build integrity.
49 lines
921 B
Go
49 lines
921 B
Go
package config
|
|
|
|
import (
|
|
"regexp"
|
|
|
|
"github.com/SigNoz/signoz/pkg/errors"
|
|
)
|
|
|
|
var (
|
|
// uriRegex is a regex that matches the URI format. It complies with the URI definition defined at https://datatracker.ietf.org/doc/html/rfc3986.
|
|
// The format is "<scheme>:<value>".
|
|
uriRegex = regexp.MustCompile(`(?s:^(?P<Scheme>[A-Za-z][A-Za-z0-9+.-]+):(?P<Value>.*)$)`)
|
|
)
|
|
|
|
type Uri struct {
|
|
scheme string
|
|
value string
|
|
}
|
|
|
|
func NewUri(input string) (Uri, error) {
|
|
submatches := uriRegex.FindStringSubmatch(input)
|
|
|
|
if len(submatches) != 3 {
|
|
return Uri{}, errors.NewInvalidInputf(errors.CodeInvalidInput, "invalid uri: %q", input)
|
|
}
|
|
|
|
return Uri{
|
|
scheme: submatches[1],
|
|
value: submatches[2],
|
|
}, nil
|
|
}
|
|
|
|
func MustNewUri(input string) Uri {
|
|
uri, err := NewUri(input)
|
|
if err != nil {
|
|
panic(err)
|
|
}
|
|
|
|
return uri
|
|
}
|
|
|
|
func (uri Uri) Scheme() string {
|
|
return uri.scheme
|
|
}
|
|
|
|
func (uri Uri) Value() string {
|
|
return uri.value
|
|
}
|