This repository has been archived on 2022-08-14. You can view files and clone it, but cannot push or open issues or pull requests.
outline/server/models/User.js

194 lines
5.4 KiB
JavaScript
Raw Normal View History

// @flow
2016-04-29 05:25:37 +00:00
import crypto from 'crypto';
2017-10-20 06:30:31 +00:00
import uuid from 'uuid';
import JWT from 'jsonwebtoken';
import subMinutes from 'date-fns/sub_minutes';
2017-04-27 04:47:03 +00:00
import { DataTypes, sequelize, encryptedFields } from '../sequelize';
import { publicS3Endpoint, uploadToS3FromUrl } from '../utils/s3';
2017-12-19 04:47:48 +00:00
import { sendEmail } from '../mailer';
import { Star, Team, Collection, NotificationSetting, ApiKey } from '.';
2016-04-29 05:25:37 +00:00
2017-04-27 04:47:03 +00:00
const User = sequelize.define(
'user',
{
id: {
type: DataTypes.UUID,
defaultValue: DataTypes.UUIDV4,
primaryKey: true,
2016-04-29 05:25:37 +00:00
},
email: { type: DataTypes.STRING },
username: { type: DataTypes.STRING },
2017-04-27 04:47:03 +00:00
name: DataTypes.STRING,
2017-10-19 07:49:22 +00:00
avatarUrl: { type: DataTypes.STRING, allowNull: true },
2017-04-27 04:47:03 +00:00
isAdmin: DataTypes.BOOLEAN,
2018-06-04 19:08:29 +00:00
service: { type: DataTypes.STRING, allowNull: true },
2018-05-29 03:31:53 +00:00
serviceId: { type: DataTypes.STRING, allowNull: true, unique: true },
2017-04-27 04:47:03 +00:00
slackData: DataTypes.JSONB,
jwtSecret: encryptedFields.vault('jwtSecret'),
lastActiveAt: DataTypes.DATE,
lastActiveIp: { type: DataTypes.STRING, allowNull: true },
lastSignedInAt: DataTypes.DATE,
lastSignedInIp: { type: DataTypes.STRING, allowNull: true },
2018-03-04 23:38:51 +00:00
suspendedAt: DataTypes.DATE,
suspendedById: DataTypes.UUID,
2017-04-27 04:47:03 +00:00
},
{
2018-07-07 22:38:22 +00:00
paranoid: true,
2018-03-04 23:38:51 +00:00
getterMethods: {
isSuspended() {
return !!this.suspendedAt;
},
},
2017-04-27 04:47:03 +00:00
}
);
2016-04-29 05:25:37 +00:00
// Class methods
User.associate = models => {
User.hasMany(models.ApiKey, { as: 'apiKeys', onDelete: 'cascade' });
User.hasMany(models.NotificationSetting, {
as: 'notificationSettings',
onDelete: 'cascade',
});
User.hasMany(models.Document, { as: 'documents' });
User.hasMany(models.View, { as: 'views' });
};
// Instance methods
User.prototype.collectionIds = async function() {
let models = await Collection.findAll({
attributes: ['id', 'private'],
where: { teamId: this.teamId },
include: [
{
model: User,
through: 'collection_users',
as: 'users',
where: { id: this.id },
required: false,
},
],
});
// Filter collections that are private and don't have an association
return models.filter(c => !c.private || c.users.length).map(c => c.id);
};
User.prototype.updateActiveAt = function(ip) {
const fiveMinutesAgo = subMinutes(new Date(), 5);
// ensure this is updated only every few minutes otherwise
// we'll be constantly writing to the DB as API requests happen
if (this.lastActiveAt < fiveMinutesAgo) {
this.lastActiveAt = new Date();
this.lastActiveIp = ip;
return this.save({ hooks: false });
}
};
User.prototype.updateSignedIn = function(ip) {
this.lastSignedInAt = new Date();
this.lastSignedInIp = ip;
return this.save({ hooks: false });
};
User.prototype.getJwtToken = function() {
return JWT.sign({ id: this.id }, this.jwtSecret);
};
const uploadAvatar = async model => {
const endpoint = publicS3Endpoint();
if (model.avatarUrl && !model.avatarUrl.startsWith(endpoint)) {
const newUrl = await uploadToS3FromUrl(
model.avatarUrl,
`avatars/${model.id}/${uuid.v4()}`
);
if (newUrl) model.avatarUrl = newUrl;
}
2017-10-19 07:49:22 +00:00
};
2017-04-27 04:47:03 +00:00
const setRandomJwtSecret = model => {
2016-04-29 05:25:37 +00:00
model.jwtSecret = crypto.randomBytes(64).toString('hex');
};
2018-06-04 19:08:29 +00:00
const removeIdentifyingInfo = async (model, options) => {
await NotificationSetting.destroy({
where: { userId: model.id },
transaction: options.transaction,
});
await ApiKey.destroy({
where: { userId: model.id },
transaction: options.transaction,
});
await Star.destroy({
where: { userId: model.id },
transaction: options.transaction,
});
2018-07-07 22:38:22 +00:00
model.email = '';
model.name = 'Unknown';
model.avatarUrl = '';
model.serviceId = null;
model.username = null;
2018-07-07 22:38:22 +00:00
model.slackData = null;
model.lastActiveIp = null;
model.lastSignedInIp = null;
// this shouldn't be needed once this issue is resolved:
// https://github.com/sequelize/sequelize/issues/9318
await model.save({ hooks: false, transaction: options.transaction });
2018-07-07 22:38:22 +00:00
};
const checkLastAdmin = async model => {
const teamId = model.teamId;
if (model.isAdmin) {
const userCount = await User.count({ where: { teamId } });
const adminCount = await User.count({ where: { isAdmin: true, teamId } });
if (userCount > 1 && adminCount <= 1) {
throw new Error(
'Cannot delete account as only admin. Please transfer admin permissions to another user and try again.'
);
}
}
};
User.beforeDestroy(checkLastAdmin);
User.beforeDestroy(removeIdentifyingInfo);
User.beforeSave(uploadAvatar);
2016-04-29 05:25:37 +00:00
User.beforeCreate(setRandomJwtSecret);
User.afterCreate(async user => {
const team = await Team.findByPk(user.teamId);
// From Slack support:
// If you wish to contact users at an email address obtained through Slack,
// you need them to opt-in through a clear and separate process.
2019-06-28 05:35:49 +00:00
if (!team.slackId) {
sendEmail('welcome', user.email, { teamUrl: team.url });
}
});
2016-04-29 05:25:37 +00:00
// By default when a user signs up we subscribe them to email notifications
// when documents they created are edited by other team members and onboarding
User.afterCreate(async (user, options) => {
await NotificationSetting.findOrCreate({
where: {
userId: user.id,
teamId: user.teamId,
event: 'documents.update',
},
transaction: options.transaction,
});
await NotificationSetting.findOrCreate({
where: {
userId: user.id,
teamId: user.teamId,
event: 'emails.onboarding',
},
transaction: options.transaction,
});
});
2016-04-29 05:25:37 +00:00
export default User;