Discourse Plugins entwickeln - Teil 6 - Akzeptanztests hinzufügen

Vorheriges Tutorial: Developing Discourse Plugins - Part 5 - Add an admin interface


Wussten Sie, dass Discourse zwei große Test-Suiten für seinen Codebestand hat? Auf der Serverseite verfügt unser Ruby-Code über eine Test-Suite, die rspec verwendet. Für die Browseranwendung haben wir eine qunit-Suite, die ember-testing integriert hat.

Wenn Sie eine Entwicklungsumgebung eingerichtet haben, starten Sie die JavaScript-Test-Suite in Ihrem Browser, indem Sie die URL http://localhost:4200/tests besuchen. Ein interessanter Aspekt ist, dass Sie sehen können, wie sie die Anwendung in einem Miniaturfenster in der unteren rechten Ecke testet:

Die Discourse-Anwendung ist mit sehr vielen Tests erstellt, die ausgeführt werden, sobald Sie die URL /tests besuchen. Es kann daher hilfreich sein, Ihre Tests nach dem Plugin zu filtern, an dem Sie arbeiten. Dies können Sie in der Oberfläche tun, indem Sie auf das Dropdown-Menü Plugin klicken und Ihr Plugin auswählen:

Einen Akzeptanztest in Ihrem Plugin hinzufügen

Stellen Sie zunächst sicher, dass Sie die neueste Version von Discourse ausgecheckt haben. Die Möglichkeit, Akzeptanztests aus Plugins auszuführen, ist eine relativ neue Funktion. Wenn Sie nicht die neueste Version auschecken, werden Ihre Tests nicht angezeigt.

Für diesen Artikel werde ich einen Akzeptanztest für das Plugin purple-tentacle schreiben, das wir in Teil 5 dieser Serie erstellt haben.

Einen Akzeptanztest hinzuzufügen ist so einfach wie das Hinzufügen einer Datei zu Ihrem Plugin. Erstellen Sie Folgendes:

test/javascripts/acceptance/purple-tentacle-test.js

import { acceptance, exists } from "discourse/tests/helpers/qunit-helpers";
import { click, visit } from "@ember/test-helpers";
import { test } from "qunit";

acceptance("Purple Tentacle", function (needs) {
  needs.settings({ purple_tentacle_enabled: true });
  needs.user();

  test("Purple tentacle button works", async function (assert) {
    await visit("/admin/plugins/purple-tentacle");
    assert.ok(exists("#show-tentacle"), "it shows the purple tentacle button");
    assert.ok(!exists(".tentacle"), "the tentacle is not shown yet");
    await click("#show-tentacle");
    assert.ok(exists(".tentacle"), "the tentacle wants to rule the world!");
  });
});

Ich habe versucht, den Test so zu schreiben, dass er klar ist, aber er könnte etwas verwirrend sein, wenn Sie noch nie zuvor einen Akzeptanztest geschrieben haben. Ich empfehle dringend, die Ember-Dokumentation zum Akzeptanztesten zu lesen, da sie viele großartige Informationen enthält.

In jedem Test, den wir schreiben, müssen wir etwas asserten (behaupten). In unserem Test möchten wir einige Behauptungen aufstellen, um zu überprüfen, ob der Tentakel zunächst verborgen ist und erst nach dem Klicken auf den Button angezeigt wird.

Wir möchten eine Reihe von Aktionen definieren, die ausgeführt werden sollen, bevor eine Behauptung aufgestellt wird. Dazu verwenden wir das Schlüsselwort await. Durch die Verwendung dieses Schlüsselworts warten wir, bis die Ausführung jedes asynchronen Helferprogramms zuerst abgeschlossen ist.

Unsere erste wichtige Aktion ist: await visit("/admin/plugins/purple-tentacle");. Dies weist unseren Test an, zu dieser URL in unserer Anwendung zu navigieren. Diese URL war diejenige, die den Tentakel anzeigte.

Nach dem Besuch der Seite, auf der der lila Tentakel-Button erscheint, möchten wir überprüfen, ob der Button auf der Seite vorhanden ist und ob das Tentakel-Bild noch nicht existiert.

Dies wird durch die folgenden Behauptungen erreicht:

assert.ok(exists("#show-tentacle"), "it shows the purple tentacle button");
assert.ok(!exists(".tentacle"), "the tentacle is not shown yet");

P.S. Die vorherige Version des purple-tentacle-Plugins hatte die Element-ID #show-tentacle nicht in der Handlebars-Vorlage. Schauen Sie sich die neueste Version an, um auf dem Laufenden zu bleiben!

Sobald diese Tests bestanden sind, ist es Zeit, die Interaktion zu testen.

