DEV: Load client site settings YML into JS tests (#18413)

Our method of loading a subset of client settings into tests via
tests/helpers/site-settings.js can be improved upon. Currently we have a
hardcoded subset of the client settings, which may get out of date and not have
the correct defaults. As well as this plugins do not get their settings into the
tests, so whenever you need a setting from a plugin, even if it has a default,
you have to do needs.setting({ ... }) which is inconvenient.

This commit introduces an ember CLI build step to take the site_settings.yml and
all the plugin settings.yml files, pull out the client settings, and dump them
into a variable in a single JS file we can load in our tests, so we have the
correct selection of settings and default values in our JS tests. It also fixes
many, many tests that were operating under incorrect assumptions or old
settings.

Co-authored-by: Joffrey JAFFEUX <j.jaffeux@gmail.com>
This commit is contained in:
Martin Brennan 2022-11-08 09:17:43 +10:00 committed by GitHub
parent ff21651d64
commit ac7bf98ad1
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
45 changed files with 302 additions and 171 deletions

View File

@ -113,18 +113,22 @@ module.exports = {
directoryName, directoryName,
"test/javascripts" "test/javascripts"
); );
const configDirectory = path.resolve(root, directoryName, "config");
const hasJs = fs.existsSync(jsDirectory); const hasJs = fs.existsSync(jsDirectory);
const hasAdminJs = fs.existsSync(adminJsDirectory); const hasAdminJs = fs.existsSync(adminJsDirectory);
const hasTests = fs.existsSync(testDirectory); const hasTests = fs.existsSync(testDirectory);
const hasConfig = fs.existsSync(configDirectory);
return { return {
pluginName, pluginName,
directoryName, directoryName,
jsDirectory, jsDirectory,
adminJsDirectory, adminJsDirectory,
testDirectory, testDirectory,
configDirectory,
hasJs, hasJs,
hasAdminJs, hasAdminJs,
hasTests, hasTests,
hasConfig,
}; };
}); });
}, },

View File

