mirror of
https://github.com/mjl-/mox.git
synced 2025-07-14 22:54:37 +03:00
replace http basic auth for web interfaces with session cookie & csrf-based auth
the http basic auth we had was very simple to reason about, and to implement. but it has a major downside: there is no way to logout, browsers keep sending credentials. ideally, browsers themselves would show a button to stop sending credentials. a related downside: the http auth mechanism doesn't indicate for which server paths the credentials are. another downside: the original password is sent to the server with each request. though sending original passwords to web servers seems to be considered normal. our new approach uses session cookies, along with csrf values when we can. the sessions are server-side managed, automatically extended on each use. this makes it easy to invalidate sessions and keeps the frontend simpler (than with long- vs short-term sessions and refreshing). the cookies are httponly, samesite=strict, scoped to the path of the web interface. cookies are set "secure" when set over https. the cookie is set by a successful call to Login. a call to Logout invalidates a session. changing a password invalidates all sessions for a user, but keeps the session with which the password was changed alive. the csrf value is also random, and associated with the session cookie. the csrf must be sent as header for api calls, or as parameter for direct form posts (where we cannot set a custom header). rest-like calls made directly by the browser, e.g. for images, don't have a csrf protection. the csrf value is returned by the Login api call and stored in localstorage. api calls without credentials return code "user:noAuth", and with bad credentials return "user:badAuth". the api client recognizes this and triggers a login. after a login, all auth-failed api calls are automatically retried. only for "user:badAuth" is an error message displayed in the login form (e.g. session expired). in an ideal world, browsers would take care of most session management. a server would indicate authentication is needed (like http basic auth), and the browsers uses trusted ui to request credentials for the server & path. the browser could use safer mechanism than sending original passwords to the server, such as scram, along with a standard way to create sessions. for now, web developers have to do authentication themselves: from showing the login prompt, ensuring the right session/csrf cookies/localstorage/headers/etc are sent with each request. webauthn is a newer way to do authentication, perhaps we'll implement it in the future. though hardware tokens aren't an attractive option for many users, and it may be overkill as long as we still do old-fashioned authentication in smtp & imap where passwords can be sent to the server. for issue #58
This commit is contained in:
@ -7,17 +7,16 @@ import (
|
||||
"archive/zip"
|
||||
"compress/gzip"
|
||||
"context"
|
||||
cryptorand "crypto/rand"
|
||||
"encoding/base64"
|
||||
"encoding/json"
|
||||
"errors"
|
||||
"fmt"
|
||||
"io"
|
||||
"net"
|
||||
"net/http"
|
||||
"os"
|
||||
"path/filepath"
|
||||
"strings"
|
||||
"time"
|
||||
|
||||
_ "embed"
|
||||
|
||||
@ -29,17 +28,13 @@ import (
|
||||
|
||||
"github.com/mjl-/mox/config"
|
||||
"github.com/mjl-/mox/dns"
|
||||
"github.com/mjl-/mox/metrics"
|
||||
"github.com/mjl-/mox/mlog"
|
||||
"github.com/mjl-/mox/mox-"
|
||||
"github.com/mjl-/mox/moxvar"
|
||||
"github.com/mjl-/mox/store"
|
||||
"github.com/mjl-/mox/webauth"
|
||||
)
|
||||
|
||||
func init() {
|
||||
mox.LimitersInit()
|
||||
}
|
||||
|
||||
var pkglog = mlog.New("webaccount", nil)
|
||||
|
||||
//go:embed api.json
|
||||
@ -60,8 +55,6 @@ var webaccountFile = &mox.WebappFile{
|
||||
|
||||
var accountDoc = mustParseAPI("account", accountapiJSON)
|
||||
|
||||
var accountSherpaHandler http.Handler
|
||||
|
||||
func mustParseAPI(api string, buf []byte) (doc sherpadoc.Section) {
|
||||
err := json.Unmarshal(buf, &doc)
|
||||
if err != nil {
|
||||
@ -70,18 +63,39 @@ func mustParseAPI(api string, buf []byte) (doc sherpadoc.Section) {
|
||||
return doc
|
||||
}
|
||||
|
||||
var sherpaHandlerOpts *sherpa.HandlerOpts
|
||||
|
||||
func makeSherpaHandler(cookiePath string, isForwarded bool) (http.Handler, error) {
|
||||
return sherpa.NewHandler("/api/", moxvar.Version, Account{cookiePath, isForwarded}, &accountDoc, sherpaHandlerOpts)
|
||||
}
|
||||
|
||||
func init() {
|
||||
collector, err := sherpaprom.NewCollector("moxaccount", nil)
|
||||
if err != nil {
|
||||
pkglog.Fatalx("creating sherpa prometheus collector", err)
|
||||
}
|
||||
|
||||
accountSherpaHandler, err = sherpa.NewHandler("/api/", moxvar.Version, Account{}, &accountDoc, &sherpa.HandlerOpts{Collector: collector, AdjustFunctionNames: "none"})
|
||||
sherpaHandlerOpts = &sherpa.HandlerOpts{Collector: collector, AdjustFunctionNames: "none", NoCORS: true}
|
||||
// Just to validate.
|
||||
_, err = makeSherpaHandler("", false)
|
||||
if err != nil {
|
||||
pkglog.Fatalx("sherpa handler", err)
|
||||
}
|
||||
}
|
||||
|
||||
// Handler returns a handler for the webaccount endpoints, customized for the
|
||||
// cookiePath.
|
||||
func Handler(cookiePath string, isForwarded bool) func(w http.ResponseWriter, r *http.Request) {
|
||||
sh, err := makeSherpaHandler(cookiePath, isForwarded)
|
||||
return func(w http.ResponseWriter, r *http.Request) {
|
||||
if err != nil {
|
||||
http.Error(w, "500 - internal server error - cannot handle requests", http.StatusInternalServerError)
|
||||
return
|
||||
}
|
||||
handle(sh, isForwarded, w, r)
|
||||
}
|
||||
}
|
||||
|
||||
func xcheckf(ctx context.Context, err error, format string, args ...any) {
|
||||
if err == nil {
|
||||
return
|
||||
@ -109,61 +123,12 @@ func xcheckuserf(ctx context.Context, err error, format string, args ...any) {
|
||||
// Account exports web API functions for the account web interface. All its
|
||||
// methods are exported under api/. Function calls require valid HTTP
|
||||
// Authentication credentials of a user.
|
||||
type Account struct{}
|
||||
|
||||
// CheckAuth checks http basic auth, returns login address and account name if
|
||||
// valid, and writes http response and returns empty string otherwise.
|
||||
func CheckAuth(ctx context.Context, log mlog.Log, kind string, w http.ResponseWriter, r *http.Request) (address, account string) {
|
||||
authResult := "error"
|
||||
start := time.Now()
|
||||
var addr *net.TCPAddr
|
||||
defer func() {
|
||||
metrics.AuthenticationInc(kind, "httpbasic", authResult)
|
||||
if authResult == "ok" && addr != nil {
|
||||
mox.LimiterFailedAuth.Reset(addr.IP, start)
|
||||
}
|
||||
}()
|
||||
|
||||
var err error
|
||||
var remoteIP net.IP
|
||||
addr, err = net.ResolveTCPAddr("tcp", r.RemoteAddr)
|
||||
if err != nil {
|
||||
log.Errorx("parsing remote address", err, slog.Any("addr", r.RemoteAddr))
|
||||
} else if addr != nil {
|
||||
remoteIP = addr.IP
|
||||
}
|
||||
if remoteIP != nil && !mox.LimiterFailedAuth.Add(remoteIP, start, 1) {
|
||||
metrics.AuthenticationRatelimitedInc(kind)
|
||||
http.Error(w, "429 - too many auth attempts", http.StatusTooManyRequests)
|
||||
return "", ""
|
||||
}
|
||||
|
||||
// store.OpenEmailAuth has an auth cache, so we don't bcrypt for every auth attempt.
|
||||
if auth := r.Header.Get("Authorization"); !strings.HasPrefix(auth, "Basic ") {
|
||||
} else if authBuf, err := base64.StdEncoding.DecodeString(strings.TrimPrefix(auth, "Basic ")); err != nil {
|
||||
log.Debugx("parsing base64", err)
|
||||
} else if t := strings.SplitN(string(authBuf), ":", 2); len(t) != 2 {
|
||||
log.Debug("bad user:pass form")
|
||||
} else if acc, err := store.OpenEmailAuth(log, t[0], t[1]); err != nil {
|
||||
if errors.Is(err, store.ErrUnknownCredentials) {
|
||||
authResult = "badcreds"
|
||||
log.Info("failed authentication attempt", slog.String("username", t[0]), slog.Any("remote", remoteIP))
|
||||
}
|
||||
log.Errorx("open account", err)
|
||||
} else {
|
||||
authResult = "ok"
|
||||
accName := acc.Name
|
||||
err := acc.Close()
|
||||
log.Check(err, "closing account")
|
||||
return t[0], accName
|
||||
}
|
||||
// note: browsers don't display the realm to prevent users getting confused by malicious realm messages.
|
||||
w.Header().Set("WWW-Authenticate", `Basic realm="mox account - login with account email address and password"`)
|
||||
http.Error(w, "http 401 - unauthorized - mox account - login with account email address and password", http.StatusUnauthorized)
|
||||
return "", ""
|
||||
type Account struct {
|
||||
cookiePath string // From listener, for setting authentication cookies.
|
||||
isForwarded bool // From listener, whether we look at X-Forwarded-* headers.
|
||||
}
|
||||
|
||||
func Handle(w http.ResponseWriter, r *http.Request) {
|
||||
func handle(apiHandler http.Handler, isForwarded bool, w http.ResponseWriter, r *http.Request) {
|
||||
ctx := context.WithValue(r.Context(), mlog.CidKey, mox.Cid())
|
||||
log := pkglog.WithContext(ctx).With(slog.String("userauth", ""))
|
||||
|
||||
@ -224,29 +189,52 @@ func Handle(w http.ResponseWriter, r *http.Request) {
|
||||
}
|
||||
}
|
||||
|
||||
_, accName := CheckAuth(ctx, log, "webaccount", w, r)
|
||||
if accName == "" {
|
||||
// Response already sent.
|
||||
// HTML/JS can be retrieved without authentication.
|
||||
if r.URL.Path == "/" {
|
||||
switch r.Method {
|
||||
case "GET", "HEAD":
|
||||
webaccountFile.Serve(ctx, log, w, r)
|
||||
default:
|
||||
http.Error(w, "405 - method not allowed - use get", http.StatusMethodNotAllowed)
|
||||
}
|
||||
return
|
||||
}
|
||||
|
||||
if lw, ok := w.(interface{ AddAttr(a slog.Attr) }); ok {
|
||||
lw.AddAttr(slog.String("authaccount", accName))
|
||||
isAPI := strings.HasPrefix(r.URL.Path, "/api/")
|
||||
// Only allow POST for calls, they will not work cross-domain without CORS.
|
||||
if isAPI && r.URL.Path != "/api/" && r.Method != "POST" {
|
||||
http.Error(w, "405 - method not allowed - use post", http.StatusMethodNotAllowed)
|
||||
return
|
||||
}
|
||||
|
||||
var loginAddress, accName string
|
||||
var sessionToken store.SessionToken
|
||||
// All other URLs, except the login endpoint require some authentication.
|
||||
if r.URL.Path != "/api/LoginPrep" && r.URL.Path != "/api/Login" {
|
||||
var ok bool
|
||||
isExport := strings.HasPrefix(r.URL.Path, "/export/")
|
||||
requireCSRF := isAPI || r.URL.Path == "/import" || isExport
|
||||
accName, sessionToken, loginAddress, ok = webauth.Check(ctx, log, webauth.Accounts, "webaccount", isForwarded, w, r, isAPI, requireCSRF, isExport)
|
||||
if !ok {
|
||||
// Response has been written already.
|
||||
return
|
||||
}
|
||||
}
|
||||
|
||||
if isAPI {
|
||||
reqInfo := requestInfo{loginAddress, accName, sessionToken, w, r}
|
||||
ctx = context.WithValue(ctx, requestInfoCtxKey, reqInfo)
|
||||
apiHandler.ServeHTTP(w, r.WithContext(ctx))
|
||||
return
|
||||
}
|
||||
|
||||
switch r.URL.Path {
|
||||
case "/":
|
||||
switch r.Method {
|
||||
default:
|
||||
http.Error(w, "405 - method not allowed - use get", http.StatusMethodNotAllowed)
|
||||
case "/export/mail-export-maildir.tgz", "/export/mail-export-maildir.zip", "/export/mail-export-mbox.tgz", "/export/mail-export-mbox.zip":
|
||||
if r.Method != "POST" {
|
||||
http.Error(w, "405 - method not allowed - use post", http.StatusMethodNotAllowed)
|
||||
return
|
||||
case "GET", "HEAD":
|
||||
}
|
||||
|
||||
webaccountFile.Serve(ctx, log, w, r)
|
||||
return
|
||||
|
||||
case "/mail-export-maildir.tgz", "/mail-export-maildir.zip", "/mail-export-mbox.tgz", "/mail-export-mbox.zip":
|
||||
maildir := strings.Contains(r.URL.Path, "maildir")
|
||||
tgz := strings.Contains(r.URL.Path, ".tgz")
|
||||
|
||||
@ -330,11 +318,6 @@ func Handle(w http.ResponseWriter, r *http.Request) {
|
||||
_ = json.NewEncoder(w).Encode(ImportProgress{Token: token})
|
||||
|
||||
default:
|
||||
if strings.HasPrefix(r.URL.Path, "/api/") {
|
||||
ctx = context.WithValue(ctx, authCtxKey, accName)
|
||||
accountSherpaHandler.ServeHTTP(w, r.WithContext(ctx))
|
||||
return
|
||||
}
|
||||
http.NotFound(w, r)
|
||||
}
|
||||
}
|
||||
@ -347,7 +330,54 @@ type ImportProgress struct {
|
||||
|
||||
type ctxKey string
|
||||
|
||||
var authCtxKey ctxKey = "account"
|
||||
var requestInfoCtxKey ctxKey = "requestInfo"
|
||||
|
||||
type requestInfo struct {
|
||||
LoginAddress string
|
||||
AccountName string
|
||||
SessionToken store.SessionToken
|
||||
Response http.ResponseWriter
|
||||
Request *http.Request // For Proto and TLS connection state during message submit.
|
||||
}
|
||||
|
||||
// LoginPrep returns a login token, and also sets it as cookie. Both must be
|
||||
// present in the call to Login.
|
||||
func (w Account) LoginPrep(ctx context.Context) string {
|
||||
log := pkglog.WithContext(ctx)
|
||||
reqInfo := ctx.Value(requestInfoCtxKey).(requestInfo)
|
||||
|
||||
var data [8]byte
|
||||
_, err := cryptorand.Read(data[:])
|
||||
xcheckf(ctx, err, "generate token")
|
||||
loginToken := base64.RawURLEncoding.EncodeToString(data[:])
|
||||
|
||||
webauth.LoginPrep(ctx, log, "webaccount", w.cookiePath, w.isForwarded, reqInfo.Response, reqInfo.Request, loginToken)
|
||||
|
||||
return loginToken
|
||||
}
|
||||
|
||||
// Login returns a session token for the credentials, or fails with error code
|
||||
// "user:badLogin". Call LoginPrep to get a loginToken.
|
||||
func (w Account) Login(ctx context.Context, loginToken, username, password string) store.CSRFToken {
|
||||
log := pkglog.WithContext(ctx)
|
||||
reqInfo := ctx.Value(requestInfoCtxKey).(requestInfo)
|
||||
|
||||
csrfToken, err := webauth.Login(ctx, log, webauth.Accounts, "webaccount", w.cookiePath, w.isForwarded, reqInfo.Response, reqInfo.Request, loginToken, username, password)
|
||||
if _, ok := err.(*sherpa.Error); ok {
|
||||
panic(err)
|
||||
}
|
||||
xcheckf(ctx, err, "login")
|
||||
return csrfToken
|
||||
}
|
||||
|
||||
// Logout invalidates the session token.
|
||||
func (w Account) Logout(ctx context.Context) {
|
||||
log := pkglog.WithContext(ctx)
|
||||
reqInfo := ctx.Value(requestInfoCtxKey).(requestInfo)
|
||||
|
||||
err := webauth.Logout(ctx, log, webauth.Accounts, "webaccount", w.cookiePath, w.isForwarded, reqInfo.Response, reqInfo.Request, reqInfo.AccountName, reqInfo.SessionToken)
|
||||
xcheckf(ctx, err, "logout")
|
||||
}
|
||||
|
||||
// SetPassword saves a new password for the account, invalidating the previous password.
|
||||
// Sessions are not interrupted, and will keep working. New login attempts must use the new password.
|
||||
@ -357,15 +387,25 @@ func (Account) SetPassword(ctx context.Context, password string) {
|
||||
if len(password) < 8 {
|
||||
panic(&sherpa.Error{Code: "user:error", Message: "password must be at least 8 characters"})
|
||||
}
|
||||
accountName := ctx.Value(authCtxKey).(string)
|
||||
acc, err := store.OpenAccount(log, accountName)
|
||||
|
||||
reqInfo := ctx.Value(requestInfoCtxKey).(requestInfo)
|
||||
acc, err := store.OpenAccount(log, reqInfo.AccountName)
|
||||
xcheckf(ctx, err, "open account")
|
||||
defer func() {
|
||||
err := acc.Close()
|
||||
log.Check(err, "closing account")
|
||||
}()
|
||||
|
||||
// Retrieve session, resetting password invalidates it.
|
||||
ls, err := store.SessionUse(ctx, log, reqInfo.AccountName, reqInfo.SessionToken, "")
|
||||
xcheckf(ctx, err, "get session")
|
||||
|
||||
err = acc.SetPassword(log, password)
|
||||
xcheckf(ctx, err, "setting password")
|
||||
|
||||
// Session has been invalidated. Add it again.
|
||||
err = store.SessionAddToken(ctx, log, &ls)
|
||||
xcheckf(ctx, err, "restoring session after password reset")
|
||||
}
|
||||
|
||||
// Account returns information about the account: full name, the default domain,
|
||||
@ -373,8 +413,8 @@ func (Account) SetPassword(ctx context.Context, password string) {
|
||||
// domain). todo: replace with a function that returns the whole account, when
|
||||
// sherpadoc understands unnamed struct fields.
|
||||
func (Account) Account(ctx context.Context) (string, dns.Domain, map[string]config.Destination) {
|
||||
accountName := ctx.Value(authCtxKey).(string)
|
||||
accConf, ok := mox.Conf.Account(accountName)
|
||||
reqInfo := ctx.Value(requestInfoCtxKey).(requestInfo)
|
||||
accConf, ok := mox.Conf.Account(reqInfo.AccountName)
|
||||
if !ok {
|
||||
xcheckf(ctx, errors.New("not found"), "looking up account")
|
||||
}
|
||||
@ -382,12 +422,12 @@ func (Account) Account(ctx context.Context) (string, dns.Domain, map[string]conf
|
||||
}
|
||||
|
||||
func (Account) AccountSaveFullName(ctx context.Context, fullName string) {
|
||||
accountName := ctx.Value(authCtxKey).(string)
|
||||
_, ok := mox.Conf.Account(accountName)
|
||||
reqInfo := ctx.Value(requestInfoCtxKey).(requestInfo)
|
||||
_, ok := mox.Conf.Account(reqInfo.AccountName)
|
||||
if !ok {
|
||||
xcheckf(ctx, errors.New("not found"), "looking up account")
|
||||
}
|
||||
err := mox.AccountFullNameSave(ctx, accountName, fullName)
|
||||
err := mox.AccountFullNameSave(ctx, reqInfo.AccountName, fullName)
|
||||
xcheckf(ctx, err, "saving account full name")
|
||||
}
|
||||
|
||||
@ -395,8 +435,8 @@ func (Account) AccountSaveFullName(ctx context.Context, fullName string) {
|
||||
// OldDest is compared against the current destination. If it does not match, an
|
||||
// error is returned. Otherwise newDest is saved and the configuration reloaded.
|
||||
func (Account) DestinationSave(ctx context.Context, destName string, oldDest, newDest config.Destination) {
|
||||
accountName := ctx.Value(authCtxKey).(string)
|
||||
accConf, ok := mox.Conf.Account(accountName)
|
||||
reqInfo := ctx.Value(requestInfoCtxKey).(requestInfo)
|
||||
accConf, ok := mox.Conf.Account(reqInfo.AccountName)
|
||||
if !ok {
|
||||
xcheckf(ctx, errors.New("not found"), "looking up account")
|
||||
}
|
||||
@ -414,7 +454,7 @@ func (Account) DestinationSave(ctx context.Context, destName string, oldDest, ne
|
||||
newDest.HostTLSReports = curDest.HostTLSReports
|
||||
newDest.DomainTLSReports = curDest.DomainTLSReports
|
||||
|
||||
err := mox.DestinationSave(ctx, accountName, destName, newDest)
|
||||
err := mox.DestinationSave(ctx, reqInfo.AccountName, destName, newDest)
|
||||
xcheckf(ctx, err, "saving destination")
|
||||
}
|
||||
|
||||
|
@ -16,6 +16,7 @@ ul { padding-left: 1rem; }
|
||||
.literal { background-color: #eee; padding: .5em 1em; border: 1px solid #eee; border-radius: 4px; white-space: pre-wrap; font-family: monospace; font-size: 15px; tab-size: 4; }
|
||||
table td, table th { padding: .2em .5em; }
|
||||
table > tbody > tr:nth-child(odd) { background-color: #f8f8f8; }
|
||||
table.slim td, table.slim th { padding: 0; }
|
||||
.text { max-width: 50em; }
|
||||
p { margin-bottom: 1em; max-width: 50em; }
|
||||
[title] { text-decoration: underline; text-decoration-style: dotted; }
|
||||
@ -28,7 +29,7 @@ fieldset { border: 0; }
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
<div id="page"><div style="padding: 1em">Loading...</div></div>
|
||||
<div id="page"><div style="padding: 1em; text-align: center">Loading...</div></div>
|
||||
<script>/* placeholder */</script>
|
||||
</body>
|
||||
</html>
|
||||
|
@ -215,6 +215,8 @@ const [dom, style, attr, prop] = (function () {
|
||||
name: (s) => _attr('name', s),
|
||||
min: (s) => _attr('min', s),
|
||||
max: (s) => _attr('max', s),
|
||||
action: (s) => _attr('action', s),
|
||||
method: (s) => _attr('method', s),
|
||||
};
|
||||
const style = (x) => { return { _styles: x }; };
|
||||
const prop = (x) => { return { _props: x }; };
|
||||
@ -224,19 +226,21 @@ const [dom, style, attr, prop] = (function () {
|
||||
var api;
|
||||
(function (api) {
|
||||
api.structTypes = { "Destination": true, "Domain": true, "ImportProgress": true, "Ruleset": true };
|
||||
api.stringsTypes = {};
|
||||
api.stringsTypes = { "CSRFToken": true };
|
||||
api.intsTypes = {};
|
||||
api.types = {
|
||||
"Domain": { "Name": "Domain", "Docs": "", "Fields": [{ "Name": "ASCII", "Docs": "", "Typewords": ["string"] }, { "Name": "Unicode", "Docs": "", "Typewords": ["string"] }] },
|
||||
"Destination": { "Name": "Destination", "Docs": "", "Fields": [{ "Name": "Mailbox", "Docs": "", "Typewords": ["string"] }, { "Name": "Rulesets", "Docs": "", "Typewords": ["[]", "Ruleset"] }, { "Name": "FullName", "Docs": "", "Typewords": ["string"] }] },
|
||||
"Ruleset": { "Name": "Ruleset", "Docs": "", "Fields": [{ "Name": "SMTPMailFromRegexp", "Docs": "", "Typewords": ["string"] }, { "Name": "VerifiedDomain", "Docs": "", "Typewords": ["string"] }, { "Name": "HeadersRegexp", "Docs": "", "Typewords": ["{}", "string"] }, { "Name": "IsForward", "Docs": "", "Typewords": ["bool"] }, { "Name": "ListAllowDomain", "Docs": "", "Typewords": ["string"] }, { "Name": "AcceptRejectsToMailbox", "Docs": "", "Typewords": ["string"] }, { "Name": "Mailbox", "Docs": "", "Typewords": ["string"] }, { "Name": "VerifiedDNSDomain", "Docs": "", "Typewords": ["Domain"] }, { "Name": "ListAllowDNSDomain", "Docs": "", "Typewords": ["Domain"] }] },
|
||||
"ImportProgress": { "Name": "ImportProgress", "Docs": "", "Fields": [{ "Name": "Token", "Docs": "", "Typewords": ["string"] }] },
|
||||
"CSRFToken": { "Name": "CSRFToken", "Docs": "", "Values": null },
|
||||
};
|
||||
api.parser = {
|
||||
Domain: (v) => api.parse("Domain", v),
|
||||
Destination: (v) => api.parse("Destination", v),
|
||||
Ruleset: (v) => api.parse("Ruleset", v),
|
||||
ImportProgress: (v) => api.parse("ImportProgress", v),
|
||||
CSRFToken: (v) => api.parse("CSRFToken", v),
|
||||
};
|
||||
// Account exports web API functions for the account web interface. All its
|
||||
// methods are exported under api/. Function calls require valid HTTP
|
||||
@ -244,16 +248,50 @@ var api;
|
||||
let defaultOptions = { slicesNullable: true, mapsNullable: true, nullableOptional: true };
|
||||
class Client {
|
||||
baseURL;
|
||||
authState;
|
||||
options;
|
||||
constructor(baseURL = api.defaultBaseURL, options) {
|
||||
this.baseURL = baseURL;
|
||||
this.options = options;
|
||||
if (!options) {
|
||||
this.options = defaultOptions;
|
||||
}
|
||||
constructor() {
|
||||
this.authState = {};
|
||||
this.options = { ...defaultOptions };
|
||||
this.baseURL = this.options.baseURL || api.defaultBaseURL;
|
||||
}
|
||||
withAuthToken(token) {
|
||||
const c = new Client();
|
||||
c.authState.token = token;
|
||||
c.options = this.options;
|
||||
return c;
|
||||
}
|
||||
withOptions(options) {
|
||||
return new Client(this.baseURL, { ...this.options, ...options });
|
||||
const c = new Client();
|
||||
c.authState = this.authState;
|
||||
c.options = { ...this.options, ...options };
|
||||
return c;
|
||||
}
|
||||
// LoginPrep returns a login token, and also sets it as cookie. Both must be
|
||||
// present in the call to Login.
|
||||
async LoginPrep() {
|
||||
const fn = "LoginPrep";
|
||||
const paramTypes = [];
|
||||
const returnTypes = [["string"]];
|
||||
const params = [];
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
}
|
||||
// Login returns a session token for the credentials, or fails with error code
|
||||
// "user:badLogin". Call LoginPrep to get a loginToken.
|
||||
async Login(loginToken, username, password) {
|
||||
const fn = "Login";
|
||||
const paramTypes = [["string"], ["string"], ["string"]];
|
||||
const returnTypes = [["CSRFToken"]];
|
||||
const params = [loginToken, username, password];
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
}
|
||||
// Logout invalidates the session token.
|
||||
async Logout() {
|
||||
const fn = "Logout";
|
||||
const paramTypes = [];
|
||||
const returnTypes = [];
|
||||
const params = [];
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
}
|
||||
// SetPassword saves a new password for the account, invalidating the previous password.
|
||||
// Sessions are not interrupted, and will keep working. New login attempts must use the new password.
|
||||
@ -263,7 +301,7 @@ var api;
|
||||
const paramTypes = [["string"]];
|
||||
const returnTypes = [];
|
||||
const params = [password];
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
}
|
||||
// Account returns information about the account: full name, the default domain,
|
||||
// and the destinations (keys are email addresses, or localparts to the default
|
||||
@ -274,14 +312,14 @@ var api;
|
||||
const paramTypes = [];
|
||||
const returnTypes = [["string"], ["Domain"], ["{}", "Destination"]];
|
||||
const params = [];
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
}
|
||||
async AccountSaveFullName(fullName) {
|
||||
const fn = "AccountSaveFullName";
|
||||
const paramTypes = [["string"]];
|
||||
const returnTypes = [];
|
||||
const params = [fullName];
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
}
|
||||
// DestinationSave updates a destination.
|
||||
// OldDest is compared against the current destination. If it does not match, an
|
||||
@ -291,7 +329,7 @@ var api;
|
||||
const paramTypes = [["string"], ["Destination"], ["Destination"]];
|
||||
const returnTypes = [];
|
||||
const params = [destName, oldDest, newDest];
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
}
|
||||
// ImportAbort aborts an import that is in progress. If the import exists and isn't
|
||||
// finished, no changes will have been made by the import.
|
||||
@ -300,7 +338,7 @@ var api;
|
||||
const paramTypes = [["string"]];
|
||||
const returnTypes = [];
|
||||
const params = [importToken];
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
}
|
||||
// Types exposes types not used in API method signatures, such as the import form upload.
|
||||
async Types() {
|
||||
@ -308,7 +346,7 @@ var api;
|
||||
const paramTypes = [];
|
||||
const returnTypes = [["ImportProgress"]];
|
||||
const params = [];
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params);
|
||||
}
|
||||
}
|
||||
api.Client = Client;
|
||||
@ -496,7 +534,7 @@ var api;
|
||||
}
|
||||
}
|
||||
}
|
||||
const _sherpaCall = async (baseURL, options, paramTypes, returnTypes, name, params) => {
|
||||
const _sherpaCall = async (baseURL, authState, options, paramTypes, returnTypes, name, params) => {
|
||||
if (!options.skipParamCheck) {
|
||||
if (params.length !== paramTypes.length) {
|
||||
return Promise.reject({ message: 'wrong number of parameters in sherpa call, saw ' + params.length + ' != expected ' + paramTypes.length });
|
||||
@ -538,14 +576,36 @@ var api;
|
||||
if (json) {
|
||||
await simulate(json);
|
||||
}
|
||||
// Immediately create promise, so options.aborter is changed before returning.
|
||||
const promise = new Promise((resolve, reject) => {
|
||||
const fn = (resolve, reject) => {
|
||||
let resolve1 = (v) => {
|
||||
resolve(v);
|
||||
resolve1 = () => { };
|
||||
reject1 = () => { };
|
||||
};
|
||||
let reject1 = (v) => {
|
||||
if ((v.code === 'user:noAuth' || v.code === 'user:badAuth') && options.login) {
|
||||
const login = options.login;
|
||||
if (!authState.loginPromise) {
|
||||
authState.loginPromise = new Promise((aresolve, areject) => {
|
||||
login(v.code === 'user:badAuth' ? (v.message || '') : '')
|
||||
.then((token) => {
|
||||
authState.token = token;
|
||||
authState.loginPromise = undefined;
|
||||
aresolve();
|
||||
}, (err) => {
|
||||
authState.loginPromise = undefined;
|
||||
areject(err);
|
||||
});
|
||||
});
|
||||
}
|
||||
authState.loginPromise
|
||||
.then(() => {
|
||||
fn(resolve, reject);
|
||||
}, (err) => {
|
||||
reject(err);
|
||||
});
|
||||
return;
|
||||
}
|
||||
reject(v);
|
||||
resolve1 = () => { };
|
||||
reject1 = () => { };
|
||||
@ -559,6 +619,9 @@ var api;
|
||||
};
|
||||
}
|
||||
req.open('POST', url, true);
|
||||
if (options.csrfHeader && authState.token) {
|
||||
req.setRequestHeader(options.csrfHeader, authState.token);
|
||||
}
|
||||
if (options.timeoutMsec) {
|
||||
req.timeout = options.timeoutMsec;
|
||||
}
|
||||
@ -632,15 +695,91 @@ var api;
|
||||
catch (err) {
|
||||
reject1({ code: 'sherpa:badData', message: 'cannot marshal to JSON' });
|
||||
}
|
||||
});
|
||||
return await promise;
|
||||
};
|
||||
return await new Promise(fn);
|
||||
};
|
||||
})(api || (api = {}));
|
||||
// Javascript is generated from typescript, do not modify generated javascript because changes will be overwritten.
|
||||
const client = new api.Client();
|
||||
const login = async (reason) => {
|
||||
return new Promise((resolve, _) => {
|
||||
const origFocus = document.activeElement;
|
||||
let reasonElem;
|
||||
let fieldset;
|
||||
let username;
|
||||
let password;
|
||||
const root = dom.div(style({ position: 'absolute', top: 0, right: 0, bottom: 0, left: 0, backgroundColor: '#eee', display: 'flex', alignItems: 'center', justifyContent: 'center', zIndex: '1', animation: 'fadein .15s ease-in' }), dom.div(reasonElem = reason ? dom.div(style({ marginBottom: '2ex', textAlign: 'center' }), reason) : dom.div(), dom.div(style({ backgroundColor: 'white', borderRadius: '.25em', padding: '1em', boxShadow: '0 0 20px rgba(0, 0, 0, 0.1)', border: '1px solid #ddd', maxWidth: '95vw', overflowX: 'auto', maxHeight: '95vh', overflowY: 'auto', marginBottom: '20vh' }), dom.form(async function submit(e) {
|
||||
e.preventDefault();
|
||||
e.stopPropagation();
|
||||
reasonElem.remove();
|
||||
try {
|
||||
fieldset.disabled = true;
|
||||
const loginToken = await client.LoginPrep();
|
||||
const token = await client.Login(loginToken, username.value, password.value);
|
||||
try {
|
||||
window.localStorage.setItem('webaccountaddress', username.value);
|
||||
window.localStorage.setItem('webaccountcsrftoken', token);
|
||||
}
|
||||
catch (err) {
|
||||
console.log('saving csrf token in localStorage', err);
|
||||
}
|
||||
root.remove();
|
||||
if (origFocus && origFocus instanceof HTMLElement && origFocus.parentNode) {
|
||||
origFocus.focus();
|
||||
}
|
||||
resolve(token);
|
||||
}
|
||||
catch (err) {
|
||||
console.log('login error', err);
|
||||
window.alert('Error: ' + errmsg(err));
|
||||
}
|
||||
finally {
|
||||
fieldset.disabled = false;
|
||||
}
|
||||
}, fieldset = dom.fieldset(dom.h1('Account'), dom.label(style({ display: 'block', marginBottom: '2ex' }), dom.div('Email address', style({ marginBottom: '.5ex' })), username = dom.input(attr.required(''), attr.placeholder('jane@example.org'))), dom.label(style({ display: 'block', marginBottom: '2ex' }), dom.div('Password', style({ marginBottom: '.5ex' })), password = dom.input(attr.type('password'), attr.required(''))), dom.div(style({ textAlign: 'center' }), dom.submitbutton('Login')))))));
|
||||
document.body.appendChild(root);
|
||||
username.focus();
|
||||
});
|
||||
};
|
||||
const localStorageGet = (k) => {
|
||||
try {
|
||||
return window.localStorage.getItem(k);
|
||||
}
|
||||
catch (err) {
|
||||
return null;
|
||||
}
|
||||
};
|
||||
const localStorageRemove = (k) => {
|
||||
try {
|
||||
return window.localStorage.removeItem(k);
|
||||
}
|
||||
catch (err) {
|
||||
}
|
||||
};
|
||||
const client = new api.Client().withOptions({ csrfHeader: 'x-mox-csrf', login: login }).withAuthToken(localStorageGet('webaccountcsrftoken') || '');
|
||||
const link = (href, anchorOpt) => dom.a(attr.href(href), attr.rel('noopener noreferrer'), anchorOpt || href);
|
||||
const crumblink = (text, link) => dom.a(text, attr.href(link));
|
||||
const crumbs = (...l) => [dom.h1(l.map((e, index) => index === 0 ? e : [' / ', e])), dom.br()];
|
||||
const crumbs = (...l) => [
|
||||
dom.div(style({ float: 'right' }), localStorageGet('webaccountaddress') || '(unknown)', ' ', dom.clickbutton('Logout', attr.title('Logout, invalidating this session.'), async function click(e) {
|
||||
const b = e.target;
|
||||
try {
|
||||
b.disabled = true;
|
||||
await client.Logout();
|
||||
}
|
||||
catch (err) {
|
||||
console.log('logout', err);
|
||||
window.alert('Error: ' + errmsg(err));
|
||||
}
|
||||
finally {
|
||||
b.disabled = false;
|
||||
}
|
||||
localStorageRemove('webaccountaddress');
|
||||
localStorageRemove('webaccountcsrftoken');
|
||||
// Reload so all state is cleared from memory.
|
||||
window.location.reload();
|
||||
})),
|
||||
dom.h1(l.map((e, index) => index === 0 ? e : [' / ', e])),
|
||||
dom.br()
|
||||
];
|
||||
const errmsg = (err) => '' + (err.message || '(no error message)');
|
||||
const footer = dom.div(style({ marginTop: '6ex', opacity: 0.75 }), link('https://github.com/mjl-/mox', 'mox'), ' ', moxversion);
|
||||
const domainName = (d) => {
|
||||
@ -755,6 +894,9 @@ const index = async () => {
|
||||
});
|
||||
});
|
||||
};
|
||||
const exportForm = (filename) => {
|
||||
return dom.form(attr.target('_blank'), attr.method('POST'), attr.action('export/' + filename), dom.input(attr.type('hidden'), attr.name('csrf'), attr.value(localStorageGet('webaccountcsrftoken') || '')), dom.submitbutton('Export'));
|
||||
};
|
||||
dom._kids(page, crumbs('Mox Account'), dom.p('NOTE: Not all account settings can be configured through these pages yet. See the configuration file for more options.'), dom.div('Default domain: ', domain.ASCII ? domainString(domain) : '(none)'), dom.br(), fullNameForm = dom.form(fullNameFieldset = dom.fieldset(dom.label(style({ display: 'inline-block' }), 'Full name', dom.br(), fullName = dom.input(attr.value(accountFullName), attr.title('Name to use in From header when composing messages. Can be overridden per configured address.'))), ' ', dom.submitbutton('Save')), async function submit(e) {
|
||||
e.preventDefault();
|
||||
fullNameFieldset.disabled = true;
|
||||
@ -809,7 +951,7 @@ const index = async () => {
|
||||
finally {
|
||||
passwordFieldset.disabled = false;
|
||||
}
|
||||
}), dom.br(), dom.h2('Export'), dom.p('Export all messages in all mailboxes. In maildir or mbox format, as .zip or .tgz file.'), dom.ul(dom.li(dom.a('mail-export-maildir.tgz', attr.href('mail-export-maildir.tgz'))), dom.li(dom.a('mail-export-maildir.zip', attr.href('mail-export-maildir.zip'))), dom.li(dom.a('mail-export-mbox.tgz', attr.href('mail-export-mbox.tgz'))), dom.li(dom.a('mail-export-mbox.zip', attr.href('mail-export-mbox.zip')))), dom.br(), dom.h2('Import'), dom.p('Import messages from a .zip or .tgz file with maildirs and/or mbox files.'), importForm = dom.form(async function submit(e) {
|
||||
}), dom.br(), dom.h2('Export'), dom.p('Export all messages in all mailboxes. In maildir or mbox format, as .zip or .tgz file.'), dom.table(dom._class('slim'), dom.tr(dom.td('Maildirs in .tgz'), dom.td(exportForm('mail-export-maildir.tgz'))), dom.tr(dom.td('Maildirs in .zip'), dom.td(exportForm('mail-export-maildir.zip'))), dom.tr(dom.td('Mbox files in .tgz'), dom.td(exportForm('mail-export-mbox.tgz'))), dom.tr(dom.td('Mbox files in .zip'), dom.td(exportForm('mail-export-mbox.zip')))), dom.br(), dom.h2('Import'), dom.p('Import messages from a .zip or .tgz file with maildirs and/or mbox files.'), importForm = dom.form(async function submit(e) {
|
||||
e.preventDefault();
|
||||
e.stopPropagation();
|
||||
const request = async () => {
|
||||
@ -820,6 +962,7 @@ const index = async () => {
|
||||
importProgress.style.display = '';
|
||||
const xhr = new window.XMLHttpRequest();
|
||||
xhr.open('POST', 'import', true);
|
||||
xhr.setRequestHeader('x-mox-csrf', localStorageGet('webaccountcsrftoken') || '');
|
||||
xhr.upload.addEventListener('progress', (e) => {
|
||||
if (!e.lengthComputable) {
|
||||
return;
|
||||
|
@ -4,12 +4,121 @@
|
||||
declare let page: HTMLElement
|
||||
declare let moxversion: string
|
||||
|
||||
const client = new api.Client()
|
||||
const login = async (reason: string) => {
|
||||
return new Promise<string>((resolve: (v: string) => void, _) => {
|
||||
const origFocus = document.activeElement
|
||||
let reasonElem: HTMLElement
|
||||
let fieldset: HTMLFieldSetElement
|
||||
let username: HTMLInputElement
|
||||
let password: HTMLInputElement
|
||||
|
||||
const root = dom.div(
|
||||
style({position: 'absolute', top: 0, right: 0, bottom: 0, left: 0, backgroundColor: '#eee', display: 'flex', alignItems: 'center', justifyContent: 'center', zIndex: '1', animation: 'fadein .15s ease-in'}),
|
||||
dom.div(
|
||||
reasonElem=reason ? dom.div(style({marginBottom: '2ex', textAlign: 'center'}), reason) : dom.div(),
|
||||
dom.div(
|
||||
style({backgroundColor: 'white', borderRadius: '.25em', padding: '1em', boxShadow: '0 0 20px rgba(0, 0, 0, 0.1)', border: '1px solid #ddd', maxWidth: '95vw', overflowX: 'auto', maxHeight: '95vh', overflowY: 'auto', marginBottom: '20vh'}),
|
||||
dom.form(
|
||||
async function submit(e: SubmitEvent) {
|
||||
e.preventDefault()
|
||||
e.stopPropagation()
|
||||
|
||||
reasonElem.remove()
|
||||
|
||||
try {
|
||||
fieldset.disabled = true
|
||||
const loginToken = await client.LoginPrep()
|
||||
const token = await client.Login(loginToken, username.value, password.value)
|
||||
try {
|
||||
window.localStorage.setItem('webaccountaddress', username.value)
|
||||
window.localStorage.setItem('webaccountcsrftoken', token)
|
||||
} catch (err) {
|
||||
console.log('saving csrf token in localStorage', err)
|
||||
}
|
||||
root.remove()
|
||||
if (origFocus && origFocus instanceof HTMLElement && origFocus.parentNode) {
|
||||
origFocus.focus()
|
||||
}
|
||||
resolve(token)
|
||||
} catch (err) {
|
||||
console.log('login error', err)
|
||||
window.alert('Error: ' + errmsg(err))
|
||||
} finally {
|
||||
fieldset.disabled = false
|
||||
}
|
||||
},
|
||||
fieldset=dom.fieldset(
|
||||
dom.h1('Account'),
|
||||
dom.label(
|
||||
style({display: 'block', marginBottom: '2ex'}),
|
||||
dom.div('Email address', style({marginBottom: '.5ex'})),
|
||||
username=dom.input(attr.required(''), attr.placeholder('jane@example.org')),
|
||||
),
|
||||
dom.label(
|
||||
style({display: 'block', marginBottom: '2ex'}),
|
||||
dom.div('Password', style({marginBottom: '.5ex'})),
|
||||
password=dom.input(attr.type('password'), attr.required('')),
|
||||
),
|
||||
dom.div(
|
||||
style({textAlign: 'center'}),
|
||||
dom.submitbutton('Login'),
|
||||
),
|
||||
),
|
||||
)
|
||||
)
|
||||
)
|
||||
)
|
||||
document.body.appendChild(root)
|
||||
username.focus()
|
||||
})
|
||||
}
|
||||
|
||||
const localStorageGet = (k: string): string | null => {
|
||||
try {
|
||||
return window.localStorage.getItem(k)
|
||||
} catch (err) {
|
||||
return null
|
||||
}
|
||||
}
|
||||
|
||||
const localStorageRemove = (k: string) => {
|
||||
try {
|
||||
return window.localStorage.removeItem(k)
|
||||
} catch (err) {
|
||||
}
|
||||
}
|
||||
|
||||
const client = new api.Client().withOptions({csrfHeader: 'x-mox-csrf', login: login}).withAuthToken(localStorageGet('webaccountcsrftoken') || '')
|
||||
|
||||
const link = (href: string, anchorOpt: string) => dom.a(attr.href(href), attr.rel('noopener noreferrer'), anchorOpt || href)
|
||||
|
||||
const crumblink = (text: string, link: string) => dom.a(text, attr.href(link))
|
||||
const crumbs = (...l: ElemArg[]) => [dom.h1(l.map((e, index) => index === 0 ? e : [' / ', e])), dom.br()]
|
||||
const crumbs = (...l: ElemArg[]) => [
|
||||
dom.div(
|
||||
style({float: 'right'}),
|
||||
localStorageGet('webaccountaddress') || '(unknown)',
|
||||
' ',
|
||||
dom.clickbutton('Logout', attr.title('Logout, invalidating this session.'), async function click(e: MouseEvent) {
|
||||
const b = e.target! as HTMLButtonElement
|
||||
try {
|
||||
b.disabled = true
|
||||
await client.Logout()
|
||||
} catch (err) {
|
||||
console.log('logout', err)
|
||||
window.alert('Error: ' + errmsg(err))
|
||||
} finally {
|
||||
b.disabled = false
|
||||
}
|
||||
|
||||
localStorageRemove('webaccountaddress')
|
||||
localStorageRemove('webaccountcsrftoken')
|
||||
// Reload so all state is cleared from memory.
|
||||
window.location.reload()
|
||||
}),
|
||||
),
|
||||
dom.h1(l.map((e, index) => index === 0 ? e : [' / ', e])),
|
||||
dom.br()
|
||||
]
|
||||
|
||||
const errmsg = (err: unknown) => ''+((err as any).message || '(no error message)')
|
||||
|
||||
@ -175,6 +284,14 @@ const index = async () => {
|
||||
})
|
||||
}
|
||||
|
||||
const exportForm = (filename: string) => {
|
||||
return dom.form(
|
||||
attr.target('_blank'), attr.method('POST'), attr.action('export/'+filename),
|
||||
dom.input(attr.type('hidden'), attr.name('csrf'), attr.value(localStorageGet('webaccountcsrftoken') || '')),
|
||||
dom.submitbutton('Export'),
|
||||
)
|
||||
}
|
||||
|
||||
dom._kids(page,
|
||||
crumbs('Mox Account'),
|
||||
dom.p('NOTE: Not all account settings can be configured through these pages yet. See the configuration file for more options.'),
|
||||
@ -291,11 +408,23 @@ const index = async () => {
|
||||
dom.br(),
|
||||
dom.h2('Export'),
|
||||
dom.p('Export all messages in all mailboxes. In maildir or mbox format, as .zip or .tgz file.'),
|
||||
dom.ul(
|
||||
dom.li(dom.a('mail-export-maildir.tgz', attr.href('mail-export-maildir.tgz'))),
|
||||
dom.li(dom.a('mail-export-maildir.zip', attr.href('mail-export-maildir.zip'))),
|
||||
dom.li(dom.a('mail-export-mbox.tgz', attr.href('mail-export-mbox.tgz'))),
|
||||
dom.li(dom.a('mail-export-mbox.zip', attr.href('mail-export-mbox.zip'))),
|
||||
dom.table(dom._class('slim'),
|
||||
dom.tr(
|
||||
dom.td('Maildirs in .tgz'),
|
||||
dom.td(exportForm('mail-export-maildir.tgz')),
|
||||
),
|
||||
dom.tr(
|
||||
dom.td('Maildirs in .zip'),
|
||||
dom.td(exportForm('mail-export-maildir.zip')),
|
||||
),
|
||||
dom.tr(
|
||||
dom.td('Mbox files in .tgz'),
|
||||
dom.td(exportForm('mail-export-mbox.tgz')),
|
||||
),
|
||||
dom.tr(
|
||||
dom.td('Mbox files in .zip'),
|
||||
dom.td(exportForm('mail-export-mbox.zip')),
|
||||
),
|
||||
),
|
||||
dom.br(),
|
||||
dom.h2('Import'),
|
||||
@ -318,6 +447,7 @@ const index = async () => {
|
||||
|
||||
const xhr = new window.XMLHttpRequest()
|
||||
xhr.open('POST', 'import', true)
|
||||
xhr.setRequestHeader('x-mox-csrf', localStorageGet('webaccountcsrftoken') || '')
|
||||
xhr.upload.addEventListener('progress', (e) => {
|
||||
if (!e.lengthComputable) {
|
||||
return
|
||||
|
@ -6,29 +6,37 @@ import (
|
||||
"bytes"
|
||||
"compress/gzip"
|
||||
"context"
|
||||
"encoding/base64"
|
||||
"encoding/json"
|
||||
"fmt"
|
||||
"io"
|
||||
"mime/multipart"
|
||||
"net/http"
|
||||
"net/http/httptest"
|
||||
"net/url"
|
||||
"os"
|
||||
"path"
|
||||
"path/filepath"
|
||||
"runtime/debug"
|
||||
"sort"
|
||||
"strings"
|
||||
"testing"
|
||||
|
||||
"github.com/mjl-/bstore"
|
||||
"github.com/mjl-/sherpa"
|
||||
|
||||
"github.com/mjl-/mox/mlog"
|
||||
"github.com/mjl-/mox/mox-"
|
||||
"github.com/mjl-/mox/store"
|
||||
"github.com/mjl-/mox/webauth"
|
||||
)
|
||||
|
||||
var ctxbg = context.Background()
|
||||
|
||||
func init() {
|
||||
mox.LimitersInit()
|
||||
webauth.BadAuthDelay = 0
|
||||
}
|
||||
|
||||
func tcheck(t *testing.T, err error, msg string) {
|
||||
t.Helper()
|
||||
if err != nil {
|
||||
@ -36,6 +44,35 @@ func tcheck(t *testing.T, err error, msg string) {
|
||||
}
|
||||
}
|
||||
|
||||
func readBody(r io.Reader) string {
|
||||
buf, err := io.ReadAll(r)
|
||||
if err != nil {
|
||||
return fmt.Sprintf("read error: %s", err)
|
||||
}
|
||||
return fmt.Sprintf("data: %q", buf)
|
||||
}
|
||||
|
||||
func tneedErrorCode(t *testing.T, code string, fn func()) {
|
||||
t.Helper()
|
||||
defer func() {
|
||||
t.Helper()
|
||||
x := recover()
|
||||
if x == nil {
|
||||
debug.PrintStack()
|
||||
t.Fatalf("expected sherpa user error, saw success")
|
||||
}
|
||||
if err, ok := x.(*sherpa.Error); !ok {
|
||||
debug.PrintStack()
|
||||
t.Fatalf("expected sherpa error, saw %#v", x)
|
||||
} else if err.Code != code {
|
||||
debug.PrintStack()
|
||||
t.Fatalf("expected sherpa error code %q, saw other sherpa error %#v", code, err)
|
||||
}
|
||||
}()
|
||||
|
||||
fn()
|
||||
}
|
||||
|
||||
func TestAccount(t *testing.T) {
|
||||
os.RemoveAll("../testdata/httpaccount/data")
|
||||
mox.ConfigStaticPath = filepath.FromSlash("../testdata/httpaccount/mox.conf")
|
||||
@ -44,40 +81,146 @@ func TestAccount(t *testing.T) {
|
||||
log := mlog.New("webaccount", nil)
|
||||
acc, err := store.OpenAccount(log, "mjl")
|
||||
tcheck(t, err, "open account")
|
||||
err = acc.SetPassword(log, "test1234")
|
||||
tcheck(t, err, "set password")
|
||||
defer func() {
|
||||
err = acc.Close()
|
||||
tcheck(t, err, "closing account")
|
||||
}()
|
||||
defer store.Switchboard()()
|
||||
|
||||
test := func(userpass string, expect string) {
|
||||
t.Helper()
|
||||
api := Account{cookiePath: "/account/"}
|
||||
apiHandler, err := makeSherpaHandler(api.cookiePath, false)
|
||||
tcheck(t, err, "sherpa handler")
|
||||
|
||||
w := httptest.NewRecorder()
|
||||
r := httptest.NewRequest("GET", "/ignored", nil)
|
||||
authhdr := "Basic " + base64.StdEncoding.EncodeToString([]byte(userpass))
|
||||
r.Header.Add("Authorization", authhdr)
|
||||
_, accName := CheckAuth(ctxbg, log, "webaccount", w, r)
|
||||
if accName != expect {
|
||||
t.Fatalf("got %q, expected %q", accName, expect)
|
||||
// Record HTTP response to get session cookie for login.
|
||||
respRec := httptest.NewRecorder()
|
||||
reqInfo := requestInfo{"", "", "", respRec, &http.Request{RemoteAddr: "127.0.0.1:1234"}}
|
||||
ctx := context.WithValue(ctxbg, requestInfoCtxKey, reqInfo)
|
||||
|
||||
// Missing login token.
|
||||
tneedErrorCode(t, "user:error", func() { api.Login(ctx, "", "mjl@mox.example", "test1234") })
|
||||
|
||||
// Login with loginToken.
|
||||
loginCookie := &http.Cookie{Name: "webaccountlogin"}
|
||||
loginCookie.Value = api.LoginPrep(ctx)
|
||||
reqInfo.Request.Header = http.Header{"Cookie": []string{loginCookie.String()}}
|
||||
|
||||
csrfToken := api.Login(ctx, loginCookie.Value, "mjl@mox.example", "test1234")
|
||||
var sessionCookie *http.Cookie
|
||||
for _, c := range respRec.Result().Cookies() {
|
||||
if c.Name == "webaccountsession" {
|
||||
sessionCookie = c
|
||||
break
|
||||
}
|
||||
}
|
||||
if sessionCookie == nil {
|
||||
t.Fatalf("missing session cookie")
|
||||
}
|
||||
|
||||
const authOK = "mjl@mox.example:test1234"
|
||||
const authBad = "mjl@mox.example:badpassword"
|
||||
// Valid loginToken, but bad credentials.
|
||||
loginCookie.Value = api.LoginPrep(ctx)
|
||||
reqInfo.Request.Header = http.Header{"Cookie": []string{loginCookie.String()}}
|
||||
tneedErrorCode(t, "user:loginFailed", func() { api.Login(ctx, loginCookie.Value, "mjl@mox.example", "badauth") })
|
||||
tneedErrorCode(t, "user:loginFailed", func() { api.Login(ctx, loginCookie.Value, "baduser@mox.example", "badauth") })
|
||||
tneedErrorCode(t, "user:loginFailed", func() { api.Login(ctx, loginCookie.Value, "baduser@baddomain.example", "badauth") })
|
||||
|
||||
authCtx := context.WithValue(ctxbg, authCtxKey, "mjl")
|
||||
type httpHeaders [][2]string
|
||||
ctJSON := [2]string{"Content-Type", "application/json; charset=utf-8"}
|
||||
|
||||
test(authOK, "") // No password set yet.
|
||||
Account{}.SetPassword(authCtx, "test1234")
|
||||
test(authOK, "mjl")
|
||||
test(authBad, "")
|
||||
cookieOK := &http.Cookie{Name: "webaccountsession", Value: sessionCookie.Value}
|
||||
cookieBad := &http.Cookie{Name: "webaccountsession", Value: "AAAAAAAAAAAAAAAAAAAAAA mjl"}
|
||||
hdrSessionOK := [2]string{"Cookie", cookieOK.String()}
|
||||
hdrSessionBad := [2]string{"Cookie", cookieBad.String()}
|
||||
hdrCSRFOK := [2]string{"x-mox-csrf", string(csrfToken)}
|
||||
hdrCSRFBad := [2]string{"x-mox-csrf", "AAAAAAAAAAAAAAAAAAAAAA"}
|
||||
|
||||
fullName, _, dests := Account{}.Account(authCtx)
|
||||
Account{}.DestinationSave(authCtx, "mjl@mox.example", dests["mjl@mox.example"], dests["mjl@mox.example"]) // todo: save modified value and compare it afterwards
|
||||
testHTTP := func(method, path string, headers httpHeaders, expStatusCode int, expHeaders httpHeaders, check func(resp *http.Response)) {
|
||||
t.Helper()
|
||||
|
||||
Account{}.AccountSaveFullName(authCtx, fullName+" changed") // todo: check if value was changed
|
||||
Account{}.AccountSaveFullName(authCtx, fullName)
|
||||
req := httptest.NewRequest(method, path, nil)
|
||||
for _, kv := range headers {
|
||||
req.Header.Add(kv[0], kv[1])
|
||||
}
|
||||
rr := httptest.NewRecorder()
|
||||
rr.Body = &bytes.Buffer{}
|
||||
handle(apiHandler, false, rr, req)
|
||||
if rr.Code != expStatusCode {
|
||||
t.Fatalf("got status %d, expected %d (%s)", rr.Code, expStatusCode, readBody(rr.Body))
|
||||
}
|
||||
|
||||
resp := rr.Result()
|
||||
for _, h := range expHeaders {
|
||||
if resp.Header.Get(h[0]) != h[1] {
|
||||
t.Fatalf("for header %q got value %q, expected %q", h[0], resp.Header.Get(h[0]), h[1])
|
||||
}
|
||||
}
|
||||
|
||||
if check != nil {
|
||||
check(resp)
|
||||
}
|
||||
}
|
||||
testHTTPAuthAPI := func(method, path string, expStatusCode int, expHeaders httpHeaders, check func(resp *http.Response)) {
|
||||
t.Helper()
|
||||
testHTTP(method, path, httpHeaders{hdrCSRFOK, hdrSessionOK}, expStatusCode, expHeaders, check)
|
||||
}
|
||||
|
||||
userAuthError := func(resp *http.Response, expCode string) {
|
||||
t.Helper()
|
||||
|
||||
var response struct {
|
||||
Error *sherpa.Error `json:"error"`
|
||||
}
|
||||
err := json.NewDecoder(resp.Body).Decode(&response)
|
||||
tcheck(t, err, "parsing response as json")
|
||||
if response.Error == nil {
|
||||
t.Fatalf("expected sherpa error with code %s, no error", expCode)
|
||||
}
|
||||
if response.Error.Code != expCode {
|
||||
t.Fatalf("got sherpa error code %q, expected %s", response.Error.Code, expCode)
|
||||
}
|
||||
}
|
||||
badAuth := func(resp *http.Response) {
|
||||
t.Helper()
|
||||
userAuthError(resp, "user:badAuth")
|
||||
}
|
||||
noAuth := func(resp *http.Response) {
|
||||
t.Helper()
|
||||
userAuthError(resp, "user:noAuth")
|
||||
}
|
||||
|
||||
testHTTP("POST", "/api/Bogus", httpHeaders{}, http.StatusOK, nil, noAuth)
|
||||
testHTTP("POST", "/api/Bogus", httpHeaders{hdrCSRFBad}, http.StatusOK, nil, noAuth)
|
||||
testHTTP("POST", "/api/Bogus", httpHeaders{hdrSessionBad}, http.StatusOK, nil, noAuth)
|
||||
testHTTP("POST", "/api/Bogus", httpHeaders{hdrCSRFBad, hdrSessionBad}, http.StatusOK, nil, badAuth)
|
||||
testHTTP("POST", "/api/Bogus", httpHeaders{hdrCSRFOK}, http.StatusOK, nil, noAuth)
|
||||
testHTTP("POST", "/api/Bogus", httpHeaders{hdrSessionOK}, http.StatusOK, nil, noAuth)
|
||||
testHTTP("POST", "/api/Bogus", httpHeaders{hdrCSRFBad, hdrSessionOK}, http.StatusOK, nil, badAuth)
|
||||
testHTTP("POST", "/api/Bogus", httpHeaders{hdrCSRFOK, hdrSessionBad}, http.StatusOK, nil, badAuth)
|
||||
testHTTPAuthAPI("GET", "/api/Types", http.StatusMethodNotAllowed, nil, nil)
|
||||
testHTTPAuthAPI("POST", "/api/Types", http.StatusOK, httpHeaders{ctJSON}, nil)
|
||||
|
||||
testHTTP("POST", "/import", httpHeaders{}, http.StatusForbidden, nil, nil)
|
||||
testHTTP("POST", "/import", httpHeaders{hdrSessionBad}, http.StatusForbidden, nil, nil)
|
||||
testHTTP("GET", "/export/mail-export-maildir.tgz", httpHeaders{}, http.StatusForbidden, nil, nil)
|
||||
testHTTP("GET", "/export/mail-export-maildir.tgz", httpHeaders{hdrSessionBad}, http.StatusForbidden, nil, nil)
|
||||
testHTTP("GET", "/export/mail-export-maildir.tgz", httpHeaders{hdrSessionOK}, http.StatusForbidden, nil, nil)
|
||||
testHTTP("GET", "/export/mail-export-maildir.zip", httpHeaders{}, http.StatusForbidden, nil, nil)
|
||||
testHTTP("GET", "/export/mail-export-mbox.tgz", httpHeaders{}, http.StatusForbidden, nil, nil)
|
||||
testHTTP("GET", "/export/mail-export-mbox.zip", httpHeaders{}, http.StatusForbidden, nil, nil)
|
||||
|
||||
// SetPassword needs the token.
|
||||
sessionToken := store.SessionToken(strings.SplitN(sessionCookie.Value, " ", 2)[0])
|
||||
reqInfo = requestInfo{"mjl@mox.example", "mjl", sessionToken, respRec, &http.Request{RemoteAddr: "127.0.0.1:1234"}}
|
||||
ctx = context.WithValue(ctxbg, requestInfoCtxKey, reqInfo)
|
||||
|
||||
api.SetPassword(ctx, "test1234")
|
||||
|
||||
fullName, _, dests := api.Account(ctx)
|
||||
api.DestinationSave(ctx, "mjl@mox.example", dests["mjl@mox.example"], dests["mjl@mox.example"]) // todo: save modified value and compare it afterwards
|
||||
|
||||
api.AccountSaveFullName(ctx, fullName+" changed") // todo: check if value was changed
|
||||
api.AccountSaveFullName(ctx, fullName)
|
||||
|
||||
go ImportManage()
|
||||
|
||||
@ -98,9 +241,10 @@ func TestAccount(t *testing.T) {
|
||||
|
||||
r := httptest.NewRequest("POST", "/import", &reqBody)
|
||||
r.Header.Add("Content-Type", mpw.FormDataContentType())
|
||||
r.Header.Add("Authorization", "Basic "+base64.StdEncoding.EncodeToString([]byte(authOK)))
|
||||
r.Header.Add("x-mox-csrf", string(csrfToken))
|
||||
r.Header.Add("Cookie", cookieOK.String())
|
||||
w := httptest.NewRecorder()
|
||||
Handle(w, r)
|
||||
handle(apiHandler, false, w, r)
|
||||
if w.Code != http.StatusOK {
|
||||
t.Fatalf("import, got status code %d, expected 200: %s", w.Code, w.Body.Bytes())
|
||||
}
|
||||
@ -181,10 +325,12 @@ func TestAccount(t *testing.T) {
|
||||
testExport := func(httppath string, iszip bool, expectFiles int) {
|
||||
t.Helper()
|
||||
|
||||
r := httptest.NewRequest("GET", httppath, nil)
|
||||
r.Header.Add("Authorization", "Basic "+base64.StdEncoding.EncodeToString([]byte(authOK)))
|
||||
fields := url.Values{"csrf": []string{string(csrfToken)}}
|
||||
r := httptest.NewRequest("POST", httppath, strings.NewReader(fields.Encode()))
|
||||
r.Header.Set("Content-Type", "application/x-www-form-urlencoded")
|
||||
r.Header.Add("Cookie", cookieOK.String())
|
||||
w := httptest.NewRecorder()
|
||||
Handle(w, r)
|
||||
handle(apiHandler, false, w, r)
|
||||
if w.Code != http.StatusOK {
|
||||
t.Fatalf("export, got status code %d, expected 200: %s", w.Code, w.Body.Bytes())
|
||||
}
|
||||
@ -220,8 +366,11 @@ func TestAccount(t *testing.T) {
|
||||
}
|
||||
}
|
||||
|
||||
testExport("/mail-export-maildir.tgz", false, 6) // 2 mailboxes, each with 2 messages and a dovecot-keyword file
|
||||
testExport("/mail-export-maildir.zip", true, 6)
|
||||
testExport("/mail-export-mbox.tgz", false, 2)
|
||||
testExport("/mail-export-mbox.zip", true, 2)
|
||||
testExport("/export/mail-export-maildir.tgz", false, 6) // 2 mailboxes, each with 2 messages and a dovecot-keyword file
|
||||
testExport("/export/mail-export-maildir.zip", true, 6)
|
||||
testExport("/export/mail-export-mbox.tgz", false, 2)
|
||||
testExport("/export/mail-export-mbox.zip", true, 2)
|
||||
|
||||
api.Logout(ctx)
|
||||
tneedErrorCode(t, "server:error", func() { api.Logout(ctx) })
|
||||
}
|
||||
|
@ -2,6 +2,57 @@
|
||||
"Name": "Account",
|
||||
"Docs": "Account exports web API functions for the account web interface. All its\nmethods are exported under api/. Function calls require valid HTTP\nAuthentication credentials of a user.",
|
||||
"Functions": [
|
||||
{
|
||||
"Name": "LoginPrep",
|
||||
"Docs": "LoginPrep returns a login token, and also sets it as cookie. Both must be\npresent in the call to Login.",
|
||||
"Params": [],
|
||||
"Returns": [
|
||||
{
|
||||
"Name": "r0",
|
||||
"Typewords": [
|
||||
"string"
|
||||
]
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
"Name": "Login",
|
||||
"Docs": "Login returns a session token for the credentials, or fails with error code\n\"user:badLogin\". Call LoginPrep to get a loginToken.",
|
||||
"Params": [
|
||||
{
|
||||
"Name": "loginToken",
|
||||
"Typewords": [
|
||||
"string"
|
||||
]
|
||||
},
|
||||
{
|
||||
"Name": "username",
|
||||
"Typewords": [
|
||||
"string"
|
||||
]
|
||||
},
|
||||
{
|
||||
"Name": "password",
|
||||
"Typewords": [
|
||||
"string"
|
||||
]
|
||||
}
|
||||
],
|
||||
"Returns": [
|
||||
{
|
||||
"Name": "r0",
|
||||
"Typewords": [
|
||||
"CSRFToken"
|
||||
]
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
"Name": "Logout",
|
||||
"Docs": "Logout invalidates the session token.",
|
||||
"Params": [],
|
||||
"Returns": []
|
||||
},
|
||||
{
|
||||
"Name": "SetPassword",
|
||||
"Docs": "SetPassword saves a new password for the account, invalidating the previous password.\nSessions are not interrupted, and will keep working. New login attempts must use the new password.\nPassword must be at least 8 characters.",
|
||||
@ -241,7 +292,13 @@
|
||||
}
|
||||
],
|
||||
"Ints": [],
|
||||
"Strings": [],
|
||||
"Strings": [
|
||||
{
|
||||
"Name": "CSRFToken",
|
||||
"Docs": "",
|
||||
"Values": null
|
||||
}
|
||||
],
|
||||
"SherpaVersion": 0,
|
||||
"SherpadocVersion": 1
|
||||
}
|
||||
|
@ -34,14 +34,17 @@ export interface ImportProgress {
|
||||
Token: string // For fetching progress, or cancelling an import.
|
||||
}
|
||||
|
||||
export type CSRFToken = string
|
||||
|
||||
export const structTypes: {[typename: string]: boolean} = {"Destination":true,"Domain":true,"ImportProgress":true,"Ruleset":true}
|
||||
export const stringsTypes: {[typename: string]: boolean} = {}
|
||||
export const stringsTypes: {[typename: string]: boolean} = {"CSRFToken":true}
|
||||
export const intsTypes: {[typename: string]: boolean} = {}
|
||||
export const types: TypenameMap = {
|
||||
"Domain": {"Name":"Domain","Docs":"","Fields":[{"Name":"ASCII","Docs":"","Typewords":["string"]},{"Name":"Unicode","Docs":"","Typewords":["string"]}]},
|
||||
"Destination": {"Name":"Destination","Docs":"","Fields":[{"Name":"Mailbox","Docs":"","Typewords":["string"]},{"Name":"Rulesets","Docs":"","Typewords":["[]","Ruleset"]},{"Name":"FullName","Docs":"","Typewords":["string"]}]},
|
||||
"Ruleset": {"Name":"Ruleset","Docs":"","Fields":[{"Name":"SMTPMailFromRegexp","Docs":"","Typewords":["string"]},{"Name":"VerifiedDomain","Docs":"","Typewords":["string"]},{"Name":"HeadersRegexp","Docs":"","Typewords":["{}","string"]},{"Name":"IsForward","Docs":"","Typewords":["bool"]},{"Name":"ListAllowDomain","Docs":"","Typewords":["string"]},{"Name":"AcceptRejectsToMailbox","Docs":"","Typewords":["string"]},{"Name":"Mailbox","Docs":"","Typewords":["string"]},{"Name":"VerifiedDNSDomain","Docs":"","Typewords":["Domain"]},{"Name":"ListAllowDNSDomain","Docs":"","Typewords":["Domain"]}]},
|
||||
"ImportProgress": {"Name":"ImportProgress","Docs":"","Fields":[{"Name":"Token","Docs":"","Typewords":["string"]}]},
|
||||
"CSRFToken": {"Name":"CSRFToken","Docs":"","Values":null},
|
||||
}
|
||||
|
||||
export const parser = {
|
||||
@ -49,6 +52,7 @@ export const parser = {
|
||||
Destination: (v: any) => parse("Destination", v) as Destination,
|
||||
Ruleset: (v: any) => parse("Ruleset", v) as Ruleset,
|
||||
ImportProgress: (v: any) => parse("ImportProgress", v) as ImportProgress,
|
||||
CSRFToken: (v: any) => parse("CSRFToken", v) as CSRFToken,
|
||||
}
|
||||
|
||||
// Account exports web API functions for the account web interface. All its
|
||||
@ -57,14 +61,57 @@ export const parser = {
|
||||
let defaultOptions: ClientOptions = {slicesNullable: true, mapsNullable: true, nullableOptional: true}
|
||||
|
||||
export class Client {
|
||||
constructor(private baseURL=defaultBaseURL, public options?: ClientOptions) {
|
||||
if (!options) {
|
||||
this.options = defaultOptions
|
||||
}
|
||||
private baseURL: string
|
||||
public authState: AuthState
|
||||
public options: ClientOptions
|
||||
|
||||
constructor() {
|
||||
this.authState = {}
|
||||
this.options = {...defaultOptions}
|
||||
this.baseURL = this.options.baseURL || defaultBaseURL
|
||||
}
|
||||
|
||||
withAuthToken(token: string): Client {
|
||||
const c = new Client()
|
||||
c.authState.token = token
|
||||
c.options = this.options
|
||||
return c
|
||||
}
|
||||
|
||||
withOptions(options: ClientOptions): Client {
|
||||
return new Client(this.baseURL, { ...this.options, ...options })
|
||||
const c = new Client()
|
||||
c.authState = this.authState
|
||||
c.options = { ...this.options, ...options }
|
||||
return c
|
||||
}
|
||||
|
||||
// LoginPrep returns a login token, and also sets it as cookie. Both must be
|
||||
// present in the call to Login.
|
||||
async LoginPrep(): Promise<string> {
|
||||
const fn: string = "LoginPrep"
|
||||
const paramTypes: string[][] = []
|
||||
const returnTypes: string[][] = [["string"]]
|
||||
const params: any[] = []
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params) as string
|
||||
}
|
||||
|
||||
// Login returns a session token for the credentials, or fails with error code
|
||||
// "user:badLogin". Call LoginPrep to get a loginToken.
|
||||
async Login(loginToken: string, username: string, password: string): Promise<CSRFToken> {
|
||||
const fn: string = "Login"
|
||||
const paramTypes: string[][] = [["string"],["string"],["string"]]
|
||||
const returnTypes: string[][] = [["CSRFToken"]]
|
||||
const params: any[] = [loginToken, username, password]
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params) as CSRFToken
|
||||
}
|
||||
|
||||
// Logout invalidates the session token.
|
||||
async Logout(): Promise<void> {
|
||||
const fn: string = "Logout"
|
||||
const paramTypes: string[][] = []
|
||||
const returnTypes: string[][] = []
|
||||
const params: any[] = []
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params) as void
|
||||
}
|
||||
|
||||
// SetPassword saves a new password for the account, invalidating the previous password.
|
||||
@ -75,7 +122,7 @@ export class Client {
|
||||
const paramTypes: string[][] = [["string"]]
|
||||
const returnTypes: string[][] = []
|
||||
const params: any[] = [password]
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params) as void
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params) as void
|
||||
}
|
||||
|
||||
// Account returns information about the account: full name, the default domain,
|
||||
@ -87,7 +134,7 @@ export class Client {
|
||||
const paramTypes: string[][] = []
|
||||
const returnTypes: string[][] = [["string"],["Domain"],["{}","Destination"]]
|
||||
const params: any[] = []
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params) as [string, Domain, { [key: string]: Destination }]
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params) as [string, Domain, { [key: string]: Destination }]
|
||||
}
|
||||
|
||||
async AccountSaveFullName(fullName: string): Promise<void> {
|
||||
@ -95,7 +142,7 @@ export class Client {
|
||||
const paramTypes: string[][] = [["string"]]
|
||||
const returnTypes: string[][] = []
|
||||
const params: any[] = [fullName]
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params) as void
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params) as void
|
||||
}
|
||||
|
||||
// DestinationSave updates a destination.
|
||||
@ -106,7 +153,7 @@ export class Client {
|
||||
const paramTypes: string[][] = [["string"],["Destination"],["Destination"]]
|
||||
const returnTypes: string[][] = []
|
||||
const params: any[] = [destName, oldDest, newDest]
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params) as void
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params) as void
|
||||
}
|
||||
|
||||
// ImportAbort aborts an import that is in progress. If the import exists and isn't
|
||||
@ -116,7 +163,7 @@ export class Client {
|
||||
const paramTypes: string[][] = [["string"]]
|
||||
const returnTypes: string[][] = []
|
||||
const params: any[] = [importToken]
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params) as void
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params) as void
|
||||
}
|
||||
|
||||
// Types exposes types not used in API method signatures, such as the import form upload.
|
||||
@ -125,7 +172,7 @@ export class Client {
|
||||
const paramTypes: string[][] = []
|
||||
const returnTypes: string[][] = [["ImportProgress"]]
|
||||
const params: any[] = []
|
||||
return await _sherpaCall(this.baseURL, { ...this.options }, paramTypes, returnTypes, fn, params) as ImportProgress
|
||||
return await _sherpaCall(this.baseURL, this.authState, { ...this.options }, paramTypes, returnTypes, fn, params) as ImportProgress
|
||||
}
|
||||
}
|
||||
|
||||
@ -237,7 +284,7 @@ class verifier {
|
||||
|
||||
const ensure = (ok: boolean, expect: string): any => {
|
||||
if (!ok) {
|
||||
error('got ' + JSON.stringify(v) + ', expected ' + expect)
|
||||
error('got ' + JSON.stringify(v) + ', expected ' + expect)
|
||||
}
|
||||
return v
|
||||
}
|
||||
@ -378,6 +425,7 @@ class verifier {
|
||||
|
||||
|
||||
export interface ClientOptions {
|
||||
baseURL?: string
|
||||
aborter?: {abort?: () => void}
|
||||
timeoutMsec?: number
|
||||
skipParamCheck?: boolean
|
||||
@ -385,9 +433,16 @@ export interface ClientOptions {
|
||||
slicesNullable?: boolean
|
||||
mapsNullable?: boolean
|
||||
nullableOptional?: boolean
|
||||
csrfHeader?: string
|
||||
login?: (reason: string) => Promise<string>
|
||||
}
|
||||
|
||||
const _sherpaCall = async (baseURL: string, options: ClientOptions, paramTypes: string[][], returnTypes: string[][], name: string, params: any[]): Promise<any> => {
|
||||
export interface AuthState {
|
||||
token?: string // For csrf request header.
|
||||
loginPromise?: Promise<void> // To let multiple API calls wait for a single login attempt, not each opening a login popup.
|
||||
}
|
||||
|
||||
const _sherpaCall = async (baseURL: string, authState: AuthState, options: ClientOptions, paramTypes: string[][], returnTypes: string[][], name: string, params: any[]): Promise<any> => {
|
||||
if (!options.skipParamCheck) {
|
||||
if (params.length !== paramTypes.length) {
|
||||
return Promise.reject({ message: 'wrong number of parameters in sherpa call, saw ' + params.length + ' != expected ' + paramTypes.length })
|
||||
@ -428,14 +483,36 @@ const _sherpaCall = async (baseURL: string, options: ClientOptions, paramTypes:
|
||||
await simulate(json)
|
||||
}
|
||||
|
||||
// Immediately create promise, so options.aborter is changed before returning.
|
||||
const promise = new Promise((resolve, reject) => {
|
||||
let resolve1 = (v: { code: string, message: string }) => {
|
||||
const fn = (resolve: (v: any) => void, reject: (v: any) => void) => {
|
||||
let resolve1 = (v: any) => {
|
||||
resolve(v)
|
||||
resolve1 = () => { }
|
||||
reject1 = () => { }
|
||||
}
|
||||
let reject1 = (v: { code: string, message: string }) => {
|
||||
if ((v.code === 'user:noAuth' || v.code === 'user:badAuth') && options.login) {
|
||||
const login = options.login
|
||||
if (!authState.loginPromise) {
|
||||
authState.loginPromise = new Promise((aresolve, areject) => {
|
||||
login(v.code === 'user:badAuth' ? (v.message || '') : '')
|
||||
.then((token) => {
|
||||
authState.token = token
|
||||
authState.loginPromise = undefined
|
||||
aresolve()
|
||||
}, (err: any) => {
|
||||
authState.loginPromise = undefined
|
||||
areject(err)
|
||||
})
|
||||
})
|
||||
}
|
||||
authState.loginPromise
|
||||
.then(() => {
|
||||
fn(resolve, reject)
|
||||
}, (err: any) => {
|
||||
reject(err)
|
||||
})
|
||||
return
|
||||
}
|
||||
reject(v)
|
||||
resolve1 = () => { }
|
||||
reject1 = () => { }
|
||||
@ -450,6 +527,9 @@ const _sherpaCall = async (baseURL: string, options: ClientOptions, paramTypes:
|
||||
}
|
||||
}
|
||||
req.open('POST', url, true)
|
||||
if (options.csrfHeader && authState.token) {
|
||||
req.setRequestHeader(options.csrfHeader, authState.token)
|
||||
}
|
||||
if (options.timeoutMsec) {
|
||||
req.timeout = options.timeoutMsec
|
||||
}
|
||||
@ -518,8 +598,8 @@ const _sherpaCall = async (baseURL: string, options: ClientOptions, paramTypes:
|
||||
} catch (err) {
|
||||
reject1({ code: 'sherpa:badData', message: 'cannot marshal to JSON' })
|
||||
}
|
||||
})
|
||||
return await promise
|
||||
}
|
||||
return await new Promise(fn)
|
||||
}
|
||||
|
||||
}
|
||||
|
Reference in New Issue
Block a user