Der nächste Befehl lautet await click('#show-tentacle');, der unserem Test-Framework mitteilt, dass wir auf den Button klicken und den Tentakel anzeigen möchten.

Nachdem wir einen Klick auf den Button simuliert haben, können wir überprüfen, ob der Tentakel erscheint, indem wir behaupten:

assert.ok(exists(".tentacle"), "the tentacle wants to rule the world!");

Nicht schlecht, oder? Sie können den Test selbst ausprobieren, indem Sie auf Ihrer Entwicklungsmaschine http://localhost:4200/tests?qunit_single_plugin=purple-tentacle&qunit_skip_core=1 besuchen. Sie sollten sehr schnell sehen, wie der lila Tentakel erscheint, und alle Tests werden bestanden.

Wenn Sie die Plugin-Qunit-Tests auf der Kommandozeile mit PhantomJS ausführen möchten, können Sie

rake plugin:qunit['purple-tentacle']

ausführen

(wobei purple-tentacle der Ordnername Ihres Plugins ist)

Ihre Tests debuggen

Während Sie Ihre Plugins schreiben, können Ihnen Ihre Tests helfen, Probleme in Ihrem Plugin zu identifizieren. Wenn Sie Ihre Tests entwickeln oder Änderungen am Code Ihres Plugins vornehmen, können die Tests fehlschlagen. Um zu verstehen, warum, bietet Ember einige nette Helfer: pauseTest() und resumeTest().

Um sie zu nutzen, fügen Sie await pauseTest() in Ihren Testcode ein, an der Stelle, an der der Test pausieren soll. Wenn Sie Ihren Test nun im Browser ausführen, wird der Test an der Stelle, an der Sie pauseTest() hinzugefügt haben, automatisch angehalten. Dies gibt Ihnen die Möglichkeit, die Seite zu überprüfen oder Fehler anzuzeigen, um bei der Fehlersuche zu helfen.

Wie geht es weiter?

Ich möchte nicht wie eine kaputte Schallplatte klingen, aber die Ember-Dokumentation zum Testen ist ausgezeichnet. Sie möchten vielleicht auch sehen, wie Discourse verschiedene Funktionen testet, indem Sie die Tests in unserem JavaScript-Testverzeichnis durchsuchen. Dort finden Sie einige Beispiele, von denen Sie lernen können.

Viel Spaß beim Testen!


Mehr in der Serie

Teil 1: Plugin-Grundlagen
Teil 2: Plugin-Outlets
Teil 3: Site-Einstellungen
Teil 4: Git-Einrichtung
Teil 5: Admin-Schnittstellen
Teil 6: Dieses Thema
Teil 7: Veröffentlichen Sie Ihr Plugin


Dieses Dokument wird versioniert – schlagen Sie Änderungen auf github vor.

30 „Gefällt mir“

OMG, have I put off writing tests for this long?!

A few things
I noticed you put an “id” into the template file that wasn’t there in the previous tutorial
I added 3 more tests to deal with the “Hide Tentacle” button I added
I needed to be logged in it is an Admin page
I needed to use port 4000 for my VirtualBox Vagrant set-up

Happily, quick success !

5 „Gefällt mir“

I’ve noticed a push to implement testing for plugins lately and I completely agree that this is important. I’ve been terrible at writing these in the past and want to get caught up.

I was considering the setup of Travis CI on a plugin repo as I noticed the ability to use Docker with Travis. But having never touched Travis before, is it possible to do this with a plugin? It would be nice to submit PRs to my own repo and have the tests run automatically.

5 „Gefällt mir“

how can I run single ember tests on the browser?

http://localhost:3000/qunit?module=Acceptance%3A%20Purple%20Tentacle

I mean, if I have another acceptance test called “another test”, how would I run it? Thank you!

If you click “rerun” beside a test, you’ll get a URL that is just for that particular test that you can refresh over and over.

You can also run by module by clicking in the “All Module” box and checking off just the modules you want to run.

2 „Gefällt mir“

This tutorial needs updating to replace ok(...) with assert.ok(...).

Have put the necessary changes in a PR - I’m happy to edit the OP if it’s made into a wiki :slight_smile:

https://github.com/eviltrout/purple-tentacle/pull/2

2 „Gefällt mir“

OK it is wikified! PM me if anything else needs this treatment any time.

1 „Gefällt mir“

A note after writing some basic acceptance tests for the Elections Plugin:

  • If you use the default loggedIn option, you’re logged in as eviltrout with the properties in this session fixture

  • You can login as a custom user (necessary if you’ve added custom user properties) by defining your own session fixture and setting it as the current user using the beforeEach hook. See here for an example.

@eviltrout is there a better way of using a custom user for acceptance tests?

5 „Gefällt mir“

