summaryrefslogtreecommitdiff
path: root/src/api/auth/password.rs
blob: ae5bd6dfa1ef7298a4c66e85f4e7c6f4b8537661 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
use std::sync::Arc;

use anyhow::Result;
use password_hash::SaltString;
use rocket::{request::FromRequest, serde::json::Json, Request, State};
use serde::{Deserialize, Serialize};
use validator::Validate;

use crate::{
    api::auth,
    auth::{AuthSource, Authenticated},
    crypto::{
        AccountResetReq, AccountResetToken, AuthPW, KeyBundle, KeyFetchReq, KeyFetchToken,
        PasswordChangeReq, PasswordChangeToken, SecretBytes,
    },
    db::{Db, DbConn},
    mailer::Mailer,
    types::{
        HawkKey, OauthToken, PasswordChangeID, SecretKey, UserID,
        VerifyHash,
    },
};

// MISSING get /password/forgot/status
// MISSING post /password/create
// MISSING post /password/forgot/resend_code

#[derive(Debug, Deserialize, Validate)]
#[serde(deny_unknown_fields)]
#[allow(non_snake_case)]
pub(crate) struct ChangeStartReq {
    #[validate(email, length(min = 3, max = 256))]
    email: String,
    oldAuthPW: AuthPW,
}

#[derive(Debug, Serialize)]
#[allow(non_snake_case)]
pub(crate) struct ChangeStartResp {
    keyFetchToken: KeyFetchToken,
    passwordChangeToken: PasswordChangeToken,
}

#[post("/password/change/start", data = "<data>")]
pub(crate) async fn change_start(
    db: &DbConn,
    data: Json<ChangeStartReq>,
) -> auth::Result<ChangeStartResp> {
    let data = data.into_inner();
    data.validate().map_err(|_| auth::Error::InvalidParameter)?;

    let (uid, user) = db.get_user(&data.email).await.map_err(|_| auth::Error::UnknownAccount)?;
    if user.email != data.email {
        return Err(auth::Error::IncorrectEmailCase);
    }
    if !user.verified {
        return Err(auth::Error::UnverifiedAccount);
    }

    let stretched = data.oldAuthPW.stretch(user.auth_salt.as_salt())?;
    if stretched.verify_hash() != user.verify_hash.0 {
        return Err(auth::Error::IncorrectPassword);
    }

    let change_token = PasswordChangeToken::generate();
    let change_req = PasswordChangeReq::derive_from_change_token(&change_token);
    let key_fetch_token = KeyFetchToken::generate();
    let key_req = KeyFetchReq::derive_from(&key_fetch_token);
    let wrapped = key_req.derive_resp().wrap_keys(&KeyBundle {
        ka: SecretBytes(user.ka.0),
        wrap_kb: stretched.decrypt_wwkb(&SecretBytes(user.wrapwrap_kb.0)),
    });
    db.add_key_fetch(key_req.token_id, &HawkKey(key_req.req_hmac_key.0), &wrapped)
        .await?;
    db.add_password_change(
        &uid,
        &change_req.token_id,
        &HawkKey(change_req.req_hmac_key.0),
        None,
    )
    .await?;

    Ok(Json(ChangeStartResp { keyFetchToken: key_fetch_token, passwordChangeToken: change_token }))
}

// NOTE we use a plain bool here and in the db instead of an enum because
// enums aren't usable in const generics in stable.
#[derive(Debug)]
pub(crate) struct WithChangeToken<const IS_FORGOT: bool>;

#[async_trait]
impl<const IS_FORGOT: bool> AuthSource for WithChangeToken<IS_FORGOT> {
    type ID = PasswordChangeID;
    type Context = (UserID, Option<String>);
    async fn hawk(
        r: &Request<'_>,
        id: &PasswordChangeID,
    ) -> Result<(SecretBytes<32>, Self::Context)> {
        // unlike key fetch we'll use a separate transaction here since the body of the
        // handler can fail.
        let pool = <&Db as FromRequest>::from_request(r)
            .await
            .success_or_else(|| anyhow!("could not open db connection"))?;
        let db = pool.begin().await?;
        let result = db
            .finish_password_change(id, IS_FORGOT)
            .await
            .map(|(h, ctx)| (SecretBytes(h.0), ctx))?;
        db.commit().await?;
        Ok(result)
    }
    async fn bearer_token(
        _: &Request<'_>,
        _: &OauthToken,
    ) -> Result<(PasswordChangeID, Self::Context)> {
        bail!("invalid password change authentication")
    }
}

#[derive(Debug, Deserialize)]
#[serde(deny_unknown_fields)]
#[allow(non_snake_case)]
pub(crate) struct ChangeFinishReq {
    authPW: AuthPW,
    wrapKb: SecretBytes<32>,
    // MISSING sessionToken
}

