Files
NodeBB/test/flags.js

1217 lines
33 KiB
JavaScript
Raw Normal View History

'use strict';
2017-02-24 12:47:46 -05:00
const assert = require('assert');
const nconf = require('nconf');
const async = require('async');
const request = require('request-promise-native');
const util = require('util');
const sleep = util.promisify(setTimeout);
const db = require('./mocks/databasemock');
const helpers = require('./helpers');
const Flags = require('../src/flags');
const Categories = require('../src/categories');
const Topics = require('../src/topics');
const Posts = require('../src/posts');
const User = require('../src/user');
const Groups = require('../src/groups');
const Meta = require('../src/meta');
const Privileges = require('../src/privileges');
const plugins = require('../src/plugins');
Webpack5 (#10311) * feat: webpack 5 part 1 * fix: gruntfile fixes * fix: fix taskbar warning add app.importScript copy public/src/modules to build folder * refactor: remove commented old code * feat: reenable admin * fix: acp settings pages, fix sortable on manage categories embedded require in html not allowed * fix: bundle serialize/deserizeli so plugins dont break * test: fixe util tests * test: fix require path * test: more test fixes * test: require correct utils module * test: require correct utils * test: log stack * test: fix db require blowing up tests * test: move and disable bundle test * refactor: add aliases * test: disable testing route * fix: move webpack modules necessary for build, into `dependencies` * test: fix one more test remove 500-embed.tpl * fix: restore use of assets/nodebb.min.js, at least for now * fix: remove unnecessary line break * fix: point to proper ACP bundle * test: maybe fix build test * test: composer * refactor: dont need dist * refactor: more cleanup use everything from build/public folder * get rid of conditional import in app.js * fix: ace * refactor: cropper alias * test: lint and test fixes * lint: fix * refactor: rename function to app.require * refactor: go back to using app.require * chore: use github branch * chore: use webpack branch * feat: webpack webinstaller * feat: add chunkFile name with contenthash * refactor: move hooks to top * refactor: get rid of template500Function * fix(deps): use webpack5 branch of 2factor plugin * chore: tagging v2.0.0-beta.0 pre-release version :boom: :shipit: :tada: :rocket: * refactor: disable cache on templates loadTemplate is called once by benchpress and the result is cache internally * refactor: add server side helpers.js * feat: deprecate /plugins shorthand route, closes #10343 * refactor: use build/public for webpack * test: fix filename * fix: more specific selector * lint: ignore * refactor: fix comments * test: add debug for random failing test * refactor: cleanup remove test page, remove dupe functions in utils.common * lint: use relative path for now * chore: bump prerelease version * feat: add translateKeys * fix: optional params * fix: get rid of extra timeago files * refactor: cleanup, require timeago locale earlier remove translator.prepareDOM, it is in header.tpl html tag * refactor: privileges system to use a Map in the backend instead of separate objects for keys and labels (#10378) * refactor: privileges system to use a Map in the backend instead of separate objects for keys and labels - Existing hooks are preserved (to be deprecated at a later date, possibly) - New init hooks are called on NodeBB start, and provide a one-stop shop to add new privileges, instead of having to add to four different hooks * docs: fix typo in comment * test: spec changes * refactor: privileges system to use a Map in the backend instead of separate objects for keys and labels (#10378) * refactor: privileges system to use a Map in the backend instead of separate objects for keys and labels - Existing hooks are preserved (to be deprecated at a later date, possibly) - New init hooks are called on NodeBB start, and provide a one-stop shop to add new privileges, instead of having to add to four different hooks * docs: fix typo in comment * test: spec changes * feat: allow app.require('bootbox'/'benchpressjs') * refactor: require server side utils * test: jquery ready * change istaller to use build/public * test: use document.addEventListener * refactor: closes #10301 * refactor: generateTopicClass * fix: column counts for other privileges * fix: #10443, regression where sorted-list items did not render into the DOM in the predicted order [breaking] * fix: typo in hook name * refactor: introduce a generic autocomplete.init() method that can be called to add nodebb-style autocompletion but using different data sources (e.g. not user/groups/tags) * fix: crash if `delay` not passed in (as it cannot be destructured) * refactor: replace substr * feat: set --panel-offset style in html element based on stored value in localStorage * refactor: addDropupHandler() logic to be less naive - Take into account height of the menu - Don't apply dropUp logic if there's nothing in the dropdown - Remove 'hidden' class (added by default in Persona for post tools) when menu items are added closes #10423 * refactor: simplify utils.params [breaking] Retrospective analysis of the usage of this method suggests that the options passed in are superfluous, and that only `url` is required. Using a browser built-in makes more sense to accomplish what this method sets out to do. * feat: add support for returning full URLSearchParams for utils.params * fix: utils.params() fallback handling * fix: default empty obj for params() * fix: remove \'loggedin\' and \'register\' qs parameters once they have been used, delay invocation of messages until ajaxify.end * fix: utils.params() not allowing relative paths to be passed in * refactor(DRY): new assertPasswordValidity utils method * fix: incorrect error message returned on insufficient privilege on flag edit * fix: read/update/delete access to flags API should be limited for moderators to only post flags in categories they moderate - added failing tests and patched up middleware.assert.flags to fix * refactor: flag api v3 tests to create new post and flags on every round * fix: missing error:no-flag language key * refactor: flags.canView to check flag existence, simplify middleware.assert.flag * feat: flag deletion API endpoint, #10426 * feat: UI for flag deletion, closes #10426 * chore: update plugin versions * chore: up emoji * chore: update markdown * chore: up emoji-android * fix: regression caused by utils.params() refactor, supports arrays and pipes all values through utils.toType, adjusts tests to type check Co-authored-by: Julian Lam <julian@nodebb.org>
2022-04-29 21:39:33 -04:00
const utils = require('../src/utils');
const api = require('../src/api');
2021-02-04 00:01:39 -07:00
describe('Flags', () => {
let uid1;
let adminUid;
let uid3;
let moderatorUid;
let jar;
let csrfToken;
let category;
before(async () => {
const dummyEmailerHook = async (data) => {};
// Attach an emailer hook so related requests do not error
plugins.hooks.register('flags-test', {
hook: 'filter:email.send',
method: dummyEmailerHook,
});
// Create some stuff to flag
uid1 = await User.create({ username: 'testUser', password: 'abcdef', email: 'b@c.com' });
adminUid = await User.create({ username: 'testUser2', password: 'abcdef', email: 'c@d.com' });
await Groups.join('administrators', adminUid);
category = await Categories.create({
name: 'test category',
});
await Topics.post({
cid: category.cid,
uid: uid1,
title: 'Topic to flag',
content: 'This is flaggable content',
});
uid3 = await User.create({
username: 'unprivileged', password: 'abcdef', email: 'd@e.com',
});
moderatorUid = await User.create({
username: 'moderator', password: 'abcdef',
});
await Privileges.categories.give(['moderate'], category.cid, [moderatorUid]);
const login = await helpers.loginUser('moderator', 'abcdef');
jar = login.jar;
csrfToken = login.csrf_token;
});
after(() => {
plugins.hooks.unregister('flags-test', 'filter:email.send');
});
2021-02-04 00:01:39 -07:00
describe('.create()', () => {
it('should create a flag and return its data', (done) => {
Flags.create('post', 1, 1, 'Test flag', (err, flagData) => {
assert.ifError(err);
2021-02-04 00:06:15 -07:00
const compare = {
flagId: 1,
targetId: 1,
type: 'post',
feat: consolidation of flags to reduce flagspam, #8510 Squashed commit of the following: commit c6d09396208a10c244d7b3d22ffd2d7dd1274d3a Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 24 13:41:32 2020 -0400 fix: more tests commit 32f9af2a87a81fa62ecca01e71d6f0d5b9d37ba1 Merge: e50907535 4eae927d1 Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 24 10:53:04 2020 -0400 Merge remote-tracking branch 'origin/master' into singleton-flags commit e50907535109dbdbe8f15c3e2fcdf22d90b1332a Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 24 10:52:46 2020 -0400 fix: controllers-admin test commit fd5af99e303de48a80b0ccc166eee19175cf232b Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 17:26:55 2020 -0400 fix(tests): dummy commit to trigger travisCI commit c452a6ffcfaef91403de084c4ae16795cb23c60e Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 17:05:09 2020 -0400 fix(openapi): openapi spec changes commit 8089a74e89128141ab1e6f8ff83447114b3b846b Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 15:48:00 2020 -0400 fix: reversing the order of reports for display purposes commit a099892b377333561c72f1ad5b6b20ddb4ce8a96 Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 15:45:44 2020 -0400 refactor: run all flag creation calls in a single batch commit b24999682f9d5a33a08a049749c1f0eb4f00facc Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 15:08:23 2020 -0400 feat: handling multiple reporters per flag, #8510 commit 08c75c020021ada754bf0e39eae77d631b01dee5 Author: Julian Lam <julian@nodebb.org> Date: Thu Jul 16 20:53:18 2020 -0400 feat: upgrade script for #8510
2020-07-24 14:10:37 -04:00
state: 'open',
target_readable: 'Post 1',
};
2017-11-02 08:58:51 -04:00
assert(flagData);
2021-02-04 01:34:30 -07:00
for (const key of Object.keys(compare)) {
assert.ok(flagData[key], `undefined key ${key}`);
assert.equal(flagData[key], compare[key]);
}
done();
});
});
2021-02-04 00:01:39 -07:00
it('should add the flag to the byCid zset for category 1 if it is of type post', (done) => {
db.isSortedSetMember(`flags:byCid:${1}`, 1, (err, isMember) => {
assert.ifError(err);
assert.ok(isMember);
done();
});
});
2017-01-12 11:31:59 -05:00
2021-02-04 00:01:39 -07:00
it('should add the flag to the byPid zset for pid 1 if it is of type post', (done) => {
db.isSortedSetMember(`flags:byPid:${1}`, 1, (err, isMember) => {
2017-01-12 11:31:59 -05:00
assert.ifError(err);
assert.ok(isMember);
done();
});
});
});
describe('.addReport()', () => {
let flagId;
let postData;
before(async () => {
// Create a topic and flag it
({ postData } = await Topics.post({
cid: category.cid,
uid: uid1,
title: utils.generateUUID(),
content: utils.generateUUID(),
}));
({ flagId } = await Flags.create('post', postData.pid, adminUid, utils.generateUUID()));
});
it('should add a report to an existing flag', async () => {
await Flags.addReport(flagId, 'post', postData.pid, uid3, utils.generateUUID(), Date.now());
const reports = await db.getSortedSetMembers(`flag:${flagId}:reports`);
assert.strictEqual(reports.length, 2);
});
it('should add an additional report even if same user calls it again', async () => {
// This isn't exposed to the end user, but is possible via direct method call
await Flags.addReport(flagId, 'post', postData.pid, uid3, utils.generateUUID(), Date.now());
const reports = await db.getSortedSetMembers(`flag:${flagId}:reports`);
assert.strictEqual(reports.length, 3);
});
});
describe('.rescindReport()', () => {
let flagId;
let postData;
before(async () => {
// Create a topic and flag it
({ postData } = await Topics.post({
cid: category.cid,
uid: uid1,
title: utils.generateUUID(),
content: utils.generateUUID(),
}));
({ flagId } = await Flags.create('post', postData.pid, adminUid, utils.generateUUID()));
});
it('should remove a report from an existing flag', async () => {
await Flags.create('post', postData.pid, uid3, utils.generateUUID());
await Flags.rescindReport('post', postData.pid, uid3);
const reports = await Flags.getReports(flagId);
assert.strictEqual(reports.length, 1);
assert(reports.every(({ reporter }) => reporter.uid !== uid3));
});
it('should automatically mark the flag resolved if there are no reports remaining after removal', async () => {
await Flags.rescindReport('post', postData.pid, adminUid);
const reports = await Flags.getReports(flagId);
const { state } = await Flags.get(flagId);
assert.strictEqual(reports.length, 0);
assert.strictEqual(state, 'resolved');
});
});
2021-02-04 00:01:39 -07:00
describe('.exists()', () => {
it('should return Boolean True if a flag matching the flag hash already exists', (done) => {
Flags.exists('post', 1, 1, (err, exists) => {
assert.ifError(err);
assert.strictEqual(true, exists);
done();
});
});
2021-02-04 00:01:39 -07:00
it('should return Boolean False if a flag matching the flag hash does not already exists', (done) => {
Flags.exists('post', 1, 2, (err, exists) => {
assert.ifError(err);
assert.strictEqual(false, exists);
done();
});
});
});
2021-02-04 00:01:39 -07:00
describe('.targetExists()', () => {
it('should return Boolean True if the targeted element exists', (done) => {
Flags.targetExists('post', 1, (err, exists) => {
assert.ifError(err);
assert.strictEqual(true, exists);
done();
});
});
2021-02-04 00:01:39 -07:00
it('should return Boolean False if the targeted element does not exist', (done) => {
Flags.targetExists('post', 15, (err, exists) => {
assert.ifError(err);
assert.strictEqual(false, exists);
done();
});
});
});
2021-02-04 00:01:39 -07:00
describe('.get()', () => {
it('should retrieve and display a flag\'s data', (done) => {
Flags.get(1, (err, flagData) => {
assert.ifError(err);
2021-02-04 00:06:15 -07:00
const compare = {
flagId: 1,
targetId: 1,
type: 'post',
2017-02-24 12:47:46 -05:00
state: 'open',
feat: consolidation of flags to reduce flagspam, #8510 Squashed commit of the following: commit c6d09396208a10c244d7b3d22ffd2d7dd1274d3a Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 24 13:41:32 2020 -0400 fix: more tests commit 32f9af2a87a81fa62ecca01e71d6f0d5b9d37ba1 Merge: e50907535 4eae927d1 Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 24 10:53:04 2020 -0400 Merge remote-tracking branch 'origin/master' into singleton-flags commit e50907535109dbdbe8f15c3e2fcdf22d90b1332a Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 24 10:52:46 2020 -0400 fix: controllers-admin test commit fd5af99e303de48a80b0ccc166eee19175cf232b Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 17:26:55 2020 -0400 fix(tests): dummy commit to trigger travisCI commit c452a6ffcfaef91403de084c4ae16795cb23c60e Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 17:05:09 2020 -0400 fix(openapi): openapi spec changes commit 8089a74e89128141ab1e6f8ff83447114b3b846b Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 15:48:00 2020 -0400 fix: reversing the order of reports for display purposes commit a099892b377333561c72f1ad5b6b20ddb4ce8a96 Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 15:45:44 2020 -0400 refactor: run all flag creation calls in a single batch commit b24999682f9d5a33a08a049749c1f0eb4f00facc Author: Julian Lam <julian@nodebb.org> Date: Fri Jul 17 15:08:23 2020 -0400 feat: handling multiple reporters per flag, #8510 commit 08c75c020021ada754bf0e39eae77d631b01dee5 Author: Julian Lam <julian@nodebb.org> Date: Thu Jul 16 20:53:18 2020 -0400 feat: upgrade script for #8510
2020-07-24 14:10:37 -04:00
target_readable: 'Post 1',
};
2017-11-02 08:58:51 -04:00
assert(flagData);
2021-02-04 01:34:30 -07:00
for (const key of Object.keys(compare)) {
assert.ok(flagData[key], `undefined key ${key}`);
assert.equal(flagData[key], compare[key]);
}
done();
});
});
it('should show user history for admins', async () => {
await Groups.join('administrators', moderatorUid);
const flagData = await request({
uri: `${nconf.get('url')}/api/flags/1`,
jar,
headers: {
'x-csrf-token': csrfToken,
},
json: true,
});
assert(flagData.history);
assert(Array.isArray(flagData.history));
await Groups.leave('administrators', moderatorUid);
});
it('should show user history for global moderators', async () => {
await Groups.join('Global Moderators', moderatorUid);
const flagData = await request({
uri: `${nconf.get('url')}/api/flags/1`,
jar,
headers: {
'x-csrf-token': csrfToken,
},
json: true,
});
assert(flagData.history);
assert(Array.isArray(flagData.history));
await Groups.leave('Global Moderators', moderatorUid);
});
});
2021-02-04 00:01:39 -07:00
describe('.list()', () => {
it('should show a list of flags (with one item)', (done) => {
Flags.list({
filters: {},
uid: 1,
2021-02-04 00:01:39 -07:00
}, (err, payload) => {
assert.ifError(err);
2018-03-09 14:31:59 -05:00
assert.ok(payload.hasOwnProperty('flags'));
assert.ok(payload.hasOwnProperty('page'));
assert.ok(payload.hasOwnProperty('pageCount'));
assert.ok(Array.isArray(payload.flags));
assert.equal(payload.flags.length, 1);
2017-02-24 12:47:46 -05:00
2021-02-04 00:01:39 -07:00
Flags.get(payload.flags[0].flagId, (err, flagData) => {
assert.ifError(err);
2018-03-09 14:31:59 -05:00
assert.equal(payload.flags[0].flagId, flagData.flagId);
assert.equal(payload.flags[0].description, flagData.description);
done();
});
});
});
2016-12-14 15:00:41 -05:00
2021-02-04 00:01:39 -07:00
describe('(with filters)', () => {
it('should return a filtered list of flags if said filters are passed in', (done) => {
Flags.list({
filters: {
state: 'open',
},
uid: 1,
2021-02-04 00:01:39 -07:00
}, (err, payload) => {
assert.ifError(err);
2018-03-09 14:31:59 -05:00
assert.ok(payload.hasOwnProperty('flags'));
assert.ok(payload.hasOwnProperty('page'));
assert.ok(payload.hasOwnProperty('pageCount'));
assert.ok(Array.isArray(payload.flags));
assert.strictEqual(1, parseInt(payload.flags[0].flagId, 10));
done();
});
});
2021-02-04 00:01:39 -07:00
it('should return no flags if a filter with no matching flags is used', (done) => {
Flags.list({
filters: {
state: 'rejected',
},
uid: 1,
2021-02-04 00:01:39 -07:00
}, (err, payload) => {
assert.ifError(err);
2018-03-09 14:31:59 -05:00
assert.ok(payload.hasOwnProperty('flags'));
assert.ok(payload.hasOwnProperty('page'));
assert.ok(payload.hasOwnProperty('pageCount'));
assert.ok(Array.isArray(payload.flags));
assert.strictEqual(0, payload.flags.length);
done();
});
});
2021-02-04 00:01:39 -07:00
it('should return a flag when filtered by cid 1', (done) => {
Flags.list({
filters: {
cid: 1,
},
uid: 1,
2021-02-04 00:01:39 -07:00
}, (err, payload) => {
assert.ifError(err);
2018-03-09 14:31:59 -05:00
assert.ok(payload.hasOwnProperty('flags'));
assert.ok(payload.hasOwnProperty('page'));
assert.ok(payload.hasOwnProperty('pageCount'));
assert.ok(Array.isArray(payload.flags));
assert.strictEqual(1, payload.flags.length);
done();
});
});
2021-02-04 00:01:39 -07:00
it('shouldn\'t return a flag when filtered by cid 2', (done) => {
Flags.list({
filters: {
cid: 2,
},
uid: 1,
2021-02-04 00:01:39 -07:00
}, (err, payload) => {
assert.ifError(err);
2018-03-09 14:31:59 -05:00
assert.ok(payload.hasOwnProperty('flags'));
assert.ok(payload.hasOwnProperty('page'));
assert.ok(payload.hasOwnProperty('pageCount'));
assert.ok(Array.isArray(payload.flags));
assert.strictEqual(0, payload.flags.length);
done();
});
2016-12-14 15:00:41 -05:00
});
2021-02-04 00:01:39 -07:00
it('should return a flag when filtered by both cid 1 and 2', (done) => {
Flags.list({
filters: {
cid: [1, 2],
},
uid: 1,
2021-02-04 00:01:39 -07:00
}, (err, payload) => {
assert.ifError(err);
2018-03-09 14:31:59 -05:00
assert.ok(payload.hasOwnProperty('flags'));
assert.ok(payload.hasOwnProperty('page'));
assert.ok(payload.hasOwnProperty('pageCount'));
assert.ok(Array.isArray(payload.flags));
assert.strictEqual(1, payload.flags.length);
done();
});
});
2021-02-04 00:01:39 -07:00
it('should return one flag if filtered by both cid 1 and 2 and open state', (done) => {
Flags.list({
filters: {
cid: [1, 2],
state: 'open',
},
uid: 1,
2021-02-04 00:01:39 -07:00
}, (err, payload) => {
assert.ifError(err);
2018-03-09 14:31:59 -05:00
assert.ok(payload.hasOwnProperty('flags'));
assert.ok(payload.hasOwnProperty('page'));
assert.ok(payload.hasOwnProperty('pageCount'));
assert.ok(Array.isArray(payload.flags));
assert.strictEqual(1, payload.flags.length);
done();
});
});
2021-02-04 00:01:39 -07:00
it('should return no flag if filtered by both cid 1 and 2 and non-open state', (done) => {
Flags.list({
filters: {
cid: [1, 2],
state: 'resolved',
},
uid: 1,
2021-02-04 00:01:39 -07:00
}, (err, payload) => {
assert.ifError(err);
2018-03-09 14:31:59 -05:00
assert.ok(payload.hasOwnProperty('flags'));
assert.ok(payload.hasOwnProperty('page'));
assert.ok(payload.hasOwnProperty('pageCount'));
assert.ok(Array.isArray(payload.flags));
assert.strictEqual(0, payload.flags.length);
done();
});
});
2016-12-14 15:00:41 -05:00
});
2020-08-19 09:04:24 -04:00
describe('(with sort)', () => {
before(async () => {
// Create a second flag to test sorting
const post = await Topics.reply({
tid: 1,
uid: uid1,
content: 'this is a reply -- flag me',
});
await Flags.create('post', post.pid, adminUid, 'another flag');
await Flags.create('post', 1, uid3, 'additional flag report');
});
it('should return sorted flags latest first if no sort is passed in', async () => {
const payload = await Flags.list({
uid: adminUid,
});
assert(payload.flags.every((cur, idx) => {
if (idx === payload.flags.length - 1) {
return true;
}
const next = payload.flags[idx + 1];
return parseInt(cur.datetime, 10) > parseInt(next.datetime, 10);
}));
});
it('should return sorted flags oldest first if "oldest" sort is passed in', async () => {
const payload = await Flags.list({
uid: adminUid,
sort: 'oldest',
});
assert(payload.flags.every((cur, idx) => {
if (idx === payload.flags.length - 1) {
return true;
}
const next = payload.flags[idx + 1];
return parseInt(cur.datetime, 10) < parseInt(next.datetime, 10);
}));
});
it('should return flags with more reports first if "reports" sort is passed in', async () => {
const payload = await Flags.list({
uid: adminUid,
sort: 'reports',
});
assert(payload.flags.every((cur, idx) => {
if (idx === payload.flags.length - 1) {
return true;
}
const next = payload.flags[idx + 1];
return parseInt(cur.heat, 10) >= parseInt(next.heat, 10);
}));
});
});
});
2021-02-04 00:01:39 -07:00
describe('.update()', () => {
it('should alter a flag\'s various attributes and persist them to the database', (done) => {
Flags.update(1, adminUid, {
2017-02-24 12:47:46 -05:00
state: 'wip',
assignee: adminUid,
2021-02-04 00:01:39 -07:00
}, (err) => {
assert.ifError(err);
2021-02-04 00:01:39 -07:00
db.getObjectFields('flag:1', ['state', 'assignee'], (err, data) => {
if (err) {
throw err;
}
assert.strictEqual('wip', data.state);
assert.ok(!isNaN(parseInt(data.assignee, 10)));
assert.strictEqual(adminUid, parseInt(data.assignee, 10));
done();
});
});
});
2021-02-04 00:01:39 -07:00
it('should persist to the flag\'s history', (done) => {
Flags.getHistory(1, (err, history) => {
if (err) {
throw err;
}
2021-02-04 00:01:39 -07:00
history.forEach((change) => {
switch (change.attribute) {
2020-06-03 11:46:44 -04:00
case 'state':
assert.strictEqual('[[flags:state-wip]]', change.value);
break;
2017-02-24 12:47:46 -05:00
2020-06-03 11:46:44 -04:00
case 'assignee':
assert.strictEqual(1, change.value);
break;
}
});
done();
});
});
it('should allow assignment if user is an admin and do nothing otherwise', async () => {
await Flags.update(1, adminUid, {
assignee: adminUid,
});
let assignee = await db.getObjectField('flag:1', 'assignee');
assert.strictEqual(adminUid, parseInt(assignee, 10));
await Flags.update(1, adminUid, {
assignee: uid3,
});
assignee = await db.getObjectField('flag:1', 'assignee');
assert.strictEqual(adminUid, parseInt(assignee, 10));
});
it('should allow assignment if user is a global mod and do nothing otherwise', async () => {
await Groups.join('Global Moderators', uid3);
await Flags.update(1, uid3, {
assignee: uid3,
});
let assignee = await db.getObjectField('flag:1', 'assignee');
assert.strictEqual(uid3, parseInt(assignee, 10));
await Flags.update(1, uid3, {
assignee: uid1,
});
assignee = await db.getObjectField('flag:1', 'assignee');
assert.strictEqual(uid3, parseInt(assignee, 10));
await Groups.leave('Global Moderators', uid3);
});
it('should allow assignment if user is a mod of the category, do nothing otherwise', async () => {
2021-02-03 23:59:08 -07:00
await Groups.join(`cid:${category.cid}:privileges:moderate`, uid3);
await Flags.update(1, uid3, {
assignee: uid3,
});
let assignee = await db.getObjectField('flag:1', 'assignee');
assert.strictEqual(uid3, parseInt(assignee, 10));
await Flags.update(1, uid3, {
assignee: uid1,
});
assignee = await db.getObjectField('flag:1', 'assignee');
assert.strictEqual(uid3, parseInt(assignee, 10));
2021-02-03 23:59:08 -07:00
await Groups.leave(`cid:${category.cid}:privileges:moderate`, uid3);
});
it('should do nothing when you attempt to set a bogus state', async () => {
await Flags.update(1, adminUid, {
state: 'hocus pocus',
});
const state = await db.getObjectField('flag:1', 'state');
assert.strictEqual('wip', state);
});
describe('resolve/reject', () => {
let result;
let flagObj;
beforeEach(async () => {
result = await Topics.post({
cid: category.cid,
uid: uid3,
title: 'Topic to flag',
content: 'This is flaggable content',
});
flagObj = await api.flags.create({ uid: uid1 }, { type: 'post', id: result.postData.pid, reason: 'spam' });
await sleep(2000);
});
it('should rescind notification if flag is resolved', async () => {
let userNotifs = await User.notifications.getAll(adminUid);
assert(userNotifs.includes(`flag:post:${result.postData.pid}:${uid1}`));
await Flags.update(flagObj.flagId, adminUid, {
state: 'resolved',
});
userNotifs = await User.notifications.getAll(adminUid);
assert(!userNotifs.includes(`flag:post:${result.postData.pid}:${uid1}`));
});
it('should rescind notification if flag is rejected', async () => {
let userNotifs = await User.notifications.getAll(adminUid);
assert(userNotifs.includes(`flag:post:${result.postData.pid}:${uid1}`));
await Flags.update(flagObj.flagId, adminUid, {
state: 'rejected',
});
userNotifs = await User.notifications.getAll(adminUid);
assert(!userNotifs.includes(`flag:post:${result.postData.pid}:${uid1}`));
});
it('should do nothing if flag is resolved but ACP action is not "rescind"', async () => {
Meta.config['flags:actionOnResolve'] = '';
let userNotifs = await User.notifications.getAll(adminUid);
assert(userNotifs.includes(`flag:post:${result.postData.pid}:${uid1}`));
await Flags.update(flagObj.flagId, adminUid, {
state: 'resolved',
});
userNotifs = await User.notifications.getAll(adminUid);
assert(userNotifs.includes(`flag:post:${result.postData.pid}:${uid1}`));
delete Meta.config['flags:actionOnResolve'];
});
it('should do nothing if flag is rejected but ACP action is not "rescind"', async () => {
Meta.config['flags:actionOnReject'] = '';
let userNotifs = await User.notifications.getAll(adminUid);
assert(userNotifs.includes(`flag:post:${result.postData.pid}:${uid1}`));
await Flags.update(flagObj.flagId, adminUid, {
state: 'rejected',
});
userNotifs = await User.notifications.getAll(adminUid);
assert(userNotifs.includes(`flag:post:${result.postData.pid}:${uid1}`));
delete Meta.config['flags:actionOnReject'];
});
});
});
2021-02-04 00:01:39 -07:00
describe('.getTarget()', () => {
it('should return a post\'s data if queried with type "post"', (done) => {
Flags.getTarget('post', 1, 1, (err, data) => {
assert.ifError(err);
2021-02-04 00:06:15 -07:00
const compare = {
uid: 1,
pid: 1,
2017-02-24 12:47:46 -05:00
content: 'This is flaggable content',
};
2021-02-04 01:34:30 -07:00
for (const key of Object.keys(compare)) {
assert.ok(data[key]);
assert.equal(data[key], compare[key]);
}
done();
});
});
2021-02-04 00:01:39 -07:00
it('should return a user\'s data if queried with type "user"', (done) => {
Flags.getTarget('user', 1, 1, (err, data) => {
assert.ifError(err);
2021-02-04 00:06:15 -07:00
const compare = {
uid: 1,
username: 'testUser',
2017-02-24 12:47:46 -05:00
email: 'b@c.com',
};
2021-02-04 01:34:30 -07:00
for (const key of Object.keys(compare)) {
assert.ok(data[key]);
assert.equal(data[key], compare[key]);
}
done();
});
});
2021-02-04 00:01:39 -07:00
it('should return a plain object with no properties if the target no longer exists', (done) => {
Flags.getTarget('user', 15, 1, (err, data) => {
assert.ifError(err);
assert.strictEqual(0, Object.keys(data).length);
done();
});
});
});
2021-02-04 00:01:39 -07:00
describe('.validate()', () => {
it('should error out if type is post and post is deleted', (done) => {
Posts.delete(1, 1, (err) => {
if (err) {
throw err;
}
Flags.validate({
type: 'post',
id: 1,
2017-02-24 12:47:46 -05:00
uid: 1,
2021-02-04 00:01:39 -07:00
}, (err) => {
assert.ok(err);
assert.strictEqual('[[error:post-deleted]]', err.message);
Posts.restore(1, 1, done);
});
});
});
2021-02-04 00:01:39 -07:00
it('should not pass validation if flag threshold is set and user rep does not meet it', (done) => {
Meta.configs.set('min:rep:flag', '50', (err) => {
assert.ifError(err);
Flags.validate({
type: 'post',
id: 1,
2017-02-24 12:47:46 -05:00
uid: 3,
2021-02-04 00:01:39 -07:00
}, (err) => {
assert.ok(err);
assert.strictEqual('[[error:not-enough-reputation-to-flag, 50]]', err.message);
2018-01-12 17:29:47 -05:00
Meta.configs.set('min:rep:flag', 0, done);
});
});
});
it('should not error if user blocked target', async () => {
const apiFlags = require('../src/api/flags');
const reporterUid = await User.create({ username: 'reporter' });
const reporteeUid = await User.create({ username: 'reportee' });
await User.blocks.add(reporteeUid, reporterUid);
const data = await Topics.post({
cid: 1,
uid: reporteeUid,
title: 'Another topic',
content: 'This is flaggable content',
});
await apiFlags.create({ uid: reporterUid }, {
type: 'post',
id: data.postData.pid,
reason: 'spam',
});
});
2021-02-04 00:01:39 -07:00
it('should send back error if reporter does not exist', (done) => {
Flags.validate({ uid: 123123123, id: 1, type: 'post' }, (err) => {
assert.equal(err.message, '[[error:no-user]]');
done();
});
});
});
2021-02-04 00:01:39 -07:00
describe('.appendNote()', () => {
it('should add a note to a flag', (done) => {
Flags.appendNote(1, 1, 'this is my note', (err) => {
assert.ifError(err);
2017-02-24 12:47:46 -05:00
2021-02-04 00:01:39 -07:00
db.getSortedSetRange('flag:1:notes', 0, -1, (err, notes) => {
if (err) {
throw err;
}
assert.strictEqual('[1,"this is my note"]', notes[0]);
setTimeout(done, 10);
});
});
});
2021-02-04 00:01:39 -07:00
it('should be a JSON string', (done) => {
db.getSortedSetRange('flag:1:notes', 0, -1, (err, notes) => {
if (err) {
throw err;
}
try {
JSON.parse(notes[0]);
} catch (e) {
assert.ifError(e);
}
done();
});
});
it('should insert a note in the past if a datetime is passed in', async () => {
await Flags.appendNote(1, 1, 'this is the first note', 1626446956652);
const note = (await db.getSortedSetRange('flag:1:notes', 0, 0)).pop();
assert.strictEqual('[1,"this is the first note"]', note);
});
});
2021-02-04 00:01:39 -07:00
describe('.getNotes()', () => {
before((done) => {
// Add a second note
Flags.appendNote(1, 1, 'this is the second note', done);
});
2021-02-04 00:01:39 -07:00
it('return should match a predefined spec', (done) => {
Flags.getNotes(1, (err, notes) => {
assert.ifError(err);
2021-02-04 00:06:15 -07:00
const compare = {
uid: 1,
2017-02-24 12:47:46 -05:00
content: 'this is my note',
};
2017-02-24 12:47:46 -05:00
2021-02-04 00:06:15 -07:00
const data = notes[1];
2021-02-04 01:34:30 -07:00
for (const key of Object.keys(compare)) {
assert.ok(data[key]);
assert.strictEqual(data[key], compare[key]);
}
done();
});
});
2021-02-04 00:01:39 -07:00
it('should retrieve a list of notes, from newest to oldest', (done) => {
Flags.getNotes(1, (err, notes) => {
assert.ifError(err);
2021-02-03 23:59:08 -07:00
assert(notes[0].datetime > notes[1].datetime, `${notes[0].datetime}-${notes[1].datetime}`);
assert.strictEqual('this is the second note', notes[0].content);
done();
});
});
});
2021-02-04 00:01:39 -07:00
describe('.appendHistory()', () => {
2021-02-04 00:06:15 -07:00
let entries;
2021-02-04 00:01:39 -07:00
before((done) => {
db.sortedSetCard('flag:1:history', (err, count) => {
entries = count;
done(err);
});
});
2021-02-04 00:01:39 -07:00
it('should add a new entry into a flag\'s history', (done) => {
2016-12-14 15:00:41 -05:00
Flags.appendHistory(1, 1, {
2017-02-24 12:47:46 -05:00
state: 'rejected',
2021-02-04 00:01:39 -07:00
}, (err) => {
assert.ifError(err);
2021-02-04 00:01:39 -07:00
Flags.getHistory(1, (err, history) => {
if (err) {
throw err;
}
// 1 for the new event appended, 2 for username/email change
assert.strictEqual(entries + 3, history.length);
done();
});
});
});
});
2021-02-04 00:01:39 -07:00
describe('.getHistory()', () => {
it('should retrieve a flag\'s history', (done) => {
Flags.getHistory(1, (err, history) => {
assert.ifError(err);
2016-12-14 15:00:41 -05:00
assert.strictEqual(history[0].fields.state, '[[flags:state-rejected]]');
done();
});
});
});
describe('(v3 API)', () => {
2021-02-04 00:06:15 -07:00
let pid;
2021-04-09 14:20:42 -04:00
let tid;
let jar;
let csrfToken;
before(async () => {
const login = await helpers.loginUser('testUser2', 'abcdef');
jar = login.jar;
csrfToken = login.csrf_token;
const result = await Topics.post({
cid: 1,
uid: 1,
title: 'Another topic',
2017-02-24 12:47:46 -05:00
content: 'This is flaggable content',
2016-12-01 09:24:49 -05:00
});
pid = result.postData.pid;
tid = result.topicData.tid;
2016-12-01 09:24:49 -05:00
});
2016-12-06 20:28:54 -05:00
2021-02-04 00:01:39 -07:00
describe('.create()', () => {
it('should create a flag with no errors', async () => {
await request({
method: 'post',
uri: `${nconf.get('url')}/api/v3/flags`,
jar,
headers: {
'x-csrf-token': csrfToken,
},
body: {
type: 'post',
id: pid,
reason: 'foobar',
},
json: true,
2016-12-06 20:28:54 -05:00
});
const exists = await Flags.exists('post', pid, 2);
assert(exists);
2016-12-06 20:28:54 -05:00
});
2021-04-09 14:20:42 -04:00
it('should escape flag reason', async () => {
const postData = await Topics.reply({
tid: tid,
uid: 1,
content: 'This is flaggable content',
});
const { response } = await request({
method: 'post',
uri: `${nconf.get('url')}/api/v3/flags`,
jar,
headers: {
'x-csrf-token': csrfToken,
},
body: {
type: 'post',
id: postData.pid,
reason: '"<script>alert(\'ok\');</script>',
},
json: true,
2021-04-09 14:20:42 -04:00
});
const flagData = await Flags.get(response.flagId);
2021-04-09 14:20:42 -04:00
assert.strictEqual(flagData.reports[0].value, '&quot;&lt;script&gt;alert(&#x27;ok&#x27;);&lt;&#x2F;script&gt;');
});
2021-02-04 00:01:39 -07:00
it('should not allow flagging post in private category', async () => {
const category = await Categories.create({ name: 'private category' });
await Privileges.categories.rescind(['groups:topics:read'], category.cid, 'registered-users');
2020-11-27 16:26:32 -05:00
await Groups.join('private category', uid3);
const result = await Topics.post({
cid: category.cid,
2020-11-27 16:26:32 -05:00
uid: uid3,
title: 'private topic',
content: 'private post',
});
const login = await helpers.loginUser('unprivileged', 'abcdef');
const jar3 = login.jar;
const config = await request({
url: `${nconf.get('url')}/api/config`,
json: true,
jar: jar3,
});
const csrfToken = config.csrf_token;
const { statusCode, body } = await request({
method: 'post',
uri: `${nconf.get('url')}/api/v3/flags`,
jar: jar3,
headers: {
'x-csrf-token': csrfToken,
},
body: {
type: 'post',
id: result.postData.pid,
reason: 'foobar',
},
json: true,
simple: false,
resolveWithFullResponse: true,
});
assert.strictEqual(statusCode, 403);
// Handle dev mode test
delete body.stack;
assert.deepStrictEqual(body, {
status: {
code: 'forbidden',
message: 'You do not have enough privileges for this action.',
},
response: {},
});
});
2016-12-06 20:28:54 -05:00
});
2021-02-04 00:01:39 -07:00
describe('.update()', () => {
it('should update a flag\'s properties', async () => {
const { response } = await request({
method: 'put',
uri: `${nconf.get('url')}/api/v3/flags/2`,
jar,
headers: {
'x-csrf-token': csrfToken,
},
body: {
state: 'wip',
},
json: true,
2016-12-06 20:28:54 -05:00
});
const { history } = response;
assert(Array.isArray(history));
assert(history[0].fields.hasOwnProperty('state'));
assert.strictEqual('[[flags:state-wip]]', history[0].fields.state);
2016-12-06 20:28:54 -05:00
});
});
2021-02-04 00:01:39 -07:00
describe('.appendNote()', () => {
it('should append a note to the flag', async () => {
const { response } = await request({
method: 'post',
uri: `${nconf.get('url')}/api/v3/flags/2/notes`,
jar,
headers: {
'x-csrf-token': csrfToken,
},
body: {
note: 'lorem ipsum dolor sit amet',
datetime: 1626446956652,
},
json: true,
2016-12-06 20:28:54 -05:00
});
assert(response.hasOwnProperty('notes'));
assert(Array.isArray(response.notes));
assert.strictEqual('lorem ipsum dolor sit amet', response.notes[0].content);
assert.strictEqual(2, response.notes[0].uid);
assert(response.hasOwnProperty('history'));
assert(Array.isArray(response.history));
assert.strictEqual(1, Object.keys(response.history[response.history.length - 1].fields).length);
assert(response.history[response.history.length - 1].fields.hasOwnProperty('notes'));
});
});
describe('.deleteNote()', () => {
it('should delete a note from a flag', async () => {
const { response } = await request({
method: 'delete',
uri: `${nconf.get('url')}/api/v3/flags/2/notes/1626446956652`,
jar,
headers: {
'x-csrf-token': csrfToken,
},
json: true,
});
assert(Array.isArray(response.history));
assert(Array.isArray(response.notes));
assert.strictEqual(response.notes.length, 0);
2016-12-06 20:28:54 -05:00
});
});
Webpack5 (#10311) * feat: webpack 5 part 1 * fix: gruntfile fixes * fix: fix taskbar warning add app.importScript copy public/src/modules to build folder * refactor: remove commented old code * feat: reenable admin * fix: acp settings pages, fix sortable on manage categories embedded require in html not allowed * fix: bundle serialize/deserizeli so plugins dont break * test: fixe util tests * test: fix require path * test: more test fixes * test: require correct utils module * test: require correct utils * test: log stack * test: fix db require blowing up tests * test: move and disable bundle test * refactor: add aliases * test: disable testing route * fix: move webpack modules necessary for build, into `dependencies` * test: fix one more test remove 500-embed.tpl * fix: restore use of assets/nodebb.min.js, at least for now * fix: remove unnecessary line break * fix: point to proper ACP bundle * test: maybe fix build test * test: composer * refactor: dont need dist * refactor: more cleanup use everything from build/public folder * get rid of conditional import in app.js * fix: ace * refactor: cropper alias * test: lint and test fixes * lint: fix * refactor: rename function to app.require * refactor: go back to using app.require * chore: use github branch * chore: use webpack branch * feat: webpack webinstaller * feat: add chunkFile name with contenthash * refactor: move hooks to top * refactor: get rid of template500Function * fix(deps): use webpack5 branch of 2factor plugin * chore: tagging v2.0.0-beta.0 pre-release version :boom: :shipit: :tada: :rocket: * refactor: disable cache on templates loadTemplate is called once by benchpress and the result is cache internally * refactor: add server side helpers.js * feat: deprecate /plugins shorthand route, closes #10343 * refactor: use build/public for webpack * test: fix filename * fix: more specific selector * lint: ignore * refactor: fix comments * test: add debug for random failing test * refactor: cleanup remove test page, remove dupe functions in utils.common * lint: use relative path for now * chore: bump prerelease version * feat: add translateKeys * fix: optional params * fix: get rid of extra timeago files * refactor: cleanup, require timeago locale earlier remove translator.prepareDOM, it is in header.tpl html tag * refactor: privileges system to use a Map in the backend instead of separate objects for keys and labels (#10378) * refactor: privileges system to use a Map in the backend instead of separate objects for keys and labels - Existing hooks are preserved (to be deprecated at a later date, possibly) - New init hooks are called on NodeBB start, and provide a one-stop shop to add new privileges, instead of having to add to four different hooks * docs: fix typo in comment * test: spec changes * refactor: privileges system to use a Map in the backend instead of separate objects for keys and labels (#10378) * refactor: privileges system to use a Map in the backend instead of separate objects for keys and labels - Existing hooks are preserved (to be deprecated at a later date, possibly) - New init hooks are called on NodeBB start, and provide a one-stop shop to add new privileges, instead of having to add to four different hooks * docs: fix typo in comment * test: spec changes * feat: allow app.require('bootbox'/'benchpressjs') * refactor: require server side utils * test: jquery ready * change istaller to use build/public * test: use document.addEventListener * refactor: closes #10301 * refactor: generateTopicClass * fix: column counts for other privileges * fix: #10443, regression where sorted-list items did not render into the DOM in the predicted order [breaking] * fix: typo in hook name * refactor: introduce a generic autocomplete.init() method that can be called to add nodebb-style autocompletion but using different data sources (e.g. not user/groups/tags) * fix: crash if `delay` not passed in (as it cannot be destructured) * refactor: replace substr * feat: set --panel-offset style in html element based on stored value in localStorage * refactor: addDropupHandler() logic to be less naive - Take into account height of the menu - Don't apply dropUp logic if there's nothing in the dropdown - Remove 'hidden' class (added by default in Persona for post tools) when menu items are added closes #10423 * refactor: simplify utils.params [breaking] Retrospective analysis of the usage of this method suggests that the options passed in are superfluous, and that only `url` is required. Using a browser built-in makes more sense to accomplish what this method sets out to do. * feat: add support for returning full URLSearchParams for utils.params * fix: utils.params() fallback handling * fix: default empty obj for params() * fix: remove \'loggedin\' and \'register\' qs parameters once they have been used, delay invocation of messages until ajaxify.end * fix: utils.params() not allowing relative paths to be passed in * refactor(DRY): new assertPasswordValidity utils method * fix: incorrect error message returned on insufficient privilege on flag edit * fix: read/update/delete access to flags API should be limited for moderators to only post flags in categories they moderate - added failing tests and patched up middleware.assert.flags to fix * refactor: flag api v3 tests to create new post and flags on every round * fix: missing error:no-flag language key * refactor: flags.canView to check flag existence, simplify middleware.assert.flag * feat: flag deletion API endpoint, #10426 * feat: UI for flag deletion, closes #10426 * chore: update plugin versions * chore: up emoji * chore: update markdown * chore: up emoji-android * fix: regression caused by utils.params() refactor, supports arrays and pipes all values through utils.toType, adjusts tests to type check Co-authored-by: Julian Lam <julian@nodebb.org>
2022-04-29 21:39:33 -04:00
describe('access control', () => {
let uid;
let jar;
let csrf_token;
let requests;
let flaggerUid;
let flagId;
const noteTime = Date.now();
before(async () => {
uid = await User.create({ username: 'flags-access-control', password: 'abcdef' });
({ jar, csrf_token } = await helpers.loginUser('flags-access-control', 'abcdef'));
flaggerUid = await User.create({ username: 'flags-access-control-flagger', password: 'abcdef' });
});
beforeEach(async () => {
// Reset uid back to unprivileged user
await Groups.leave('administrators', uid);
await Groups.leave('Global Moderators', uid);
await Privileges.categories.rescind(['moderate'], 1, [uid]);
const { postData } = await Topics.post({
uid,
cid: 1,
title: utils.generateUUID(),
content: utils.generateUUID(),
});
({ flagId } = await Flags.create('post', postData.pid, flaggerUid, 'spam'));
requests = new Set([
{
method: 'get',
uri: `${nconf.get('url')}/api/v3/flags/${flagId}`,
jar,
headers: {
'x-csrf-token': csrf_token,
},
json: true,
simple: false,
resolveWithFullResponse: true,
},
{
method: 'put',
uri: `${nconf.get('url')}/api/v3/flags/${flagId}`,
jar,
headers: {
'x-csrf-token': csrf_token,
},
body: {
state: 'wip',
},
json: true,
simple: false,
resolveWithFullResponse: true,
},
{
method: 'post',
uri: `${nconf.get('url')}/api/v3/flags/${flagId}/notes`,
jar,
headers: {
'x-csrf-token': csrf_token,
},
body: {
note: 'test note',
datetime: noteTime,
},
json: true,
simple: false,
resolveWithFullResponse: true,
},
{
method: 'delete',
uri: `${nconf.get('url')}/api/v3/flags/${flagId}/notes/${noteTime}`,
jar,
headers: {
'x-csrf-token': csrf_token,
},
json: true,
simple: false,
resolveWithFullResponse: true,
},
{
method: 'delete',
uri: `${nconf.get('url')}/api/v3/flags/${flagId}`,
jar,
headers: {
'x-csrf-token': csrf_token,
},
json: true,
simple: false,
resolveWithFullResponse: true,
},
]);
});
it('should not allow access to privileged flag endpoints to guests', async () => {
for (let opts of requests) {
opts = { ...opts };
delete opts.jar;
delete opts.headers;
// eslint-disable-next-line no-await-in-loop
const { statusCode } = await request(opts);
assert(statusCode.toString().startsWith(4), `${opts.method.toUpperCase()} ${opts.uri} => ${statusCode}`);
}
});
it('should not allow access to privileged flag endpoints to regular users', async () => {
for (const opts of requests) {
// eslint-disable-next-line no-await-in-loop
const { statusCode } = await request(opts);
assert(statusCode.toString().startsWith(4), `${opts.method.toUpperCase()} ${opts.uri} => ${statusCode}`);
}
});
it('should allow access to privileged endpoints to administrators', async () => {
await Groups.join('administrators', uid);
for (const opts of requests) {
// eslint-disable-next-line no-await-in-loop
const { statusCode } = await request(opts);
assert.strictEqual(statusCode, 200, `${opts.method.toUpperCase()} ${opts.uri} => ${statusCode}`);
}
});
it('should allow access to privileged endpoints to global moderators', async () => {
await Groups.join('Global Moderators', uid);
for (const opts of requests) {
// eslint-disable-next-line no-await-in-loop
const { statusCode } = await request(opts);
assert.strictEqual(statusCode, 200, `${opts.method.toUpperCase()} ${opts.uri} => ${statusCode}`);
}
});
it('should allow access to privileged endpoints to moderators if the flag target is a post in a cid they moderate', async () => {
await Privileges.categories.give(['moderate'], 1, [uid]);
for (const opts of requests) {
// eslint-disable-next-line no-await-in-loop
const { statusCode } = await request(opts);
assert.strictEqual(statusCode, 200, `${opts.method.toUpperCase()} ${opts.uri} => ${statusCode}`);
}
});
it('should NOT allow access to privileged endpoints to moderators if the flag target is a post in a cid they DO NOT moderate', async () => {
// This is a new category the user will moderate, but the flagged post is in a different category
const { cid } = await Categories.create({
name: utils.generateUUID(),
});
await Privileges.categories.give(['moderate'], cid, [uid]);
for (const opts of requests) {
// eslint-disable-next-line no-await-in-loop
const { statusCode } = await request(opts);
assert(statusCode.toString().startsWith(4), `${opts.method.toUpperCase()} ${opts.uri} => ${statusCode}`);
}
});
});
2016-12-06 20:28:54 -05:00
});
});