What we should probably do is change the acceptance method in discourse to take an argument for the user to log in as. Then your test could say { loggedIn: true, logInAs: angus }

If you’ve got time for that PR we’d accept it!

4 „Gefällt mir“

q: how to run the ruby tests tests for a plugin?

i am trying to run the tests for discourse-github-linkback, but i have no idea how.

After some stackoverflow i tried this (and i got some errors):

~/discourse$ bundle exec rspec ./plugins/discourse-github-linkback/spec/lib/github_linkback_spec.rb 

An error occurred while loading ./plugins/discourse-github-linkback/spec/lib/github_linkback_spec.rb.
Failure/Error: CoreExt::ActiveSupport.without_bootsnap_cache { super }

NameError:
  uninitialized constant GithubLinkback
# ./plugins/discourse-github-linkback/spec/lib/github_linkback_spec.rb:3:in `<top (required)>'
# ------------------
# --- Caused by: ---
# NameError:
#   uninitialized constant GithubLinkback
#   ./plugins/discourse-github-linkback/spec/lib/github_linkback_spec.rb:3:in `<top (required)>'
No examples found.

Randomized with seed 60987


Finished in 0.02025 seconds (files took 3.36 seconds to load)
0 examples, 0 failures, 1 error occurred outside of examples

Randomized with seed 60987

Note that i see the plugin in the local discourse dev admin page, so i hope it is correctly installed (into ~discourse/plugins/

Simplest way, run bin/rake autospec, and save the file

1 „Gefällt mir“

From what i see, doing cd ~/discourse and then running

runs all the tests for discourse.

On my ubuntu 18.04 VM with i5 6500, this has been running for half an hour already.
It feels wrong to run the whole tests suite when i only want to run the tests in that one plugin.
(this is especially so when i probably will modify my tests again, at least a few times)

Did i do something wrong?

Let me guess, you are symlinking your plugin vs checking out directly to the path under plugins

nope,

tbp@tbp-linux-dev:~$ cd ~/discourse/plugins/
git clone -b allow-all-user-repositories-wildcard https://github.com/TheBestPessimist/discourse-github-linkback
tbp@tbp-linux-dev:~/discourse/plugins$ ll
total 40
drwxr-xr-x 10 tbp tbp 4096 mai 13 21:48 ./
drwxr-xr-x 20 tbp tbp 4096 mai 13 21:18 ../
drwxr-xr-x  6 tbp tbp 4096 mai 13 20:29 discourse-details/
drwxr-xr-x  6 tbp tbp 4096 mai 13 21:48 discourse-github-linkback/
drwxr-xr-x  6 tbp tbp 4096 mai 13 20:29 discourse-local-dates/
drwxr-xr-x  9 tbp tbp 4096 mai 13 20:29 discourse-narrative-bot/
drwxr-xr-x  7 tbp tbp 4096 mai 13 20:29 discourse-nginx-performance-report/
drwxr-xr-x  5 tbp tbp 4096 mai 13 20:29 discourse-presence/
drwxr-xr-x  3 tbp tbp 4096 mai 13 20:29 lazyYT/
drwxr-xr-x  9 tbp tbp 4096 mai 13 20:29 poll/
tbp@tbp-linux-dev:~/discourse/plugins$ 

Can you confirm you tried saving the spec file once it was running, cause it is meant to interrupt stuff and start running the plugin spec?

since the initial bin/rake autospec is still running, there was/is no “save spec file” message yet.
also, by running bin/rake autospec --help, i saw no --save option.

I didn’t understand what save the file meant, so my full command was bin/rake autospec > spec.rb ← probably this is wrong

I meant in Vim or whatever you use, save the spec file, there is a watcher on it that will invoke the spec runner once it is saved.

Also see: How do I run only discourse/plugins/poll/spec?

1 „Gefällt mir“

Finally i did it :^).

With the help of that link, i ran the tests by using this command:
bundle exec rake plugin:spec["discourse-github-linkback"]
and, ofc, i was in ~/discourse when doing that.

Thanks for all your help @sam!

(1st PR for discourse-plugin babyyyyy :tada:)

8 „Gefällt mir“

My Qunit-Tests aren’t executed or at least they don’t show me any output.
They finish with the following:

No output has been received in the last 10m0s, this potentially indicates a stalled build or something wrong with the build itself.
Check the details on how to adjust your build configuration on: https://docs.travis-ci.com/user/common-build-problems/#Build-times-out-because-no-output-was-received

Travis.CI Result - Travis CI
Test-File - GitHub - kokoro-ko/discourse-humble-box: humble-bundle onebox

I am not that skilled with CI yet and haven’t found my mistake by now.

Do your tests pass if you visit /qunit on your development environment? How about if you run rake plugin:qunit[discouse-humble-box]?

2 „Gefällt mir“