#[derive(Debug, Serialize)]
#[allow(non_snake_case)]
pub(crate) struct ChangeFinishResp {
    // NOTE we intentionally deviate from mozilla here. mozilla creates a new
    // session if sessionToken is set in the request, but we use the "legacy"
    // password change mechanism that leaves the requesting session and its
    // device and keys intact. as such this struct is intentionally empty.
    //
    // MISSING uid
    // MISSING sessionToken
    // MISSING verified
    // MISSING authAt
    // MISSING keyFetchToken
}

#[post("/password/change/finish", data = "<data>")]
pub(crate) async fn change_finish(
    db: &DbConn,
    mailer: &State<Arc<Mailer>>,
    data: Authenticated<ChangeFinishReq, WithChangeToken<false>>,
) -> auth::Result<ChangeFinishResp> {
    let user = db.get_user_by_id(&data.context.0).await?;

    let auth_salt = SaltString::generate(rand::rngs::OsRng);
    let stretched = data.body.authPW.stretch(auth_salt.as_salt())?;
    let verify_hash = stretched.verify_hash();
    let wrapwrap_kb = stretched.rewrap_wkb(&data.body.wrapKb);

    db.change_user_auth(
        &data.context.0,
        auth_salt,
        SecretKey(wrapwrap_kb.0),
        VerifyHash(verify_hash),
    )
    .await?;

    // NOTE password_changed/password_reset pushes seem to have no effect, so skip them.

    mailer
        .send_password_changed(&user.email)
        .await
        .map_err(|e| {
            warn!("password change email send failed: {e}");
        })
        .ok();

    Ok(Json(ChangeFinishResp {}))
}

#[derive(Debug, Deserialize, Validate)]
#[serde(deny_unknown_fields)]
#[allow(non_snake_case)]
pub(crate) struct ForgotStartReq {
    #[validate(email, length(min = 3, max = 256))]
    email: String,
}

#[derive(Debug, Serialize)]
#[allow(non_snake_case)]
pub(crate) struct ForgotStartResp {
    passwordForgotToken: PasswordChangeToken,
    ttl: u32,
    codeLength: u32,
    tries: u32,
}

#[post("/password/forgot/send_code", data = "<data>")]
pub(crate) async fn forgot_start(
    db: &DbConn,
    mailer: &State<Arc<Mailer>>,
    data: Json<ForgotStartReq>,
) -> auth::Result<ForgotStartResp> {
    let data = data.into_inner();
    data.validate().map_err(|_| auth::Error::InvalidParameter)?;

    let (uid, user) = db.get_user(&data.email).await.map_err(|_| auth::Error::UnknownAccount)?;
    if user.email != data.email {
        return Err(auth::Error::IncorrectEmailCase);
    }
    if !user.verified {
        return Err(auth::Error::UnverifiedAccount);
    }

    let forgot_code = hex::encode(SecretBytes::<16>::generate().0);
    let forgot_token = PasswordChangeToken::generate();
    let forgot_req = PasswordChangeReq::derive_from_forgot_token(&forgot_token);
    db.add_password_change(
        &uid,
        &forgot_req.token_id,
        &HawkKey(forgot_req.req_hmac_key.0),
        Some(&forgot_code),
    )
    .await?;

    mailer.send_password_forgot(&user.email, &forgot_code).await?;

    Ok(Json(ForgotStartResp {
        passwordForgotToken: forgot_token,
        ttl: 300,
        codeLength: 16,
        tries: 1,
    }))
}

#[derive(Debug, Deserialize)]
#[serde(deny_unknown_fields)]
#[allow(non_snake_case)]
pub(crate) struct ForgotFinishReq {
    code: String,
    // MISSING accountResetWithRecoveryKey
}

#[derive(Debug, Serialize)]
#[allow(non_snake_case)]
pub(crate) struct ForgotFinishResp {
    accountResetToken: AccountResetToken,
}

#[post("/password/forgot/verify_code", data = "<data>")]
pub(crate) async fn forgot_finish(
    db: &DbConn,
    data: Authenticated<ForgotFinishReq, WithChangeToken<true>>,
) -> auth::Result<ForgotFinishResp> {
    if Some(data.body.code) != data.context.1 {
        return Err(auth::Error::InvalidVerificationCode);
    }

    let reset_token = AccountResetToken::generate();
    let reset_req = AccountResetReq::derive_from(&reset_token);
    db.add_account_reset(
        &data.context.0,
        &reset_req.token_id,
        &HawkKey(reset_req.req_hmac_key.0),
    )
    .await?;

    Ok(Json(ForgotFinishResp { accountResetToken: reset_token }))
}