@ -1,5 +1,6 @@
import { addComposerUploadPreProcessor } from "discourse/components/composer-editor"; import { addComposerUploadPreProcessor } from "discourse/components/composer-editor";
import UppyMediaOptimization from "discourse/lib/uppy-media-optimization-plugin"; import UppyMediaOptimization from "discourse/lib/uppy-media-optimization-plugin";
import { Promise } from "rsvp";
export default { export default {
name: "register-media-optimization-upload-processor", name: "register-media-optimization-upload-processor",
@ -11,10 +12,15 @@ export default {
UppyMediaOptimization, UppyMediaOptimization,
({ isMobileDevice }) => { ({ isMobileDevice }) => {
return { return {
optimizeFn: (data, opts) => optimizeFn: (data, opts) => {
container if (container.isDestroyed || container.isDestroying) {
return Promise.resolve();
}
return container
.lookup("service:media-optimization-worker") .lookup("service:media-optimization-worker")
.optimizeImage(data, opts), .optimizeImage(data, opts);
},
runParallel: !isMobileDevice, runParallel: !isMobileDevice,
}; };
} }

View File

@ -367,7 +367,7 @@ export default createWidget("search-menu", {
return; return;
} }
if (e.which === 65 /* a */) { if (e.key === "A") {
if (document.activeElement?.classList.contains("search-link")) { if (document.activeElement?.classList.contains("search-link")) {
if (document.querySelector("#reply-control.open")) { if (document.querySelector("#reply-control.open")) {
// add a link and focus composer // add a link and focus composer
@ -388,8 +388,8 @@ export default createWidget("search-menu", {
} }
} }
const up = e.which === 38; const up = e.key === "ArrowUp";
const down = e.which === 40; const down = e.key === "ArrowDown";
if (up || down) { if (up || down) {
let focused = document.activeElement.closest(".search-menu") let focused = document.activeElement.closest(".search-menu")
? document.activeElement ? document.activeElement
@ -443,7 +443,7 @@ export default createWidget("search-menu", {
} }
const searchInput = document.querySelector("#search-term"); const searchInput = document.querySelector("#search-term");
if (e.which === 13 && e.target === searchInput) { if (e.key === "Enter" && e.target === searchInput) {
const recentEnterHit = const recentEnterHit =
this.state._lastEnterTimestamp && this.state._lastEnterTimestamp &&
Date.now() - this.state._lastEnterTimestamp < SECOND_ENTER_MAX_DELAY; Date.now() - this.state._lastEnterTimestamp < SECOND_ENTER_MAX_DELAY;
@ -463,7 +463,7 @@ export default createWidget("search-menu", {
this.state._lastEnterTimestamp = Date.now(); this.state._lastEnterTimestamp = Date.now();
} }
if (e.target === searchInput && e.which === 8 /* backspace */) { if (e.target === searchInput && e.key === "Backspace") {
if (!searchInput.value) { if (!searchInput.value) {
this.clearTopicContext(); this.clearTopicContext();
this.clearPMInboxContext(); this.clearPMInboxContext();

View File

@ -6,6 +6,7 @@ const mergeTrees = require("broccoli-merge-trees");
const concat = require("broccoli-concat"); const concat = require("broccoli-concat");
const prettyTextEngine = require("./lib/pretty-text-engine"); const prettyTextEngine = require("./lib/pretty-text-engine");
const { createI18nTree } = require("./lib/translation-plugin"); const { createI18nTree } = require("./lib/translation-plugin");
const { parsePluginClientSettings } = require("./lib/site-settings-plugin");
const discourseScss = require("./lib/discourse-scss"); const discourseScss = require("./lib/discourse-scss");
const generateScriptsTree = require("./lib/scripts"); const generateScriptsTree = require("./lib/scripts");
const funnel = require("broccoli-funnel"); const funnel = require("broccoli-funnel");
@ -168,6 +169,7 @@ module.exports = function (defaults) {
return mergeTrees([ return mergeTrees([
createI18nTree(discourseRoot, vendorJs), createI18nTree(discourseRoot, vendorJs),
parsePluginClientSettings(discourseRoot, vendorJs, app),
app.toTree(), app.toTree(),
funnel(`${discourseRoot}/public/javascripts`, { destDir: "javascripts" }), funnel(`${discourseRoot}/public/javascripts`, { destDir: "javascripts" }),
funnel(`${vendorJs}/highlightjs`, { funnel(`${vendorJs}/highlightjs`, {

View File

@ -0,0 +1,96 @@
const Plugin = require("broccoli-plugin");
const Yaml = require("js-yaml");
const fs = require("fs");
const concat = require("broccoli-concat");
const mergeTrees = require("broccoli-merge-trees");
const deepmerge = require("deepmerge");
const glob = require("glob");
const { shouldLoadPluginTestJs } = require("discourse/lib/plugin-js");
let built = false;
class SiteSettingsPlugin extends Plugin {
constructor(inputNodes, inputFile, options) {
super(inputNodes, {
...options,
persistentOutput: true,
});
}
build() {
if (built) {
return;
}
let parsed = {};
this.inputPaths.forEach((path) => {
let inputFile;
if (path.includes("plugins")) {
inputFile = "settings.yml";
} else {
inputFile = "site_settings.yml";
}
const file = path + "/" + inputFile;
let yaml;
try {
yaml = fs.readFileSync(file, { encoding: "UTF-8" });
} catch (err) {
// the plugin does not have a config file, go to the next file
return;
}
const loaded = Yaml.load(yaml, { json: true });
parsed = deepmerge(parsed, loaded);
});
let clientSettings = {};
// eslint-disable-next-line no-unused-vars
for (const [category, settings] of Object.entries(parsed)) {
for (const [setting, details] of Object.entries(settings)) {
if (details.client) {
clientSettings[setting] = details.default;
}
}
}
const contents = `var CLIENT_SITE_SETTINGS_WITH_DEFAULTS = ${JSON.stringify(
clientSettings
)}`;
fs.writeFileSync(`${this.outputPath}/` + "settings_out.js", contents);
built = true;
}
}
module.exports = function siteSettingsPlugin(...params) {
return new SiteSettingsPlugin(...params);
};
module.exports.parsePluginClientSettings = function (
discourseRoot,
vendorJs,
app
) {
let settings = [discourseRoot + "/config"];
if (shouldLoadPluginTestJs()) {
const pluginInfos = app.project
.findAddonByName("discourse-plugins")
.pluginInfos();
pluginInfos.forEach(({ hasConfig, configDirectory }) => {
if (hasConfig) {
settings = settings.concat(glob.sync(configDirectory));
}
});
}
const loadedSettings = new SiteSettingsPlugin(settings, "site_settings.yml");
return concat(mergeTrees([loadedSettings]), {
inputFiles: [],
headerFiles: [],
footerFiles: [],
outputFile: `assets/test-site-settings.js`,
});
};
module.exports.SiteSettingsPlugin = SiteSettingsPlugin;

View File

@ -1,10 +1,9 @@
import { acceptance, exists } from "discourse/tests/helpers/qunit-helpers"; import { acceptance, exists } from "discourse/tests/helpers/qunit-helpers";
import { test } from "qunit"; import { test } from "qunit";
import { click, currentURL, settled, visit } from "@ember/test-helpers"; import { click, currentURL, settled, visit } from "@ember/test-helpers";
import { set } from "@ember/object";
acceptance("Bootstrap Mode Notice", function (needs) { acceptance("Bootstrap Mode Notice", function (needs) {
needs.user(); needs.user({ admin: true });
needs.site({ wizard_required: true }); needs.site({ wizard_required: true });
needs.settings({ needs.settings({
bootstrap_mode_enabled: true, bootstrap_mode_enabled: true,
@ -36,8 +35,8 @@ acceptance("Bootstrap Mode Notice", function (needs) {
"it transitions to the wizard page" "it transitions to the wizard page"
); );
this.siteSettings.bootstrap_mode_enabled = false;
await visit("/"); await visit("/");
set(this.siteSettings, "bootstrap_mode_enabled", false);
await settled(); await settled();
assert.ok( assert.ok(
!exists(".bootstrap-mode-notice"), !exists(".bootstrap-mode-notice"),

View File

@ -24,7 +24,7 @@ acceptance("Composer Actions", function (needs) {
}); });
needs.settings({ needs.settings({
prioritize_username_in_ux: true, prioritize_username_in_ux: true,
display_name_on_post: false, display_name_on_posts: false,
enable_whispers: true, enable_whispers: true,
}); });
needs.site({ can_tag_topics: true }); needs.site({ can_tag_topics: true });
@ -489,7 +489,7 @@ acceptance("Prioritize Username", function (needs) {
needs.user(); needs.user();
needs.settings({ needs.settings({
prioritize_username_in_ux: true, prioritize_username_in_ux: true,
display_name_on_post: false, display_name_on_posts: false,
}); });
test("Reply to post use username", async function (assert) { test("Reply to post use username", async function (assert) {
@ -517,7 +517,7 @@ acceptance("Prioritize Full Name", function (needs) {
needs.user(); needs.user();
needs.settings({ needs.settings({
prioritize_username_in_ux: false, prioritize_username_in_ux: false,
display_name_on_post: true, display_name_on_posts: true,
}); });
test("Reply to post use full name", async function (assert) { test("Reply to post use full name", async function (assert) {
@ -555,7 +555,7 @@ acceptance("Prioritizing Name fall back", function (needs) {
needs.user(); needs.user();
needs.settings({ needs.settings({
prioritize_username_in_ux: false, prioritize_username_in_ux: false,
display_name_on_post: true, display_name_on_posts: true,
}); });
test("Quotes fall back to username if name is not present", async function (assert) { test("Quotes fall back to username if name is not present", async function (assert) {

View File

@ -18,7 +18,7 @@ acceptance("Composer - editor mentions", function (needs) {
}; };
needs.user(); needs.user();
needs.settings({ enable_mentions: true }); needs.settings({ enable_mentions: true, allow_uncategorized_topics: true });
needs.hooks.afterEach(() => { needs.hooks.afterEach(() => {
if (clock) { if (clock) {

View File

@ -11,7 +11,7 @@ import { test } from "qunit";
acceptance("Composer - Image Preview", function (needs) { acceptance("Composer - Image Preview", function (needs) {
needs.user(); needs.user();
needs.settings({ enable_whispers: true }); needs.settings({ enable_whispers: true, allow_uncategorized_topics: true });
needs.site({ can_tag_topics: true }); needs.site({ can_tag_topics: true });
needs.pretender((server, helper) => { needs.pretender((server, helper) => {
server.post("/uploads/lookup-urls", () => { server.post("/uploads/lookup-urls", () => {

View File

@ -18,6 +18,7 @@ acceptance("Composer - Tags", function (needs) {
}); });
}); });
needs.site({ can_tag_topics: true }); needs.site({ can_tag_topics: true });
needs.settings({ allow_uncategorized_topics: true });
test("staff bypass tag validation rule", async function (assert) { test("staff bypass tag validation rule", async function (assert) {
await visit("/"); await visit("/");

View File

@ -302,7 +302,7 @@ acceptance("Composer", function (needs) {
await visit("/"); await visit("/");
await click("#create-topic"); await click("#create-topic");
await fillIn("#reply-title", "This title doesn't matter"); await fillIn("#reply-title", "This title doesn't matter");
await fillIn(".d-editor-input", "custom message"); await fillIn(".d-editor-input", "custom message that is a good length");
await click("#reply-control button.create"); await click("#reply-control button.create");
assert.strictEqual( assert.strictEqual(
@ -1107,6 +1107,7 @@ acceptance("Composer - Customizations", function (needs) {
acceptance("Composer - Focus Open and Closed", function (needs) { acceptance("Composer - Focus Open and Closed", function (needs) {
needs.user(); needs.user();
needs.settings({ allow_uncategorized_topics: true });
test("Focusing a composer which is not open with create topic", async function (assert) { test("Focusing a composer which is not open with create topic", async function (assert) {
await visit("/t/internationalization-localization/280"); await visit("/t/internationalization-localization/280");

View File

@ -81,6 +81,7 @@ acceptance("Uppy Composer Attachment - Upload Placeholder", function (needs) {
needs.settings({ needs.settings({
simultaneous_uploads: 2, simultaneous_uploads: 2,
enable_rich_text_paste: true, enable_rich_text_paste: true,
allow_uncategorized_topics: true,
}); });
needs.hooks.afterEach(() => { needs.hooks.afterEach(() => {
uploadNumber = 1; uploadNumber = 1;
@ -487,6 +488,7 @@ acceptance("Uppy Composer Attachment - Upload Error", function (needs) {
}); });
needs.settings({ needs.settings({
simultaneous_uploads: 2, simultaneous_uploads: 2,
allow_uncategorized_topics: true,
}); });
test("should show an error message for the failed upload", async function (assert) { test("should show an error message for the failed upload", async function (assert) {
@ -527,6 +529,7 @@ acceptance("Uppy Composer Attachment - Upload Handler", function (needs) {
needs.pretender(pretender); needs.pretender(pretender);
needs.settings({ needs.settings({
simultaneous_uploads: 2, simultaneous_uploads: 2,
allow_uncategorized_topics: true,
}); });
needs.hooks.beforeEach(() => { needs.hooks.beforeEach(() => {
withPluginApi("0.8.14", (api) => { withPluginApi("0.8.14", (api) => {

View File

@ -21,7 +21,7 @@ acceptance("Emoji", function (needs) {
assert.strictEqual( assert.strictEqual(
normalizeHtml(query(".d-editor-preview").innerHTML.trim()), normalizeHtml(query(".d-editor-preview").innerHTML.trim()),
normalizeHtml( normalizeHtml(
`<p>this is an emoji <img src="/images/emoji/google_classic/blonde_woman.png?v=${v}" title=":blonde_woman:" class="emoji" alt=":blonde_woman:" loading="lazy" width="20" height="20" style="aspect-ratio: 20 / 20;"></p>` `<p>this is an emoji <img src="/images/emoji/twitter/blonde_woman.png?v=${v}" title=":blonde_woman:" class="emoji" alt=":blonde_woman:" loading="lazy" width="20" height="20" style="aspect-ratio: 20 / 20;"></p>`
) )
); );
}); });
@ -36,7 +36,7 @@ acceptance("Emoji", function (needs) {
assert.strictEqual( assert.strictEqual(
normalizeHtml(query(".d-editor-preview").innerHTML.trim()), normalizeHtml(query(".d-editor-preview").innerHTML.trim()),
normalizeHtml( normalizeHtml(
`<p>this is an emoji <img src="/images/emoji/google_classic/blonde_woman/5.png?v=${v}" title=":blonde_woman:t5:" class="emoji" alt=":blonde_woman:t5:" loading="lazy" width="20" height="20" style="aspect-ratio: 20 / 20;"></p>` `<p>this is an emoji <img src="/images/emoji/twitter/blonde_woman/5.png?v=${v}" title=":blonde_woman:t5:" class="emoji" alt=":blonde_woman:t5:" loading="lazy" width="20" height="20" style="aspect-ratio: 20 / 20;"></p>`
) )
); );
}); });

View File

@ -94,7 +94,7 @@ acceptance("Group Requests", function (needs) {
query(".group-members tr:first-child td:nth-child(1)") query(".group-members tr:first-child td:nth-child(1)")
.innerText.trim() .innerText.trim()
.replace(/\s+/g, " "), .replace(/\s+/g, " "),
"Robin Ward eviltrout" "eviltrout Robin Ward"
); );
assert.strictEqual( assert.strictEqual(
query(".group-members tr:first-child td:nth-child(3)").innerText.trim(), query(".group-members tr:first-child td:nth-child(3)").innerText.trim(),

View File

@ -123,7 +123,7 @@ acceptance("Invite accept", function (needs) {
"submit is disabled because password is not filled" "submit is disabled because password is not filled"
); );
await fillIn("#new-account-password", "top$ecret"); await fillIn("#new-account-password", "top$ecretzz");
assert.notOk( assert.notOk(
exists(".invites-show .btn-primary:disabled"), exists(".invites-show .btn-primary:disabled"),
"submit is enabled" "submit is enabled"

View File

@ -128,6 +128,9 @@ acceptance("User Preferences", function (needs) {
await categorySelector.fillInFilter("faq"); await categorySelector.fillInFilter("faq");
await savePreferences(); await savePreferences();
this.siteSettings.tagging_enabled = false;
await visit("/");
await visit("/u/eviltrout/preferences");
assert.ok( assert.ok(
!exists(".preferences-nav .nav-tags a"), !exists(".preferences-nav .nav-tags a"),
"tags tab isn't there when tags are disabled" "tags tab isn't there when tags are disabled"

View File

@ -4,7 +4,13 @@ import {
exists, exists,
query, query,
} from "discourse/tests/helpers/qunit-helpers"; } from "discourse/tests/helpers/qunit-helpers";
import { click, fillIn, triggerKeyEvent, visit } from "@ember/test-helpers"; import {
click,
fillIn,
settled,
triggerKeyEvent,
visit,
} from "@ember/test-helpers";
import I18n from "I18n"; import I18n from "I18n";
import searchFixtures from "discourse/tests/fixtures/search-fixtures"; import searchFixtures from "discourse/tests/fixtures/search-fixtures";
import selectKit from "discourse/tests/helpers/select-kit-helper"; import selectKit from "discourse/tests/helpers/select-kit-helper";
@ -333,7 +339,10 @@ acceptance("Search - Anonymous", function (needs) {
acceptance("Search - Authenticated", function (needs) { acceptance("Search - Authenticated", function (needs) {
needs.user(); needs.user();
needs.settings({ log_search_queries: true }); needs.settings({
log_search_queries: true,
allow_uncategorized_topics: true,
});
needs.pretender((server, helper) => { needs.pretender((server, helper) => {
server.get("/search/query", (request) => { server.get("/search/query", (request) => {
@ -476,6 +485,7 @@ acceptance("Search - Authenticated", function (needs) {
"href" "href"
); );
await triggerKeyEvent(".search-menu", "keydown", "A"); await triggerKeyEvent(".search-menu", "keydown", "A");
await settled();
assert.strictEqual( assert.strictEqual(
query("#reply-control textarea").value, query("#reply-control textarea").value,

View File

@ -69,6 +69,7 @@ acceptance("Sidebar - Logged on user - Categories Section", function (needs) {
enable_experimental_sidebar_hamburger: true, enable_experimental_sidebar_hamburger: true,
enable_sidebar: true, enable_sidebar: true,
suppress_uncategorized_badge: false, suppress_uncategorized_badge: false,
allow_uncategorized_topics: true,
}); });
needs.pretender((server, helper) => { needs.pretender((server, helper) => {

View File

@ -30,7 +30,7 @@ acceptance("Topic Discovery", function (needs) {
assert.strictEqual( assert.strictEqual(
query("a[data-user-card=eviltrout] img.avatar").getAttribute("title"), query("a[data-user-card=eviltrout] img.avatar").getAttribute("title"),
"Evil Trout - Most Posts", "eviltrout - Most Posts",
"it shows user's full name in avatar title" "it shows user's full name in avatar title"
); );

View File

@ -134,7 +134,7 @@ acceptance("Topic - Edit timer", function (needs) {
await timerType.expand(); await timerType.expand();
await timerType.selectRowByValue("publish_to_category"); await timerType.selectRowByValue("publish_to_category");
assert.strictEqual(categoryChooser.header().label(), "uncategorized"); assert.strictEqual(categoryChooser.header().label(), "category…");
assert.strictEqual(categoryChooser.header().value(), null); assert.strictEqual(categoryChooser.header().value(), null);
await categoryChooser.expand(); await categoryChooser.expand();
@ -174,7 +174,7 @@ acceptance("Topic - Edit timer", function (needs) {
await timerType.expand(); await timerType.expand();
await timerType.selectRowByValue("publish_to_category"); await timerType.selectRowByValue("publish_to_category");
assert.strictEqual(categoryChooser.header().label(), "uncategorized"); assert.strictEqual(categoryChooser.header().label(), "category…");
assert.strictEqual(categoryChooser.header().value(), null); assert.strictEqual(categoryChooser.header().value(), null);
await categoryChooser.expand(); await categoryChooser.expand();
@ -218,7 +218,7 @@ acceptance("Topic - Edit timer", function (needs) {
await timerType.expand(); await timerType.expand();
await timerType.selectRowByValue("publish_to_category"); await timerType.selectRowByValue("publish_to_category");
assert.strictEqual(categoryChooser.header().label(), "uncategorized"); assert.strictEqual(categoryChooser.header().label(), "category…");
assert.strictEqual(categoryChooser.header().value(), null); assert.strictEqual(categoryChooser.header().value(), null);
await categoryChooser.expand(); await categoryChooser.expand();

View File

@ -20,6 +20,19 @@ acceptance("Topic - Quote button - logged in", function (needs) {
share_quote_buttons: "twitter|email", share_quote_buttons: "twitter|email",
}); });
needs.pretender((server, helper) => {
server.get("/inline-onebox", () =>
helper.response({
"inline-oneboxes": [
{
url: "http://www.example.com/57350945",
title: "This is a great title",
},
],
})
);
});
chromeTest( chromeTest(
"Does not show the quote share buttons by default", "Does not show the quote share buttons by default",
async function (assert) { async function (assert) {

View File

@ -211,6 +211,7 @@ acceptance("Topic", function (needs) {
}); });
test("Deleting a topic", async function (assert) { test("Deleting a topic", async function (assert) {
this.siteSettings.min_topic_views_for_delete_confirm = 10000;
await visit("/t/internationalization-localization/280"); await visit("/t/internationalization-localization/280");
await click(".topic-post:nth-of-type(1) button.show-more-actions"); await click(".topic-post:nth-of-type(1) button.show-more-actions");
await click(".widget-button.delete"); await click(".widget-button.delete");

View File

@ -58,7 +58,7 @@ acceptance("User Drafts", function (needs) {
query(".user-stream-item:nth-child(3) .excerpt").innerHTML.trim() query(".user-stream-item:nth-child(3) .excerpt").innerHTML.trim()
), ),
normalizeHtml( normalizeHtml(
`here goes a reply to a PM <img src="/images/emoji/google_classic/slight_smile.png?v=${IMAGE_VERSION}" title=":slight_smile:" class="emoji" alt=":slight_smile:" loading="lazy" width="20" height="20" style="aspect-ratio: 20 / 20;">` `here goes a reply to a PM <img src="/images/emoji/twitter/slight_smile.png?v=${IMAGE_VERSION}" title=":slight_smile:" class="emoji" alt=":slight_smile:" loading="lazy" width="20" height="20" style="aspect-ratio: 20 / 20;">`
), ),
"shows the excerpt" "shows the excerpt"
); );

View File

@ -120,14 +120,16 @@ acceptance(
await visit("/u/eviltrout"); await visit("/u/eviltrout");
assert.strictEqual( assert.strictEqual(
query(".user-profile-names .username").textContent.trim(), query(".user-profile-names .username").textContent.trim(),
"eviltrout", `eviltrout
Robin Ward is an admin`,
"eviltrout profile is shown" "eviltrout profile is shown"
); );
await visit("/u/e.il.rout"); await visit("/u/e.il.rout");
assert.strictEqual( assert.strictEqual(
query(".user-profile-names .username").textContent.trim(), query(".user-profile-names .username").textContent.trim(),
"e.il.rout", `e.il.rout
Robin Ward is an admin`,
"e.il.rout profile is shown" "e.il.rout profile is shown"
); );
}); });

View File

@ -612,7 +612,22 @@ export function applyDefaultHandlers(pretender) {
pretender.post("/posts", function (request) { pretender.post("/posts", function (request) {
const data = parsePostData(request.requestBody); const data = parsePostData(request.requestBody);
if (data.raw === "custom message") { if (data.title === "this title triggers an error") {
return response(422, { errors: ["That title has already been taken"] });
}
if (data.raw === "enqueue this content please") {
return response(200, {
success: true,
action: "enqueued",
pending_post: {
id: 1234,
raw: data.raw,
},
});
}
if (data.raw === "custom message that is a good length") {
return response(200, { return response(200, {
success: true, success: true,
action: "custom", action: "custom",

View File

@ -1,111 +1,27 @@
const ORIGINAL_SETTINGS = { const CLIENT_SETTING_TEST_OVERRIDES = {
title: "QUnit Discourse Tests", title: "QUnit Discourse Tests",
site_logo_url: "/assets/logo.png", site_logo_url: "/assets/logo.png",
site_logo_url: "/assets/logo.png", site_logo_url: "/assets/logo.png",
site_logo_small_url: "/assets/logo-single.png", site_logo_small_url: "/assets/logo-single.png",
site_mobile_logo_url: "", site_mobile_logo_url: "",
site_favicon_url: "/images/discourse-logo-sketch-small.png", site_favicon_url: "/images/discourse-logo-sketch-small.png",
allow_user_locale: false,
suggested_topics: 7,
ga_universal_tracking_code: "",
ga_universal_domain_name: "auto",
top_menu: "latest|new|unread|categories|top",
post_menu: "like|share|flag|edit|bookmark|delete|admin|reply",
post_menu_hidden_items: "flag|bookmark|edit|delete|admin",
share_links: "twitter|facebook|email",
allow_username_in_share_links: true,
category_colors:
"BF1E2E|F1592A|F7941D|9EB83B|3AB54A|12A89D|25AAE2|0E76BD|652D90|92278F|ED207B|8C6238|231F20|27AA5B|B3B5B4|E45735",
enable_mobile_theme: true,
relative_date_duration: 14,
fixed_category_positions: false,
enable_badges: true,
invite_only: false,
login_required: false,
must_approve_users: false,
enable_local_logins: true,
allow_new_registrations: true,
enable_google_logins: true,
enable_google_oauth2_logins: false,
enable_twitter_logins: true, enable_twitter_logins: true,
enable_facebook_logins: true, enable_facebook_logins: true,
enable_github_logins: true, enable_github_logins: true,
enable_discourse_connect: false, authorized_extensions: "jpg|jpeg|png|gif|heic|heif|webp|svg|txt|ico|yml",
min_username_length: 3,
max_username_length: 20,
min_password_length: 8,
enable_names: true,
invites_shown: 30,
delete_user_max_post_age: 60,
delete_all_posts_max: 15,
min_post_length: 20,
min_personal_message_post_length: 10,
max_post_length: 32000,
min_topic_title_length: 15,
max_topic_title_length: 255,
min_personal_message_title_length: 2,
allow_uncategorized_topics: true,
min_title_similar_length: 10,
edit_history_visible_to_public: true,
delete_removed_posts_after: 24,
traditional_markdown_linebreaks: false,
suppress_reply_directly_below: true,
suppress_reply_directly_above: true,
newuser_max_embedded_media: 0,
newuser_max_attachments: 0,
display_name_on_posts: true,
short_progress_text_threshold: 10000,
default_code_lang: "auto",
autohighlight_all_code: false,
email_in: false,
authorized_extensions: ".jpg|.jpeg|.png|.gif|.svg|.txt|.ico|.yml",
authorized_extensions_for_staff: "",
max_image_width: 690,
max_image_height: 500,
allow_profile_backgrounds: true,
allow_uploaded_avatars: "0",
tl1_requires_read_posts: 30,
polling_interval: 3000,
anon_polling_interval: 30000, anon_polling_interval: 30000,
flush_timings_secs: 5, flush_timings_secs: 5,
enable_user_directory: true,
tos_url: "",
privacy_policy_url: "",
tos_accept_required: false,
faq_url: "",
allow_restore: false,
maximum_backups: 5,
version_checks: true,
suppress_uncategorized_badge: true,
min_search_term_length: 3,
topic_views_heat_low: 1000,
topic_views_heat_medium: 2000,
topic_views_heat_high: 5000,
global_notice: "",
show_create_topics_notice: true,
available_locales:
"cs|da|de|en|es|fr|he|id|it|ja|ko|nb_NO|nl|pl_PL|pt|pt_BR|ru|sv|uk|zh_CN|zh_TW",
highlighted_languages:
"apache|bash|cs|cpp|css|coffeescript|diff|xml|http|ini|json|java|javascript|makefile|markdown|nginx|objectivec|ruby|perl|php|python|sql|handlebars",
enable_emoji: true,
enable_emoji_shortcuts: true,
emoji_set: "google_classic",
enable_emoji_shortcuts: true,
enable_inline_emoji_translation: false,
desktop_category_page_style: "categories_and_latest_topics",
enable_mentions: true,
enable_personal_messages: true,
personal_message_enabled_groups: "11", // TL1 group
unicode_usernames: false,
secure_uploads: false,
external_emoji_url: "",
remove_muted_tags_from_latest: "always",
enable_group_directory: true,
default_sidebar_categories: "",
default_sidebar_tags: "",
}; };
let siteSettings = Object.assign({}, ORIGINAL_SETTINGS); // Note, CLIENT_SITE_SETTINGS_WITH_DEFAULTS is generated by the site-settings-plugin,
// writing to test-site-settings.js via the ember-cli-build pipeline.
const ORIGINAL_CLIENT_SITE_SETTINGS = Object.assign(
{},
// eslint-disable-next-line no-undef
CLIENT_SITE_SETTINGS_WITH_DEFAULTS,
CLIENT_SETTING_TEST_OVERRIDES
);
let siteSettings = Object.assign({}, ORIGINAL_CLIENT_SITE_SETTINGS);
export function currentSettings() { export function currentSettings() {
return siteSettings; return siteSettings;
@ -135,7 +51,8 @@ export function mergeSettings(other) {
export function resetSettings() { export function resetSettings() {
for (let p in siteSettings) { for (let p in siteSettings) {
if (siteSettings.hasOwnProperty(p)) { if (siteSettings.hasOwnProperty(p)) {
let v = ORIGINAL_SETTINGS[p]; // eslint-disable-next-line no-undef
let v = ORIGINAL_CLIENT_SITE_SETTINGS[p];
typeof v !== "undefined" ? setValue(p, v) : delete siteSettings[p]; typeof v !== "undefined" ? setValue(p, v) : delete siteSettings[p];
} }
} }

View File

@ -37,6 +37,7 @@
</style> </style>
<script src="{{rootURL}}assets/test-i18n.js"></script> <script src="{{rootURL}}assets/test-i18n.js"></script>
<script src="{{rootURL}}assets/test-site-settings.js"></script>
</head> </head>
<body> <body>
{{content-for "body"}} {{content-for "test-body"}} {{content-for "body"}} {{content-for "test-body"}}

View File

@ -96,6 +96,7 @@ module("Integration | Component | Widget | hamburger-menu", function (hooks) {
[...queryAll(".category-link .category-name")].map((el) => el.innerText), [...queryAll(".category-link .category-name")].map((el) => el.innerText),
this.site this.site
.get("categoriesByCount") .get("categoriesByCount")
.reject((c) => c.id === this.site.uncategorized_category_id)
.slice(0, 8) .slice(0, 8)
.map((c) => c.name) .map((c) => c.name)
); );
@ -103,7 +104,7 @@ module("Integration | Component | Widget | hamburger-menu", function (hooks) {
test("top categories - allow_uncategorized_topics", async function (assert) { test("top categories - allow_uncategorized_topics", async function (assert) {
this.owner.unregister("service:current-user"); this.owner.unregister("service:current-user");
this.siteSettings.allow_uncategorized_topics = false; this.siteSettings.allow_uncategorized_topics = true;
this.siteSettings.header_dropdown_category_count = 8; this.siteSettings.header_dropdown_category_count = 8;
await render(hbs`<MountWidget @widget="hamburger-menu" />`); await render(hbs`<MountWidget @widget="hamburger-menu" />`);
@ -113,7 +114,6 @@ module("Integration | Component | Widget | hamburger-menu", function (hooks) {
[...queryAll(".category-link .category-name")].map((el) => el.innerText), [...queryAll(".category-link .category-name")].map((el) => el.innerText),
this.site this.site
.get("categoriesByCount") .get("categoriesByCount")
.filter((c) => c.name !== "uncategorized")
.slice(0, 8) .slice(0, 8)
.map((c) => c.name) .map((c) => c.name)
); );
@ -122,7 +122,10 @@ module("Integration | Component | Widget | hamburger-menu", function (hooks) {
test("top categories", async function (assert) { test("top categories", async function (assert) {
this.siteSettings.header_dropdown_category_count = 8; this.siteSettings.header_dropdown_category_count = 8;
maxCategoriesToDisplay = this.siteSettings.header_dropdown_category_count; maxCategoriesToDisplay = this.siteSettings.header_dropdown_category_count;
categoriesByCount = this.site.get("categoriesByCount").slice(); categoriesByCount = this.site
.get("categoriesByCount")
.reject((c) => c.id === this.site.uncategorized_category_id)
.slice();
categoriesByCount.every((c) => { categoriesByCount.every((c) => {
if (!topCategoryIds.includes(c.id)) { if (!topCategoryIds.includes(c.id)) {
if (mutedCategoryIds.length === 0) { if (mutedCategoryIds.length === 0) {

View File

@ -23,7 +23,6 @@ module("Integration | Component | Widget | poster-name", function (hooks) {
assert.ok(exists("span.username")); assert.ok(exists("span.username"));
assert.ok(exists('a[data-user-card="eviltrout"]')); assert.ok(exists('a[data-user-card="eviltrout"]'));
assert.strictEqual(query(".username a").innerText, "eviltrout"); assert.strictEqual(query(".username a").innerText, "eviltrout");
assert.strictEqual(query(".full-name a").innerText, "Robin Ward");
assert.strictEqual(query(".user-title").innerText, "Trout Master"); assert.strictEqual(query(".user-title").innerText, "Trout Master");
}); });

View File

@ -47,8 +47,8 @@ module("Unit | Controller | create-account", function (hooks) {
controller.set("authProvider", ""); controller.set("authProvider", "");
controller.set("accountEmail", "pork@chops.com"); controller.set("accountEmail", "pork@chops.com");
controller.set("accountUsername", "porkchops"); controller.set("accountUsername", "porkchops123");
controller.set("prefilledUsername", "porkchops"); controller.set("prefilledUsername", "porkchops123");
controller.set("accountPassword", "b4fcdae11f9167"); controller.set("accountPassword", "b4fcdae11f9167");
assert.strictEqual( assert.strictEqual(
@ -79,7 +79,10 @@ module("Unit | Controller | create-account", function (hooks) {
testInvalidPassword("", null); testInvalidPassword("", null);
testInvalidPassword("x", I18n.t("user.password.too_short")); testInvalidPassword("x", I18n.t("user.password.too_short"));
testInvalidPassword("porkchops", I18n.t("user.password.same_as_username")); testInvalidPassword(
"porkchops123",
I18n.t("user.password.same_as_username")
);
testInvalidPassword( testInvalidPassword(
"pork@chops.com", "pork@chops.com",
I18n.t("user.password.same_as_email") I18n.t("user.password.same_as_email")

View File

@ -24,7 +24,7 @@ discourseModule("Unit | Utility | category-badge", function () {
assert.strictEqual(tag.tagName, "A", "it creates a `a` wrapper tag"); assert.strictEqual(tag.tagName, "A", "it creates a `a` wrapper tag");
assert.strictEqual( assert.strictEqual(
tag.className.trim(), tag.className.trim(),
"badge-wrapper", "badge-wrapper bullet",
"it has the correct class" "it has the correct class"
); );

View File

@ -32,12 +32,12 @@ discourseModule("Unit | Utility | emoji", function () {
); );
testUnescape( testUnescape(
"emoticons :)", "emoticons :)",
`emoticons <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/slight_smile.png?v=${v}' title='slight_smile' alt='slight_smile' class='emoji'>`, `emoticons <img width=\"20\" height=\"20\" src='/images/emoji/twitter/slight_smile.png?v=${v}' title='slight_smile' alt='slight_smile' class='emoji'>`,
"emoticons are still supported" "emoticons are still supported"
); );
testUnescape( testUnescape(
"With emoji :O: :frog: :smile:", "With emoji :O: :frog: :smile:",
`With emoji <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/o.png?v=${v}' title='O' alt='O' class='emoji'> <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/frog.png?v=${v}' title='frog' alt='frog' class='emoji'> <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/smile.png?v=${v}' title='smile' alt='smile' class='emoji'>`, `With emoji <img width=\"20\" height=\"20\" src='/images/emoji/twitter/o.png?v=${v}' title='O' alt='O' class='emoji'> <img width=\"20\" height=\"20\" src='/images/emoji/twitter/frog.png?v=${v}' title='frog' alt='frog' class='emoji'> <img width=\"20\" height=\"20\" src='/images/emoji/twitter/smile.png?v=${v}' title='smile' alt='smile' class='emoji'>`,
"title with emoji" "title with emoji"
); );
testUnescape( testUnescape(
@ -47,27 +47,27 @@ discourseModule("Unit | Utility | emoji", function () {
); );
testUnescape( testUnescape(
"(:frog:) :)", "(:frog:) :)",
`(<img width=\"20\" height=\"20\" src='/images/emoji/google_classic/frog.png?v=${v}' title='frog' alt='frog' class='emoji'>) <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/slight_smile.png?v=${v}' title='slight_smile' alt='slight_smile' class='emoji'>`, `(<img width=\"20\" height=\"20\" src='/images/emoji/twitter/frog.png?v=${v}' title='frog' alt='frog' class='emoji'>) <img width=\"20\" height=\"20\" src='/images/emoji/twitter/slight_smile.png?v=${v}' title='slight_smile' alt='slight_smile' class='emoji'>`,
"non-word characters allowed next to emoji" "non-word characters allowed next to emoji"
); );
testUnescape( testUnescape(
":smile: hi", ":smile: hi",
`<img width=\"20\" height=\"20\" src='/images/emoji/google_classic/smile.png?v=${v}' title='smile' alt='smile' class='emoji'> hi`, `<img width=\"20\" height=\"20\" src='/images/emoji/twitter/smile.png?v=${v}' title='smile' alt='smile' class='emoji'> hi`,
"start of line" "start of line"
); );
testUnescape( testUnescape(
"hi :smile:", "hi :smile:",
`hi <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/smile.png?v=${v}' title='smile' alt='smile' class='emoji'>`, `hi <img width=\"20\" height=\"20\" src='/images/emoji/twitter/smile.png?v=${v}' title='smile' alt='smile' class='emoji'>`,
"end of line" "end of line"
); );
testUnescape( testUnescape(
"hi :blonde_woman:t4:", "hi :blonde_woman:t4:",
`hi <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/blonde_woman/4.png?v=${v}' title='blonde_woman:t4' alt='blonde_woman:t4' class='emoji'>`, `hi <img width=\"20\" height=\"20\" src='/images/emoji/twitter/blonde_woman/4.png?v=${v}' title='blonde_woman:t4' alt='blonde_woman:t4' class='emoji'>`,
"support for skin tones" "support for skin tones"
); );
testUnescape( testUnescape(
"hi :blonde_woman:t4: :blonde_man:t6:", "hi :blonde_woman:t4: :blonde_man:t6:",
`hi <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/blonde_woman/4.png?v=${v}' title='blonde_woman:t4' alt='blonde_woman:t4' class='emoji'> <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/blonde_man/6.png?v=${v}' title='blonde_man:t6' alt='blonde_man:t6' class='emoji'>`, `hi <img width=\"20\" height=\"20\" src='/images/emoji/twitter/blonde_woman/4.png?v=${v}' title='blonde_woman:t4' alt='blonde_woman:t4' class='emoji'> <img width=\"20\" height=\"20\" src='/images/emoji/twitter/blonde_man/6.png?v=${v}' title='blonde_man:t6' alt='blonde_man:t6' class='emoji'>`,
"support for multiple skin tones" "support for multiple skin tones"
); );
testUnescape( testUnescape(
@ -95,7 +95,7 @@ discourseModule("Unit | Utility | emoji", function () {
); );
testUnescape( testUnescape(
"Hello 😊 World", "Hello 😊 World",
`Hello <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/blush.png?v=${v}' title='blush' alt='blush' class='emoji'> World`, `Hello <img width=\"20\" height=\"20\" src='/images/emoji/twitter/blush.png?v=${v}' title='blush' alt='blush' class='emoji'> World`,
"emoji from Unicode emoji" "emoji from Unicode emoji"
); );
testUnescape( testUnescape(
@ -108,7 +108,7 @@ discourseModule("Unit | Utility | emoji", function () {
); );
testUnescape( testUnescape(
"Hello😊World", "Hello😊World",
`Hello<img width=\"20\" height=\"20\" src='/images/emoji/google_classic/blush.png?v=${v}' title='blush' alt='blush' class='emoji'>World`, `Hello<img width=\"20\" height=\"20\" src='/images/emoji/twitter/blush.png?v=${v}' title='blush' alt='blush' class='emoji'>World`,
"emoji from Unicode emoji when inline translation enabled", "emoji from Unicode emoji when inline translation enabled",
{ {
enable_inline_emoji_translation: true, enable_inline_emoji_translation: true,
@ -124,13 +124,13 @@ discourseModule("Unit | Utility | emoji", function () {
); );
testUnescape( testUnescape(
"hi:smile:", "hi:smile:",
`hi<img width=\"20\" height=\"20\" src='/images/emoji/google_classic/smile.png?v=${v}' title='smile' alt='smile' class='emoji'>`, `hi<img width=\"20\" height=\"20\" src='/images/emoji/twitter/smile.png?v=${v}' title='smile' alt='smile' class='emoji'>`,
"emoji when inline translation enabled", "emoji when inline translation enabled",
{ enable_inline_emoji_translation: true } { enable_inline_emoji_translation: true }
); );
assert.strictEqual( assert.strictEqual(
emojiUnescape(":smile:", { tabIndex: "0" }), emojiUnescape(":smile:", { tabIndex: "0" }),
`<img width=\"20\" height=\"20\" src='/images/emoji/google_classic/smile.png?v=${v}' title='smile' alt='smile' class='emoji' tabindex='0'>`, `<img width=\"20\" height=\"20\" src='/images/emoji/twitter/smile.png?v=${v}' title='smile' alt='smile' class='emoji' tabindex='0'>`,
"emoji when tabindex is enabled" "emoji when tabindex is enabled"
); );
}); });

View File

@ -150,6 +150,7 @@ discourseModule("Unit | Utility | formatter", function (hooks) {
test("formatting tiny dates", function (assert) { test("formatting tiny dates", function (assert) {
let shortDateYear = shortDateTester("MMM 'YY"); let shortDateYear = shortDateTester("MMM 'YY");
this.siteSettings.relative_date_duration = 14;
assert.strictEqual(formatMins(0), "1m"); assert.strictEqual(formatMins(0), "1m");
assert.strictEqual(formatMins(1), "1m"); assert.strictEqual(formatMins(1), "1m");

View File

@ -16,7 +16,7 @@ const rawOpts = {
enable_emoji: true, enable_emoji: true,
enable_emoji_shortcuts: true, enable_emoji_shortcuts: true,
enable_mentions: true, enable_mentions: true,
emoji_set: "google_classic", emoji_set: "twitter",
external_emoji_url: "", external_emoji_url: "",
highlighted_languages: "json|ruby|javascript", highlighted_languages: "json|ruby|javascript",
default_code_lang: "auto", default_code_lang: "auto",
@ -1524,7 +1524,7 @@ var bar = 'bar';
assert.cookedOptions( assert.cookedOptions(
":grin: @sam", ":grin: @sam",
{ featuresOverride: ["emoji"] }, { featuresOverride: ["emoji"] },
`<p><img src="/images/emoji/google_classic/grin.png?v=${v}" title=":grin:" class="emoji" alt=":grin:" loading="lazy" width="20" height="20"> @sam</p>`, `<p><img src="/images/emoji/twitter/grin.png?v=${v}" title=":grin:" class="emoji" alt=":grin:" loading="lazy" width="20" height="20"> @sam</p>`,
"cooks emojis when only the emoji markdown engine is enabled" "cooks emojis when only the emoji markdown engine is enabled"
); );
@ -1539,15 +1539,15 @@ var bar = 'bar';
test("emoji", function (assert) { test("emoji", function (assert) {
assert.cooked( assert.cooked(
":smile:", ":smile:",
`<p><img src="/images/emoji/google_classic/smile.png?v=${v}" title=":smile:" class="emoji only-emoji" alt=":smile:" loading="lazy" width="20" height="20"></p>` `<p><img src="/images/emoji/twitter/smile.png?v=${v}" title=":smile:" class="emoji only-emoji" alt=":smile:" loading="lazy" width="20" height="20"></p>`
); );
assert.cooked( assert.cooked(
":(", ":(",
`<p><img src="/images/emoji/google_classic/frowning.png?v=${v}" title=":frowning:" class="emoji only-emoji" alt=":frowning:" loading="lazy" width="20" height="20"></p>` `<p><img src="/images/emoji/twitter/frowning.png?v=${v}" title=":frowning:" class="emoji only-emoji" alt=":frowning:" loading="lazy" width="20" height="20"></p>`
); );
assert.cooked( assert.cooked(
"8-)", "8-)",
`<p><img src="/images/emoji/google_classic/sunglasses.png?v=${v}" title=":sunglasses:" class="emoji only-emoji" alt=":sunglasses:" loading="lazy" width="20" height="20"></p>` `<p><img src="/images/emoji/twitter/sunglasses.png?v=${v}" title=":sunglasses:" class="emoji only-emoji" alt=":sunglasses:" loading="lazy" width="20" height="20"></p>`
); );
}); });
@ -1561,7 +1561,7 @@ var bar = 'bar';
assert.cookedOptions( assert.cookedOptions(
"test:smile:test", "test:smile:test",
{ siteSettings: { enable_inline_emoji_translation: true } }, { siteSettings: { enable_inline_emoji_translation: true } },
`<p>test<img src="/images/emoji/google_classic/smile.png?v=${v}" title=":smile:" class="emoji" alt=":smile:" loading="lazy" width="20" height="20">test</p>` `<p>test<img src="/images/emoji/twitter/smile.png?v=${v}" title=":smile:" class="emoji" alt=":smile:" loading="lazy" width="20" height="20">test</p>`
); );
}); });

View File

@ -382,6 +382,7 @@ discourseModule("Unit | Model | composer", function () {
}); });
test("title placeholder depends on what you're doing", function (assert) { test("title placeholder depends on what you're doing", function (assert) {
this.siteSettings.topic_featured_link_enabled = false;
let composer = createComposer({ action: CREATE_TOPIC }); let composer = createComposer({ action: CREATE_TOPIC });
assert.strictEqual( assert.strictEqual(
composer.get("titlePlaceholder"), composer.get("titlePlaceholder"),

View File

@ -204,7 +204,7 @@ discourseModule("Unit | Model | topic", function (hooks) {
assert.strictEqual( assert.strictEqual(
topic.get("fancyTitle"), topic.get("fancyTitle"),
`<img width=\"20\" height=\"20\" src='/images/emoji/google_classic/smile.png?v=${v}' title='smile' alt='smile' class='emoji'> with all <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/slight_smile.png?v=${v}' title='slight_smile' alt='slight_smile' class='emoji'> the emojis <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/pear.png?v=${v}' title='pear' alt='pear' class='emoji'><img width=\"20\" height=\"20\" src='/images/emoji/google_classic/peach.png?v=${v}' title='peach' alt='peach' class='emoji'>`, `<img width=\"20\" height=\"20\" src='/images/emoji/twitter/smile.png?v=${v}' title='smile' alt='smile' class='emoji'> with all <img width=\"20\" height=\"20\" src='/images/emoji/twitter/slight_smile.png?v=${v}' title='slight_smile' alt='slight_smile' class='emoji'> the emojis <img width=\"20\" height=\"20\" src='/images/emoji/twitter/pear.png?v=${v}' title='pear' alt='pear' class='emoji'><img width=\"20\" height=\"20\" src='/images/emoji/twitter/peach.png?v=${v}' title='peach' alt='peach' class='emoji'>`,
"supports emojis" "supports emojis"
); );
}); });
@ -238,7 +238,7 @@ discourseModule("Unit | Model | topic", function (hooks) {
assert.strictEqual( assert.strictEqual(
topic.get("escapedExcerpt"), topic.get("escapedExcerpt"),
`This is a test topic <img width=\"20\" height=\"20\" src='/images/emoji/google_classic/smile.png?v=${v}' title='smile' alt='smile' class='emoji'>`, `This is a test topic <img width=\"20\" height=\"20\" src='/images/emoji/twitter/smile.png?v=${v}' title='smile' alt='smile' class='emoji'>`,
"supports emojis" "supports emojis"
); );
}); });

View File

@ -385,6 +385,12 @@ function setupMarkdownEngine(opts, featureConfig) {
opts.pluginCallbacks.forEach(([feature, callback]) => { opts.pluginCallbacks.forEach(([feature, callback]) => {
if (featureConfig[feature]) { if (featureConfig[feature]) {
if (callback === null || callback === undefined) {
// eslint-disable-next-line no-console
console.log("BAD MARKDOWN CALLBACK FOUND");
// eslint-disable-next-line no-console
console.log(`FEATURE IS: ${feature}`);
}
opts.engine.use(callback); opts.engine.use(callback);
} }
}); });

View File

@ -67,7 +67,10 @@ acceptance("Discourse Chat - Composer", function (needs) {
"service:chat-emoji-reaction-store" "service:chat-emoji-reaction-store"
); );
assert.deepEqual(emojiReactionStore.favorites, []); assert.deepEqual(
emojiReactionStore.favorites,
this.siteSettings.default_emoji_reactions.split("|")
);
await visit("/chat/channel/11/-"); await visit("/chat/channel/11/-");
await click(".chat-composer-dropdown__trigger-btn"); await click(".chat-composer-dropdown__trigger-btn");
@ -76,7 +79,7 @@ acceptance("Discourse Chat - Composer", function (needs) {
assert.deepEqual( assert.deepEqual(
emojiReactionStore.favorites, emojiReactionStore.favorites,
["grinning"], ["grinning"].concat(this.siteSettings.default_emoji_reactions.split("|")),
"it tracks the emoji" "it tracks the emoji"
); );
}); });
@ -86,7 +89,10 @@ acceptance("Discourse Chat - Composer", function (needs) {
"service:chat-emoji-reaction-store" "service:chat-emoji-reaction-store"
); );
assert.deepEqual(emojiReactionStore.favorites, []); assert.deepEqual(
emojiReactionStore.favorites,
this.siteSettings.default_emoji_reactions.split("|")
);
await visit("/chat/channel/11/-"); await visit("/chat/channel/11/-");
await fillIn(".chat-composer-input", "test :grinni"); await fillIn(".chat-composer-input", "test :grinni");
@ -95,7 +101,7 @@ acceptance("Discourse Chat - Composer", function (needs) {
assert.deepEqual( assert.deepEqual(
emojiReactionStore.favorites, emojiReactionStore.favorites,
["grinning"], ["grinning"].concat(this.siteSettings.default_emoji_reactions.split("|")),
"it tracks the emoji" "it tracks the emoji"
); );
}); });

View File

@ -30,7 +30,10 @@ acceptance("Discourse Chat - Chat Message", function (needs) {
"service:chat-emoji-reaction-store" "service:chat-emoji-reaction-store"
); );
assert.deepEqual(emojiReactionStore.favorites, []); assert.deepEqual(
emojiReactionStore.favorites,
this.siteSettings.default_emoji_reactions.split("|")
);
await visit("/chat/channel/4/public-category"); await visit("/chat/channel/4/public-category");
await click( await click(
@ -39,7 +42,11 @@ acceptance("Discourse Chat - Chat Message", function (needs) {
assert.deepEqual( assert.deepEqual(
emojiReactionStore.favorites, emojiReactionStore.favorites,
["heart"], ["heart"].concat(
this.siteSettings.default_emoji_reactions
.split("|")
.filter((r) => r !== "heart")
),
"it tracks the emoji" "it tracks the emoji"
); );
@ -49,7 +56,11 @@ acceptance("Discourse Chat - Chat Message", function (needs) {
assert.deepEqual( assert.deepEqual(
emojiReactionStore.favorites, emojiReactionStore.favorites,
["heart"], ["heart"].concat(
this.siteSettings.default_emoji_reactions
.split("|")
.filter((r) => r !== "heart")
),
"it doesnt untrack when removing the reaction" "it doesnt untrack when removing the reaction"
); );
}); });
@ -59,7 +70,10 @@ acceptance("Discourse Chat - Chat Message", function (needs) {
"service:chat-emoji-reaction-store" "service:chat-emoji-reaction-store"
); );
assert.deepEqual(emojiReactionStore.favorites, []); assert.deepEqual(
emojiReactionStore.favorites,
this.siteSettings.default_emoji_reactions.split("|")
);
await visit("/chat/channel/4/public-category"); await visit("/chat/channel/4/public-category");
await triggerEvent(".chat-message-container[data-id='176']", "mouseenter"); await triggerEvent(".chat-message-container[data-id='176']", "mouseenter");
@ -68,7 +82,7 @@ acceptance("Discourse Chat - Chat Message", function (needs) {
assert.deepEqual( assert.deepEqual(
emojiReactionStore.favorites, emojiReactionStore.favorites,
["grinning"], ["grinning"].concat(this.siteSettings.default_emoji_reactions.split("|")),
"it tracks the emoji" "it tracks the emoji"
); );
@ -78,7 +92,7 @@ acceptance("Discourse Chat - Chat Message", function (needs) {
assert.deepEqual( assert.deepEqual(
emojiReactionStore.favorites, emojiReactionStore.favorites,
["grinning"], ["grinning"].concat(this.siteSettings.default_emoji_reactions.split("|")),
"it doesnt untrack when removing the reaction" "it doesnt untrack when removing the reaction"
); );
}); });

View File

@ -85,7 +85,10 @@ module("Discourse Chat | Unit | chat-emoji-reaction-store", function (hooks) {
this.chatEmojiReactionStore.storedFavorites = []; this.chatEmojiReactionStore.storedFavorites = [];
this.chatEmojiReactionStore.track("yum"); this.chatEmojiReactionStore.track("yum");
assert.deepEqual(this.chatEmojiReactionStore.storedFavorites, ["yum"]); assert.deepEqual(
this.chatEmojiReactionStore.storedFavorites,
["yum"].concat(this.siteSettings.default_emoji_reactions.split("|"))
);
}); });
test("#storedFavorites when tracking different emojis", function (assert) { test("#storedFavorites when tracking different emojis", function (assert) {
@ -97,7 +100,9 @@ module("Discourse Chat | Unit | chat-emoji-reaction-store", function (hooks) {
assert.deepEqual( assert.deepEqual(
this.chatEmojiReactionStore.storedFavorites, this.chatEmojiReactionStore.storedFavorites,
["grinning", "yum", "not_yum", "yum"], ["grinning", "yum", "not_yum", "yum"].concat(
this.siteSettings.default_emoji_reactions.split("|")
),
"it ensures last in is first" "it ensures last in is first"
); );
}); });

View File

@ -14,6 +14,9 @@ acceptance("Details Button", function (needs) {
await visit("/"); await visit("/");
await click("#create-topic"); await click("#create-topic");
const categoryChooser = selectKit(".category-chooser");
await categoryChooser.expand();
await categoryChooser.selectRowByValue(2);
await popupMenu.expand(); await popupMenu.expand();
await popupMenu.selectRowByValue("insertDetails"); await popupMenu.selectRowByValue("insertDetails");
@ -115,6 +118,9 @@ acceptance("Details Button", function (needs) {
await visit("/"); await visit("/");
await click("#create-topic"); await click("#create-topic");
const categoryChooser = selectKit(".category-chooser");
await categoryChooser.expand();
await categoryChooser.selectRowByValue(2);
await fillIn(".d-editor-input", multilineInput); await fillIn(".d-editor-input", multilineInput);
const textarea = query(".d-editor-input"); const textarea = query(".d-editor-input");

View File

@ -4,7 +4,7 @@ import { module, test } from "qunit";
const defaultOpts = buildOptions({ const defaultOpts = buildOptions({
siteSettings: { siteSettings: {
enable_emoji: true, enable_emoji: true,
emoji_set: "google_classic", emoji_set: "twitter",
highlighted_languages: "json|ruby|javascript", highlighted_languages: "json|ruby|javascript",
default_code_lang: "auto", default_code_lang: "auto",
}, },

View File

@ -23,6 +23,9 @@ acceptance("Local Dates - composer", function (needs) {
await visit("/"); await visit("/");
await click("#create-topic"); await click("#create-topic");
const categoryChooser = selectKit(".category-chooser");
await categoryChooser.expand();
await categoryChooser.selectRowByValue(2);
await fillIn( await fillIn(
".d-editor-input", ".d-editor-input",
@ -73,6 +76,9 @@ acceptance("Local Dates - composer", function (needs) {
test("date modal", async function (assert) { test("date modal", async function (assert) {
await visit("/"); await visit("/");
await click("#create-topic"); await click("#create-topic");
const categoryChooser = selectKit(".category-chooser");
await categoryChooser.expand();
await categoryChooser.selectRowByValue(2);
await click(".d-editor-button-bar .local-dates"); await click(".d-editor-button-bar .local-dates");
const timezoneChooser = selectKit(".timezone-input"); const timezoneChooser = selectKit(".timezone-input");
@ -88,6 +94,9 @@ acceptance("Local Dates - composer", function (needs) {
test("date modal - controls", async function (assert) { test("date modal - controls", async function (assert) {
await visit("/"); await visit("/");
await click("#create-topic"); await click("#create-topic");
const categoryChooser = selectKit(".category-chooser");
await categoryChooser.expand();
await categoryChooser.selectRowByValue(2);
await click(".d-editor-button-bar .local-dates"); await click(".d-editor-button-bar .local-dates");
await click('.pika-table td[data-day="5"] > .pika-button'); await click('.pika-table td[data-day="5"] > .pika-button');

View File

@ -49,7 +49,7 @@ acceptance("Local Dates - quoting", function (needs) {
await click(".insert-quote"); await click(".insert-quote");
assert.strictEqual( assert.strictEqual(
query(".d-editor-input").value.trim(), query(".d-editor-input").value.trim(),
`[quote=\"Uwe Keim, post:1, topic:280, username:uwe_keim\"] `[quote=\"uwe_keim, post:1, topic:280\"]
This is a test [date=2022-06-17 time=10:00:00 timezone="Australia/Brisbane" displayedTimezone="Australia/Perth"] This is a test [date=2022-06-17 time=10:00:00 timezone="Australia/Brisbane" displayedTimezone="Australia/Perth"]
[/quote]`, [/quote]`,
"converts the date to markdown with all options correctly" "converts the date to markdown with all options correctly"
@ -88,7 +88,7 @@ acceptance("Local Dates - quoting range", function (needs) {
await click(".insert-quote"); await click(".insert-quote");
assert.strictEqual( assert.strictEqual(
query(".d-editor-input").value.trim(), query(".d-editor-input").value.trim(),
`[quote=\"Uwe Keim, post:1, topic:280, username:uwe_keim\"] `[quote=\"uwe_keim, post:1, topic:280\"]
Some text [date-range from=2022-06-17T09:30:00 to=2022-06-18T10:30:00 format="LL" timezone="Australia/Brisbane" timezones="Africa/Accra|Australia/Brisbane|Europe/Paris"] Some text [date-range from=2022-06-17T09:30:00 to=2022-06-18T10:30:00 format="LL" timezone="Australia/Brisbane" timezones="Africa/Accra|Australia/Brisbane|Europe/Paris"]
[/quote]`, [/quote]`,
"converts the date range to markdown with all options correctly" "converts the date range to markdown with all options correctly"
@ -130,7 +130,7 @@ acceptance(
await click(".insert-quote"); await click(".insert-quote");
assert.strictEqual( assert.strictEqual(
query(".d-editor-input").value.trim(), query(".d-editor-input").value.trim(),
`[quote=\"Uwe Keim, post:1, topic:280, username:uwe_keim\"] `[quote=\"uwe_keim, post:1, topic:280\"]
Testing countdown [date=2022-06-21 time=09:30:00 format="LL" timezone="Australia/Brisbane" countdown="true"] Testing countdown [date=2022-06-21 time=09:30:00 format="LL" timezone="Australia/Brisbane" countdown="true"]
Testing recurring [date=2022-06-22 timezone="Australia/Brisbane" recurring="2.weeks"] Testing recurring [date=2022-06-22 timezone="Australia/Brisbane" recurring="2.weeks"]

View File

@ -21,6 +21,9 @@ acceptance("Discourse Presence Plugin", function (needs) {
test("Doesn't break topic creation", async function (assert) { test("Doesn't break topic creation", async function (assert) {
await visit("/"); await visit("/");
await click("#create-topic"); await click("#create-topic");
const categoryChooser = selectKit(".category-chooser");
await categoryChooser.expand();
await categoryChooser.selectRowByValue(2);
await fillIn("#reply-title", "Internationalization Localization"); await fillIn("#reply-title", "Internationalization Localization");
await fillIn( await fillIn(
".d-editor-input", ".d-editor-input",