fix user tests and misc changes

This commit is contained in:
Matteo Pagliazzi
2015-12-02 11:22:53 +01:00
parent fde47bdc90
commit 427c805ea5
5 changed files with 68 additions and 29 deletions

View File

@@ -23,5 +23,6 @@
"checklistItemNotFound": "No checklist item was wound with given id.", "checklistItemNotFound": "No checklist item was wound with given id.",
"itemIdRequired": "\"itemId\" must be a valid UUID", "itemIdRequired": "\"itemId\" must be a valid UUID",
"positionRequired": "\"position\" is required and must be a number.", "positionRequired": "\"position\" is required and must be a number.",
"cantMoveCompletedTodo": "Can't move a completed todo." "cantMoveCompletedTodo": "Can't move a completed todo.",
"directionUpDown": "\"direction\" is required and must be 'up' or 'down'"
} }

View File

@@ -194,10 +194,10 @@ describe('POST /user/auth/local/register', () => {
password, password,
confirmPassword: password, confirmPassword: password,
}).then((user) => { }).then((user) => {
expect(user.todos).to.not.be.empty; expect(user.tasksOrder.todos).to.not.be.empty;
expect(user.dailys).to.be.empty; expect(user.tasksOrder.dailys).to.be.empty;
expect(user.habits).to.be.empty; expect(user.tasksOrder.habits).to.be.empty;
expect(user.rewards).to.be.empty; expect(user.tasksOrder.rewards).to.be.empty;
}); });
}); });
@@ -245,10 +245,10 @@ describe('POST /user/auth/local/register', () => {
password, password,
confirmPassword: password, confirmPassword: password,
}).then((user) => { }).then((user) => {
expect(user.todos).to.not.be.empty; expect(user.tasksOrder.todos).to.not.be.empty;
expect(user.dailys).to.be.empty; expect(user.tasksOrder.dailys).to.be.empty;
expect(user.habits).to.not.be.empty; expect(user.tasksOrder.habits).to.not.be.empty;
expect(user.rewards).to.not.be.empty; expect(user.tasksOrder.rewards).to.not.be.empty;
}); });
}); });

View File

