Stripe API Key in GO
Match Stripe API keys: secret (sk_), publishable (pk_), or restricted (rk_), in test or live mode.
Try it in the GO tester →Pattern
regexGO
(?:sk|pk|rk)_(?:test|live)_[A-Za-z0-9]{24,} (flags: g)Go (RE2) code
goGo
package main
import (
"fmt"
"regexp"
)
func main() {
re := regexp.MustCompile(`(?:sk|pk|rk)_(?:test|live)_[A-Za-z0-9]{24,}`)
input := `Use sk_live_4eC39HqLyjWDarjtT1zdp7dc for prod`
for _, match := range re.FindAllString(input, -1) {
fmt.Println(match)
}
}Uses `regexp.MustCompile` (panics on bad patterns at startup) and `FindAllString` for all matches.
How the pattern works
(?:sk|pk|rk) matches one of the three key types. _(?:test|live)_ matches the mode separator. [A-Za-z0-9]{24,} matches the random suffix — Stripe's keys are at least 24 characters, sometimes longer for restricted keys. The pattern catches keys exposed in source code, logs, or chat transcripts.
Examples
Input
Use sk_live_4eC39HqLyjWDarjtT1zdp7dc for prodMatches
sk_live_4eC39HqLyjWDarjtT1zdp7dc
Input
Public: pk_test_TYooMQauvdEDq54NiTphI7jxMatches
pk_test_TYooMQauvdEDq54NiTphI7jx
Input
no keys hereNo match
—