Content inside supertokenslib
(The raw file follows this syntax highlighted file.)
package supertokenslib
import (
"bytes"
"compress/gzip"
"context"
_ "embed"
"fmt"
"net/http"
"os"
"strings"
"text/template" // We don't use html/template, since all values come from the owner of the server
"time"
"crawshaw.io/sqlite/sqlitex"
"github.com/supertokens/supertokens-golang/recipe/dashboard"
"github.com/supertokens/supertokens-golang/recipe/emailverification"
"github.com/supertokens/supertokens-golang/recipe/emailverification/evmodels"
"github.com/supertokens/supertokens-golang/recipe/passwordless"
"github.com/supertokens/supertokens-golang/recipe/passwordless/plessmodels"
"github.com/supertokens/supertokens-golang/recipe/session"
"github.com/supertokens/supertokens-golang/recipe/session/sessmodels"
"github.com/supertokens/supertokens-golang/supertokens"
)
func envRequire(k string) string {
v, exists := os.LookupEnv(k)
if !exists {
panic(fmt.Sprintf("Required env var '%s' was not defined in the current environment", k))
}
return v
}
//go:embed index.min.js
var indexmin string
//go:embed version
var version string
type wrappedConfig struct {
Version string
LoggedIn bool
UserID string
UserEmail string
Cfg Config
}
type Config struct {
PlainUI bool
ConnectionURI string
APIKey string
AppName string
APIDomain string
WebsiteDomain string
APIBasePath string
WebsiteBasePath string
SuperTokensWebLibBase string
UserSignedUp func(string, string) // userId, userEmail
UserSignedIn func(string, string) // userId, userEmail
}
var dbpool *sqlitex.Pool
func (c Config) Init() {
dbName := envRequire("STDB_FILENAME")
var err error
dbpool, err = sqlitex.Open("file:"+dbName, 0, 10)
if err != nil {
panic(fmt.Sprintf("Unable to open given STDB_FILENAME ('%s'): %s", dbName, err))
}
conn := dbpool.Get(context.Background())
if conn == nil {
panic("Unable to get a connection from the dbpool")
}
defer dbpool.Put(conn)
if err := sqlitex.ExecScript(conn,
`create table if not exists user (id text primary key, email text);`); err != nil {
panic("Unable to drop/create user table: " + err.Error())
}
cookieSecure := true
err = supertokens.Init(supertokens.TypeInput{
Supertokens: &supertokens.ConnectionInfo{
ConnectionURI: c.ConnectionURI,
APIKey: c.APIKey,
},
AppInfo: supertokens.AppInfo{
AppName: c.AppName,
APIDomain: c.APIDomain,
WebsiteDomain: c.WebsiteDomain,
APIBasePath: &c.APIBasePath,
WebsiteBasePath: &c.WebsiteBasePath,
},
RecipeList: []supertokens.Recipe{
emailverification.Init(evmodels.TypeInput{Mode: evmodels.ModeRequired}),
passwordless.Init(plessmodels.TypeInput{
FlowType: "USER_INPUT_CODE",
ContactMethodEmail: plessmodels.ContactMethodEmailConfig{Enabled: true},
Override: &plessmodels.OverrideStruct{
Functions: func(originalImplementation plessmodels.RecipeInterface) plessmodels.RecipeInterface {
originalConsumeCode := *originalImplementation.ConsumeCode
(*originalImplementation.ConsumeCode) = func(userInput *plessmodels.UserInputCodeWithDeviceID, linkCode *string, preAuthSessionID string, tenantId string, userContext supertokens.UserContext) (plessmodels.ConsumeCodeResponse, error) {
response, err := originalConsumeCode(userInput, linkCode, preAuthSessionID, tenantId, userContext)
if err != nil {
return plessmodels.ConsumeCodeResponse{}, err
}
if response.OK != nil {
user := response.OK.User
conn := dbpool.Get(context.Background())
if conn == nil {
panic("Unable to get a connection from the dbpool to add user")
}
defer dbpool.Put(conn)
addUserStmt := conn.Prep("insert or ignore into user (id, email) values ($id, $email);")
if addUserStmt.ClearBindings() != nil || addUserStmt.Reset() != nil {
panic("Failed to clear past bindings or reset")
}
addUserStmt.SetText("$id", user.ID)
addUserStmt.SetText("$email", *user.Email)
if _, err := addUserStmt.Step(); err != nil {
panic("failed to step stmt: " + err.Error())
}
if response.OK.CreatedNewUser {
c.UserSignedUp(user.ID, *user.Email)
} else {
c.UserSignedIn(user.ID, *user.Email)
}
}
return response, nil
}
return originalImplementation
},
},
}),
session.Init(&sessmodels.TypeInput{CookieSecure: &cookieSecure}),
dashboard.Init(nil),
},
})
if err != nil {
panic("Failed to init Supertokens: " + err.Error())
}
}
func (c Config) GetUser(w http.ResponseWriter, r *http.Request) (userid string, userEmail string, exists bool) {
fp := false
opts := &sessmodels.VerifySessionOptions{SessionRequired: &fp}
if sessionContainer, err := session.GetSession(r, w, opts); err == nil && sessionContainer != nil {
id := sessionContainer.GetUserID()
conn := dbpool.Get(context.Background())
if conn == nil {
fmt.Println("Unable to get a connection from the dbpool to lookup user")
return "", "", false
}
defer dbpool.Put(conn)
getUserStmt := conn.Prep("select email from user where id = $id limit 1;")
if getUserStmt.ClearBindings() != nil || getUserStmt.Reset() != nil {
fmt.Println("Failed to clear past bindings or reset to lookup user")
return "", "", false
}
getUserStmt.SetText("$id", id)
if hasRow, err := getUserStmt.Step(); err != nil {
fmt.Println("failed to step stmt to lookup user: " + err.Error())
return "", "", false
} else if !hasRow {
fmt.Println("Unable to find user by id")
return "", "", false
}
email := getUserStmt.GetText("email")
getUserStmt.Step()
return id, email, true
}
return "", "", false
}
func (c Config) clientSideScript(w http.ResponseWriter, r *http.Request) string {
uid, uemail, exists := c.GetUser(w, r)
wc := wrappedConfig{version, exists, uid, uemail, c}
var b strings.Builder
if tmpl, err := template.New("").Parse(indexmin); err != nil {
panic("Failed to parse index template: " + err.Error())
} else if err = tmpl.Execute(&b, wc); err != nil {
panic("Failed to execute index template: " + err.Error())
}
return b.String()
}
var cacheSince = time.Now().Format(http.TimeFormat)
func (c Config) Middleware(next http.Handler) http.Handler {
prefixedPath := func(s string) string { return c.APIBasePath + s }
setSVGHeaders := func(w http.ResponseWriter) {
w.Header().Add("Content-Type", "image/svg+xml")
w.Header().Set("Cache-Control", "max-age=2592000")
}
return supertokens.Middleware(http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
w.Header().Set("Access-Control-Allow-Origin", c.WebsiteDomain)
w.Header().Set("Access-Control-Allow-Credentials", "true")
if r.Method == "OPTIONS" {
w.Header().Set("Access-Control-Allow-Headers",
strings.Join(append([]string{"Content-Type"}, supertokens.GetAllCORSHeaders()...), ","))
w.Header().Set("Access-Control-Allow-Methods", "*")
w.Write([]byte(""))
} else if r.URL.Path == prefixedPath("/internal/version") {
w.Header().Set("Last-Modified", cacheSince)
fmt.Fprint(w, version)
} else if r.URL.Path == prefixedPath("/menu.svg") {
w.Header().Set("Last-Modified", cacheSince)
setSVGHeaders(w)
fmt.Fprint(w, menu)
} else if r.URL.Path == prefixedPath("/login.svg") {
w.Header().Set("Last-Modified", cacheSince)
setSVGHeaders(w)
fmt.Fprint(w, login)
} else if r.URL.Path == prefixedPath("/logout.svg") {
w.Header().Set("Last-Modified", cacheSince)
setSVGHeaders(w)
fmt.Fprint(w, logout)
} else if r.URL.Path == prefixedPath("/person_outline.svg") {
w.Header().Set("Last-Modified", cacheSince)
setSVGHeaders(w)
fmt.Fprint(w, person_outline)
} else if r.URL.Path == prefixedPath("/client.js") {
w.Header().Set("Last-Modified", cacheSince)
w.Header().Add("Content-Type", "text/javascript")
w.Header().Add("Content-Encoding", "gzip")
var buf bytes.Buffer
zw := gzip.NewWriter(&buf)
_, err := zw.Write([]byte(c.clientSideScript(w, r))) // Can't be done with a pre-gzip/embed - template wasn't compiled before now
if err != nil {
w.WriteHeader(http.StatusInternalServerError)
return
}
zw.Close()
fmt.Fprint(w, buf.String())
} else {
next.ServeHTTP(w, r)
}
}))
}
const menu = `<svg xmlns="http://www.w3.org/2000/svg" width="32" height="32" viewBox="0 0 32 32" stroke="black" stroke-width="2">
<line x1="7" y1="10" x2="25" y2="10" />
<line x1="7" y1="14" x2="25" y2="14" />
<line x1="7" y1="18" x2="25" y2="18" />
<line x1="7" y1="22" x2="25" y2="22" />
</svg>
`
const login = `<svg width="32px" height="32px" viewBox="0.0 0.0 32.0 32.0" xmlns="http://www.w3.org/2000/svg">
<polyline stroke="black" stroke-width="1" fill="none" points="9,10 19,16 9,22 "></polyline>
<polyline stroke="black" stroke-width="1" fill="none" points="3,16 13,16"></polyline>
<rect x="9" y="6" width="20" height="20" rx="5" fill="none" stroke="black" stroke-width="1" stroke-dasharray="35px" stroke-dashoffset="-5.5px"></rect>
</svg>`
const logout = `<svg width="32px" height="32px" viewBox="0.0 0.0 32.0 32.0" xmlns="http://www.w3.org/2000/svg">
<polyline stroke="black" stroke-width="1" fill="none" points="19,10 29,16 19,22 "></polyline>
<polyline stroke="black" stroke-width="1" fill="none" points="12,16 22,16 "></polyline>
<rect x="3" y="6" width="20" height="20" rx="5" fill="none" stroke="black" stroke-width="1" stroke-dasharray="35px" stroke-dashoffset="29.5px"></rect>
</svg>`
const person_outline = `<svg version="1.1" viewBox="0.0 0.0 32.0 32.0" fill="none" stroke="none" stroke-linecap="square" stroke-miterlimit="10"
xmlns:xlink="http://www.w3.org/1999/xlink" xmlns="http://www.w3.org/2000/svg">
<clipPath id="p.0"><path d="m0 0l32.0 0l0 32.0l-32.0 0l0 -32.0z" clip-rule="nonzero"/></clipPath><g clip-path="url(#p.0)"><path fill="#000000" fill-opacity="0.0" d="m0 0l32.0 0l0 32.0l-32.0 0z" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m8.960629 9.800525l0 0c0 -3.8877363 3.1516342 -7.0393696 7.0393705 -7.0393696l0 0c1.8669567 0 3.6574478 0.7416458 4.9775867 2.0617836c1.320137 1.320138 2.0617828 3.1106296 2.0617828 4.9775863l0 0c0 3.8877373 -3.1516323 7.0393705 -7.0393696 7.0393705l0 0c-3.8877363 0 -7.0393705 -3.1516333 -7.0393705 -7.0393705z" fill-rule="evenodd"/><path stroke="#000000" stroke-width="1.0" stroke-linejoin="round" stroke-linecap="butt" d="m8.960629 9.800525l0 0c0 -3.8877363 3.1516342 -7.0393696 7.0393705 -7.0393696l0 0c1.8669567 0 3.6574478 0.7416458 4.9775867 2.0617836c1.320137 1.320138 2.0617828 3.1106296 2.0617828 4.9775863l0 0c0 3.8877373 -3.1516323 7.0393705 -7.0393696 7.0393705l0 0c-3.8877363 0 -7.0393705 -3.1516333 -7.0393705 -7.0393705z" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m16.0 16.839895l0 0c3.6587353 0 7.167618 1.4534264 9.754732 4.0405426c2.5871162 2.5871162 4.0405426 6.095999 4.0405426 9.754732l-13.795275 0z" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m16.0 16.839895l0 0c3.6587353 0 7.167618 1.4534264 9.754732 4.0405426c2.5871162 2.5871162 4.0405426 6.095999 4.0405426 9.754732" fill-rule="evenodd"/><path stroke="#000000" stroke-width="1.0" stroke-linejoin="round" stroke-linecap="butt" d="m16.0 16.839895l0 0c3.6587353 0 7.167618 1.4534264 9.754732 4.0405426c2.5871162 2.5871162 4.0405426 6.095999 4.0405426 9.754732" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m16.0 16.839895l0 0c-3.6587343 0 -7.167617 1.4534264 -9.754733 4.0405426c-2.5871158 2.5871162 -4.0405426 6.095999 -4.0405426 9.754732l13.795276 0z" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m16.0 16.839895l0 0c-3.6587343 0 -7.167617 1.4534264 -9.754733 4.0405426c-2.5871158 2.5871162 -4.0405426 6.095999 -4.0405426 9.754732" fill-rule="evenodd"/><path stroke="#000000" stroke-width="1.0" stroke-linejoin="round" stroke-linecap="butt" d="m16.0 16.839895l0 0c-3.6587343 0 -7.167617 1.4534264 -9.754733 4.0405426c-2.5871158 2.5871162 -4.0405426 6.095999 -4.0405426 9.754732" fill-rule="evenodd"/></g></svg>`
package supertokenslib import ( "bytes" "compress/gzip" "context" _ "embed" "fmt" "net/http" "os" "strings" "text/template" // We don't use html/template, since all values come from the owner of the server "time" "crawshaw.io/sqlite/sqlitex" "github.com/supertokens/supertokens-golang/recipe/dashboard" "github.com/supertokens/supertokens-golang/recipe/emailverification" "github.com/supertokens/supertokens-golang/recipe/emailverification/evmodels" "github.com/supertokens/supertokens-golang/recipe/passwordless" "github.com/supertokens/supertokens-golang/recipe/passwordless/plessmodels" "github.com/supertokens/supertokens-golang/recipe/session" "github.com/supertokens/supertokens-golang/recipe/session/sessmodels" "github.com/supertokens/supertokens-golang/supertokens" ) func envRequire(k string) string { v, exists := os.LookupEnv(k) if !exists { panic(fmt.Sprintf("Required env var '%s' was not defined in the current environment", k)) } return v } //go:embed index.min.js var indexmin string //go:embed version var version string type wrappedConfig struct { Version string LoggedIn bool UserID string UserEmail string Cfg Config } type Config struct { PlainUI bool ConnectionURI string APIKey string AppName string APIDomain string WebsiteDomain string APIBasePath string WebsiteBasePath string SuperTokensWebLibBase string UserSignedUp func(string, string) // userId, userEmail UserSignedIn func(string, string) // userId, userEmail } var dbpool *sqlitex.Pool func (c Config) Init() { dbName := envRequire("STDB_FILENAME") var err error dbpool, err = sqlitex.Open("file:"+dbName, 0, 10) if err != nil { panic(fmt.Sprintf("Unable to open given STDB_FILENAME ('%s'): %s", dbName, err)) } conn := dbpool.Get(context.Background()) if conn == nil { panic("Unable to get a connection from the dbpool") } defer dbpool.Put(conn) if err := sqlitex.ExecScript(conn, `create table if not exists user (id text primary key, email text);`); err != nil { panic("Unable to drop/create user table: " + err.Error()) } cookieSecure := true err = supertokens.Init(supertokens.TypeInput{ Supertokens: &supertokens.ConnectionInfo{ ConnectionURI: c.ConnectionURI, APIKey: c.APIKey, }, AppInfo: supertokens.AppInfo{ AppName: c.AppName, APIDomain: c.APIDomain, WebsiteDomain: c.WebsiteDomain, APIBasePath: &c.APIBasePath, WebsiteBasePath: &c.WebsiteBasePath, }, RecipeList: []supertokens.Recipe{ emailverification.Init(evmodels.TypeInput{Mode: evmodels.ModeRequired}), passwordless.Init(plessmodels.TypeInput{ FlowType: "USER_INPUT_CODE", ContactMethodEmail: plessmodels.ContactMethodEmailConfig{Enabled: true}, Override: &plessmodels.OverrideStruct{ Functions: func(originalImplementation plessmodels.RecipeInterface) plessmodels.RecipeInterface { originalConsumeCode := *originalImplementation.ConsumeCode (*originalImplementation.ConsumeCode) = func(userInput *plessmodels.UserInputCodeWithDeviceID, linkCode *string, preAuthSessionID string, tenantId string, userContext supertokens.UserContext) (plessmodels.ConsumeCodeResponse, error) { response, err := originalConsumeCode(userInput, linkCode, preAuthSessionID, tenantId, userContext) if err != nil { return plessmodels.ConsumeCodeResponse{}, err } if response.OK != nil { user := response.OK.User conn := dbpool.Get(context.Background()) if conn == nil { panic("Unable to get a connection from the dbpool to add user") } defer dbpool.Put(conn) addUserStmt := conn.Prep("insert or ignore into user (id, email) values ($id, $email);") if addUserStmt.ClearBindings() != nil || addUserStmt.Reset() != nil { panic("Failed to clear past bindings or reset") } addUserStmt.SetText("$id", user.ID) addUserStmt.SetText("$email", *user.Email) if _, err := addUserStmt.Step(); err != nil { panic("failed to step stmt: " + err.Error()) } if response.OK.CreatedNewUser { c.UserSignedUp(user.ID, *user.Email) } else { c.UserSignedIn(user.ID, *user.Email) } } return response, nil } return originalImplementation }, }, }), session.Init(&sessmodels.TypeInput{CookieSecure: &cookieSecure}), dashboard.Init(nil), }, }) if err != nil { panic("Failed to init Supertokens: " + err.Error()) } } func (c Config) GetUser(w http.ResponseWriter, r *http.Request) (userid string, userEmail string, exists bool) { fp := false opts := &sessmodels.VerifySessionOptions{SessionRequired: &fp} if sessionContainer, err := session.GetSession(r, w, opts); err == nil && sessionContainer != nil { id := sessionContainer.GetUserID() conn := dbpool.Get(context.Background()) if conn == nil { fmt.Println("Unable to get a connection from the dbpool to lookup user") return "", "", false } defer dbpool.Put(conn) getUserStmt := conn.Prep("select email from user where id = $id limit 1;") if getUserStmt.ClearBindings() != nil || getUserStmt.Reset() != nil { fmt.Println("Failed to clear past bindings or reset to lookup user") return "", "", false } getUserStmt.SetText("$id", id) if hasRow, err := getUserStmt.Step(); err != nil { fmt.Println("failed to step stmt to lookup user: " + err.Error()) return "", "", false } else if !hasRow { fmt.Println("Unable to find user by id") return "", "", false } email := getUserStmt.GetText("email") getUserStmt.Step() return id, email, true } return "", "", false } func (c Config) clientSideScript(w http.ResponseWriter, r *http.Request) string { uid, uemail, exists := c.GetUser(w, r) wc := wrappedConfig{version, exists, uid, uemail, c} var b strings.Builder if tmpl, err := template.New("").Parse(indexmin); err != nil { panic("Failed to parse index template: " + err.Error()) } else if err = tmpl.Execute(&b, wc); err != nil { panic("Failed to execute index template: " + err.Error()) } return b.String() } var cacheSince = time.Now().Format(http.TimeFormat) func (c Config) Middleware(next http.Handler) http.Handler { prefixedPath := func(s string) string { return c.APIBasePath + s } setSVGHeaders := func(w http.ResponseWriter) { w.Header().Add("Content-Type", "image/svg+xml") w.Header().Set("Cache-Control", "max-age=2592000") } return supertokens.Middleware(http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { w.Header().Set("Access-Control-Allow-Origin", c.WebsiteDomain) w.Header().Set("Access-Control-Allow-Credentials", "true") if r.Method == "OPTIONS" { w.Header().Set("Access-Control-Allow-Headers", strings.Join(append([]string{"Content-Type"}, supertokens.GetAllCORSHeaders()...), ",")) w.Header().Set("Access-Control-Allow-Methods", "*") w.Write([]byte("")) } else if r.URL.Path == prefixedPath("/internal/version") { w.Header().Set("Last-Modified", cacheSince) fmt.Fprint(w, version) } else if r.URL.Path == prefixedPath("/menu.svg") { w.Header().Set("Last-Modified", cacheSince) setSVGHeaders(w) fmt.Fprint(w, menu) } else if r.URL.Path == prefixedPath("/login.svg") { w.Header().Set("Last-Modified", cacheSince) setSVGHeaders(w) fmt.Fprint(w, login) } else if r.URL.Path == prefixedPath("/logout.svg") { w.Header().Set("Last-Modified", cacheSince) setSVGHeaders(w) fmt.Fprint(w, logout) } else if r.URL.Path == prefixedPath("/person_outline.svg") { w.Header().Set("Last-Modified", cacheSince) setSVGHeaders(w) fmt.Fprint(w, person_outline) } else if r.URL.Path == prefixedPath("/client.js") { w.Header().Set("Last-Modified", cacheSince) w.Header().Add("Content-Type", "text/javascript") w.Header().Add("Content-Encoding", "gzip") var buf bytes.Buffer zw := gzip.NewWriter(&buf) _, err := zw.Write([]byte(c.clientSideScript(w, r))) // Can't be done with a pre-gzip/embed - template wasn't compiled before now if err != nil { w.WriteHeader(http.StatusInternalServerError) return } zw.Close() fmt.Fprint(w, buf.String()) } else { next.ServeHTTP(w, r) } })) } const menu = `<svg xmlns="http://www.w3.org/2000/svg" width="32" height="32" viewBox="0 0 32 32" stroke="black" stroke-width="2"> <line x1="7" y1="10" x2="25" y2="10" /> <line x1="7" y1="14" x2="25" y2="14" /> <line x1="7" y1="18" x2="25" y2="18" /> <line x1="7" y1="22" x2="25" y2="22" /> </svg> ` const login = `<svg width="32px" height="32px" viewBox="0.0 0.0 32.0 32.0" xmlns="http://www.w3.org/2000/svg"> <polyline stroke="black" stroke-width="1" fill="none" points="9,10 19,16 9,22 "></polyline> <polyline stroke="black" stroke-width="1" fill="none" points="3,16 13,16"></polyline> <rect x="9" y="6" width="20" height="20" rx="5" fill="none" stroke="black" stroke-width="1" stroke-dasharray="35px" stroke-dashoffset="-5.5px"></rect> </svg>` const logout = `<svg width="32px" height="32px" viewBox="0.0 0.0 32.0 32.0" xmlns="http://www.w3.org/2000/svg"> <polyline stroke="black" stroke-width="1" fill="none" points="19,10 29,16 19,22 "></polyline> <polyline stroke="black" stroke-width="1" fill="none" points="12,16 22,16 "></polyline> <rect x="3" y="6" width="20" height="20" rx="5" fill="none" stroke="black" stroke-width="1" stroke-dasharray="35px" stroke-dashoffset="29.5px"></rect> </svg>` const person_outline = `<svg version="1.1" viewBox="0.0 0.0 32.0 32.0" fill="none" stroke="none" stroke-linecap="square" stroke-miterlimit="10" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns="http://www.w3.org/2000/svg"> <clipPath id="p.0"><path d="m0 0l32.0 0l0 32.0l-32.0 0l0 -32.0z" clip-rule="nonzero"/></clipPath><g clip-path="url(#p.0)"><path fill="#000000" fill-opacity="0.0" d="m0 0l32.0 0l0 32.0l-32.0 0z" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m8.960629 9.800525l0 0c0 -3.8877363 3.1516342 -7.0393696 7.0393705 -7.0393696l0 0c1.8669567 0 3.6574478 0.7416458 4.9775867 2.0617836c1.320137 1.320138 2.0617828 3.1106296 2.0617828 4.9775863l0 0c0 3.8877373 -3.1516323 7.0393705 -7.0393696 7.0393705l0 0c-3.8877363 0 -7.0393705 -3.1516333 -7.0393705 -7.0393705z" fill-rule="evenodd"/><path stroke="#000000" stroke-width="1.0" stroke-linejoin="round" stroke-linecap="butt" d="m8.960629 9.800525l0 0c0 -3.8877363 3.1516342 -7.0393696 7.0393705 -7.0393696l0 0c1.8669567 0 3.6574478 0.7416458 4.9775867 2.0617836c1.320137 1.320138 2.0617828 3.1106296 2.0617828 4.9775863l0 0c0 3.8877373 -3.1516323 7.0393705 -7.0393696 7.0393705l0 0c-3.8877363 0 -7.0393705 -3.1516333 -7.0393705 -7.0393705z" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m16.0 16.839895l0 0c3.6587353 0 7.167618 1.4534264 9.754732 4.0405426c2.5871162 2.5871162 4.0405426 6.095999 4.0405426 9.754732l-13.795275 0z" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m16.0 16.839895l0 0c3.6587353 0 7.167618 1.4534264 9.754732 4.0405426c2.5871162 2.5871162 4.0405426 6.095999 4.0405426 9.754732" fill-rule="evenodd"/><path stroke="#000000" stroke-width="1.0" stroke-linejoin="round" stroke-linecap="butt" d="m16.0 16.839895l0 0c3.6587353 0 7.167618 1.4534264 9.754732 4.0405426c2.5871162 2.5871162 4.0405426 6.095999 4.0405426 9.754732" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m16.0 16.839895l0 0c-3.6587343 0 -7.167617 1.4534264 -9.754733 4.0405426c-2.5871158 2.5871162 -4.0405426 6.095999 -4.0405426 9.754732l13.795276 0z" fill-rule="evenodd"/><path fill="#000000" fill-opacity="0.0" d="m16.0 16.839895l0 0c-3.6587343 0 -7.167617 1.4534264 -9.754733 4.0405426c-2.5871158 2.5871162 -4.0405426 6.095999 -4.0405426 9.754732" fill-rule="evenodd"/><path stroke="#000000" stroke-width="1.0" stroke-linejoin="round" stroke-linecap="butt" d="m16.0 16.839895l0 0c-3.6587343 0 -7.167617 1.4534264 -9.754733 4.0405426c-2.5871158 2.5871162 -4.0405426 6.095999 -4.0405426 9.754732" fill-rule="evenodd"/></g></svg>`