@@ -169,9 +169,45 @@ api.updateTask = {
}, },
}; };
// completed todos cannot be moved, they'll be returned ordered by date of completion
/** /**
* @api {put} /tasks/move/:taskId/to/:position Move a task to a new position * @api {put} /tasks/score/:taskId/:direction Score a task
* @apiVersion 3.0.0
* @apiName ScoreTask
* @apiGroup Task
*
* @apiParam {UUID} taskId The task _id
* @apiParam {string="up","down"} direction The direction for scoring the task
*
* @apiSuccess {object} empty An empty object
*/
api.scoreTask = {
method: 'POST',
url: 'tasks/score/:taskId/:direction',
middlewares: [authWithHeaders()],
handler (req, res, next) {
req.checkParams('taskId', res.t('taskIdRequired')).notEmpty().isUUID();
req.checkParams('direction', res.t('directionUpDown')).notEmpty().isIn(['up', 'down']);
let user = res.locals.user;
Tasks.Task.findOne({
_id: req.params.taskId,
userId: user._id,
}).exec()
.then((task) => {
if (!task) throw new NotFound(res.t('taskNotFound'));
let delta = user.ops.score({params:{id:task.id, direction:direction}, language: req.language});
})
.then(() => res.respond(200, {})) // TODO what to return
.catch(next);
},
};
// completed todos cannot be moved, they'll be returned ordered by date of completion
// TODO check that it works when a tag is selected or todos are split between dated and due
/**
* @api {post} /tasks/move/:taskId/to/:position Move a task to a new position
* @apiVersion 3.0.0 * @apiVersion 3.0.0
* @apiName MoveTask * @apiName MoveTask
* @apiGroup Task * @apiGroup Task
@@ -179,7 +215,7 @@ api.updateTask = {
* @apiParam {UUID} taskId The task _id * @apiParam {UUID} taskId The task _id
* @apiParam {Number} position Where to move the task (-1 means push to bottom) * @apiParam {Number} position Where to move the task (-1 means push to bottom)
* *
* @apiSuccess {object} emoty An empty object * @apiSuccess {object} empty An empty object
*/ */
api.moveTask = { api.moveTask = {
method: 'POST', method: 'POST',

View File

@@ -19,7 +19,7 @@ export let TaskSchema = new Schema({
notes: {type: String, default: ''}, notes: {type: String, default: ''},
tags: {type: Schema.Types.Mixed, default: {}}, // TODO dictionary? { "4ddf03d9-54bd-41a3-b011-ca1f1d2e9371" : true }, validate tags: {type: Schema.Types.Mixed, default: {}}, // TODO dictionary? { "4ddf03d9-54bd-41a3-b011-ca1f1d2e9371" : true }, validate
value: {type: Number, default: 0}, // redness value: {type: Number, default: 0}, // redness
priority: {type: Number, default: 1}, priority: {type: Number, default: 1, required: true},
attribute: {type: String, default: 'str', enum: ['str', 'con', 'int', 'per']}, attribute: {type: String, default: 'str', enum: ['str', 'con', 'int', 'per']},
userId: {type: String, ref: 'User'}, // When null it belongs to a challenge userId: {type: String, ref: 'User'}, // When null it belongs to a challenge
@@ -71,7 +71,7 @@ export let HabitSchema = new Schema(_.defaults({
up: {type: Boolean, default: true}, up: {type: Boolean, default: true},
down: {type: Boolean, default: true}, down: {type: Boolean, default: true},
}, habitDailySchema()), subDiscriminatorOptions); }, habitDailySchema()), subDiscriminatorOptions);
export let Habit = Task.discriminator('habit', HabitSchema); export let habit = Task.discriminator('habit', HabitSchema);
export let DailySchema = new Schema(_.defaults({ export let DailySchema = new Schema(_.defaults({
frequency: {type: String, default: 'weekly', enum: ['daily', 'weekly']}, frequency: {type: String, default: 'weekly', enum: ['daily', 'weekly']},
@@ -93,7 +93,7 @@ export let DailySchema = new Schema(_.defaults({
}, },
streak: {type: Number, default: 0}, streak: {type: Number, default: 0},
}, habitDailySchema(), dailyTodoSchema()), subDiscriminatorOptions); }, habitDailySchema(), dailyTodoSchema()), subDiscriminatorOptions);
export let Daily = Task.discriminator('daily', DailySchema); export let daily = Task.discriminator('daily', DailySchema);
export let TodoSchema = new Schema(_.defaults({ export let TodoSchema = new Schema(_.defaults({
dateCompleted: Date, dateCompleted: Date,
@@ -101,7 +101,7 @@ export let TodoSchema = new Schema(_.defaults({
// TODO change field name // TODO change field name
date: String, // due date for todos date: String, // due date for todos
}, dailyTodoSchema()), subDiscriminatorOptions); }, dailyTodoSchema()), subDiscriminatorOptions);
export let Todo = Task.discriminator('todo', TodoSchema); export let todo = Task.discriminator('todo', TodoSchema);
export let RewardSchema = new Schema({}, subDiscriminatorOptions); export let RewardSchema = new Schema({}, subDiscriminatorOptions);
export let Reward = Task.discriminator('reward', RewardSchema); export let reward = Task.discriminator('reward', RewardSchema);

View File

@@ -477,8 +477,6 @@ schema.plugin(baseModel, {
noSet: ['_id', 'apikey', 'auth.blocked', 'auth.timestamps', 'lastCron', 'auth.local.hashed_password', 'auth.local.salt', 'tasksOrder'], noSet: ['_id', 'apikey', 'auth.blocked', 'auth.timestamps', 'lastCron', 'auth.local.hashed_password', 'auth.local.salt', 'tasksOrder'],
private: ['auth.local.hashed_password', 'auth.local.salt'], private: ['auth.local.hashed_password', 'auth.local.salt'],
toJSONTransform: function toJSON (doc) { toJSONTransform: function toJSON (doc) {
doc.id = doc._id; // TODO remove?
// FIXME? Is this a reference to `doc.filters` or just disabled code? Remove? // FIXME? Is this a reference to `doc.filters` or just disabled code? Remove?
doc.filters = {}; doc.filters = {};
doc._tmp = this._tmp; // be sure to send down drop notifs doc._tmp = this._tmp; // be sure to send down drop notifs
@@ -492,7 +490,7 @@ schema.post('init', function postInitUser (doc) {
}); });
function _populateDefaultTasks (user, taskTypes) { function _populateDefaultTasks (user, taskTypes) {
let tagsI = taskTypes.indexOf('tags'); let tagsI = taskTypes.indexOf('tag');
if (tagsI !== -1) { if (tagsI !== -1) {
user.tags = _.map(shared.content.userDefaults.tags, (tag) => { user.tags = _.map(shared.content.userDefaults.tags, (tag) => {
@@ -508,16 +506,20 @@ function _populateDefaultTasks (user, taskTypes) {
let tasksToCreate = []; let tasksToCreate = [];
taskTypes = tagsI !== -1 ? _.clone(taskTypes).slice(tagsI, 1) : taskTypes; if (tagsI !== -1) {
taskTypes = _.clone(taskTypes);
taskTypes.splice(tagsI, 1);
};
_.each(taskTypes, (taskType) => { _.each(taskTypes, (taskType) => {
let tasksOfType = _.map(shared.content.userDefaults[taskType], (taskDefaults) => { let tasksOfType = _.map(shared.content.userDefaults[`${taskType}s`], (taskDefaults) => {
let newTask = new Tasks[taskType](taskDefaults); let newTask = new (Tasks[taskType])(taskDefaults);
newTask.userId = user._id; newTask.userId = user._id;
newTask.text = newTask.text(user.preferences.language); newTask.text = taskDefaults.text(user.preferences.language);
if (newTask.notes) newTask.notes = newTask.notes(user.preferences.language); if (newTask.notes) newTask.notes = taskDefaults.notes(user.preferences.language);
if (newTask.checklist) { if (taskDefaults.checklist) {
newTask.checklist = _.map(newTask.checklist, (checklistItem) => { newTask.checklist = _.map(taskDefaults.checklist, (checklistItem) => {
checklistItem.text = checklistItem.text(user.preferences.language); checklistItem.text = checklistItem.text(user.preferences.language);
return checklistItem; return checklistItem;
}); });
@@ -542,13 +544,13 @@ function _populateDefaultsForNewUser (user) {
let iterableFlags = user.flags.toObject(); let iterableFlags = user.flags.toObject();
if (user.registeredThrough === 'habitica-web') { if (user.registeredThrough === 'habitica-web') {
taskTypes = ['habits', 'dailys', 'todos', 'rewards', 'tags']; taskTypes = ['habit', 'daily', 'todo', 'reward', 'tag'];
_.each(iterableFlags.tutorial.common, (val, section) => { _.each(iterableFlags.tutorial.common, (val, section) => {
user.flags.tutorial.common[section] = true; user.flags.tutorial.common[section] = true;
}); });
} else { } else {
taskTypes = ['todos', 'tags']; taskTypes = ['todo', 'tag'];
user.flags.showTour = false; user.flags.showTour = false;
_.each(iterableFlags.tour, (val, section) => { _.each(iterableFlags.tour, (val, section) => {