初めに
この度、localhostで開発・テスト・本番環境を設定し、開発→テスト→本番マシンへの展開を再現し、
JavaScriptのTDDを実践で試してみましょう。
利用するツールに関して
Jenkins
CI(Continuous Integration→継続的インテグレーション)のツールです。
Jenkinsの詳しい資料は、http://jenkins-ci.org/にあります。
PhantomJS
PhantomJSはJavaScript APIで動くヘッドレスWebKitです。要するに、ブラウザーがなくてもJavaScriptが実行できる仕組みを提供していただいております。
PhantomJSについて、http://phantomjs.org/ をお読みください。
QUnit
- 非常にlightweightである
- 学習コストが安い
- 豊富なpluginが用意されている
- synchronous/asynchronous callbackのテストが可能
- モジュール定義により、htmlファイル毎にJSテストを分けることもできる
早速、環境を用意しましょう。。。
前提条件
gitがマシンに既にインストールされていて、GitHubのアカウントを保有していること。
1. PhantomJSをインストール
私の場合、/myprojects/phantomjsにgithubからcloneしました。
mkdir /myprojectscd /myprojectsgit clone git://github.com/ariya/phantomjs.git
そして、PhantomJSをインストールします。
sudo apt-get updatesudo apt-get install phantomjs
2. Jenkinsをインストール
wget -q -O - https://jenkins-ci.org/debian/jenkins-ci.org.key | sudo apt-key add -
sudo sh -c 'echo deb http://pkg.jenkins-ci.org/debian binary/ > /etc/apt/sources.list.d/jenkins.list'
sudo apt-get updatesudo apt-get install jenkins
https://wiki.jenkins-ci.org/display/JENKINS/Installing+Jenkinsをご覧ください。
デフォルトでJenkinsはhttp://127.0.0.1:8080で見れます。
3. JenkinsとGitHubを連携
必要となるpluginをインストールします。
「Jenkinsの管理」→「プラグイン管理」で、「利用可能」タブで、「Git Plugin」、「Parameterized trigger Plugin」、「GitHub pull request builder plugin」、「GitHub Plugin」を検索し、インストールしてください。
pluginインストールが完了したらJenkinsを再起動してください。
sudo service jenkins restart
sudo su -l jenkinsssh-keygen -t rsa -C "jenkins@hogehoge.com"
Generating public/private rsa key pair.Enter file in which to save the key (/var/lib/jenkins/.ssh/id_rsa):Created directory '/var/lib/jenkins/.ssh'.Enter passphrase (empty for no passphrase):Enter same passphrase again:Your identification has been saved in /var/lib/jenkins/.ssh/id_rsa.Your public key has been saved in /var/lib/jenkins/.ssh/id_rsa.pub.The key fingerprint is:09:b6:79:a6:b4:9d:5b:d0:ab:36:fb:93:ea:a4:62:7e jenkins@hogehoge.com
できた鍵をknown_hostsに追加します。
eval $(ssh-agent)ssh-add /var/lib/jenkins/.ssh/id_rsa
GitHubの鍵生成の詳しくは、https://help.github.com/articles/generating-ssh-keysを参照できます。
4. GitHubのリポジトリーを作成
GitHubでtestrepoリポジトリーを作成します。
5. 開発環境の用意
mkdir /workdir
cd workdir/git clone --recursive https://github.com/d-malyshev/testrepo.git
DocumentRoot /workdir/testrepo/public_htmlServerName work.myserver.comErrorLog "/var/log/apache2/work_server-error_log"CustomLog "/var/log/apache2/work_server-access" common</VirtualHost>
127.0.0.1 work.myserver.com
6. プロジェクトのソースコードを実装
開発フォルダーのtestrepoの下で、加算・引き算をする簡単なファイルを実装しましょう。
それより、先にGitHubのtest_branchのブランチを作成します。
cd /workdir/testrepogit checkout -b test_branch
/public_html/index.html -> indexファイル/add.html -> 足し算の処理/subtract.html -> 引き算の処理/js -> JavaScriptフォルダー/test -> ここでJavaScript用のUnit Testの.jsファイルを保存します/unit_test.js -> 実際のUnit Test
index.html
<!DOCTYPE html><html><head><meta charset="utf-8"><title>Calculation Page</title></head><body><p>Welcome to calculation site!</p><p><a href="add.html">Addition</a></p><p><a href="subtract.html">Subtraction</a></p></body></html>
<!DOCTYPE html><html><head><meta charset="utf-8"><title>Calculation Page: addition</title></head><body><script>function calculateAdd(a, b){var result = a + b;return result;}</script><script>var res = calculateAdd(1, 2);document.write("1 + 2 = " + res);</script></body></html>
<!DOCTYPE html><html><head><meta charset="utf-8"><title>Calculation Page: subtraction</title></head><body><script>function calculateSubtract(a, b){var result = a - b;return result;}</script><script>var res = calculateSubtract(2, 1);document.write("2 - 1 = " + res);</script></body></html>
QUnitでテストできるには、ソースコードに数行を追加しなければいけません。
QUnitのライブラリjsとその表示用のcssをhtmlのheadに追加します。
<link rel="stylesheet" type="text/css" href="//code.jquery.com/qunit/qunit-1.15.0.css">
<script src="//code.jquery.com/qunit/qunit-1.15.0.js"></script>
QUnitのテスト結果が表示されるqunitとqunit-fixtureのidを持っているdivもhtmlのbody追加します。
<div id="qunit"></div><div id="qunit-fixture"></div>
QUnit.test("calculateAdd test", function(assert) {var value = calculateAdd(1, 2);var expected = 3;assert.equal(value, expected, "We expect addition result to be " + expected);});
<!DOCTYPE html><html><head><meta charset="utf-8"><title>Calculation Page: addition</title><link rel="stylesheet" type="text/css" href="//code.jquery.com/qunit/qunit-1.15.0.css"><script src="//code.jquery.com/qunit/qunit-1.15.0.js"></script></head><body><script>function calculateAdd(a, b){var result = a + b;return result;}</script><script>var res = calculateAdd(2, 1);document.write("1 + 2 = " + res);</script><script>QUnit.test("calculateAdd test", function(assert) {var value = calculateAdd(1, 2);var expected = 3;assert.equal(value, expected, "We expect addition result to be " + expected);});</script><div id="qunit"></div><div id="qunit-fixture"></div></body></html>
phantomjs /myprojects/phantomjs/examples/run-qunit.js http://work.myserver.com/add.html'waitFor()' finished in 220ms.Tests completed in 20 milliseconds.1 assertions of 1 passed, 0 failed.
QUnitテストのソースコードをテスト専用のjs/test/unit_test.jsに移行しましょう。または、各htmlファイルにQUnit用のcssやdiv.qunitとdiv.qunit-fixtureを追記しないように、それを動的に生成するようにしましょう。
さて、unit_test.jsは以下のようになります。
// Test環境のみで必要な結果表示用のdivやcssを追加var d = document;var qd = d.createElement('div');qd.id = "qunit";d.body.appendChild(qd);var qfd = d.createElement('div');qfd.id = "qunit-fixture";d.body.appendChild(qfd);//QUnitのstylesheetを追加var head = d.getElementsByTagName('head')[0];var css = d.createElement("link")css.setAttribute("rel", "stylesheet")css.setAttribute("type", "text/css")css.setAttribute("href", "//code.jquery.com/qunit/qunit-1.15.0.css");head.appendChild(css);// 足し算Testを実行QUnit.test("calculateAdd test", function(assert) {var value = calculateAdd(1, 2);var expected = 3;assert.equal(value, expected, "We expect addition result to be " + expected);});
<!DOCTYPE html><html><head><meta charset="utf-8"><title>Calculation Page: addition</title><script src="//code.jquery.com/qunit/qunit-1.15.0.js"></script></head><body><script>function calculateAdd(a, b){var result = a + b;return result;}</script><script>var res = calculateAdd(1, 2);document.write("1 + 2 = " + res);</script><script src="js/test/unit_test.js"></script></body></html>
<!DOCTYPE html><html><head><meta charset="utf-8"><title>Calculation Page: subtraction</title><script src="//code.jquery.com/qunit/qunit-1.15.0.js"></script></head><body><script>function calculateSubtract(a, b){var result = a - b;return result;}</script><script>var res = calculateSubtract(2, 1);document.write("2 - 1 = " + res);</script><script src="js/test/unit_test.js"></script></body></html>
phantomjs /myprojects/phantomjs/examples/run-qunit.js http://work.myserver.com/subtract.html'waitFor()' finished in 208ms.Tests completed in 34 milliseconds.0 assertions of 1 passed, 1 failed.
もちろん、subtract.htmlの関数のみのUnit Testのjsを実装すれば、subtract.htmlのUnit Testは成功します。
しかし、各htmlファイル用のUnit Testのjsを用意するのが非常に面倒です。
そのために、QUnitでModuleという仕組みが設けられ、複数htmlページの関数テストを一つのjsファイルでまとめて、モジュール毎の呼び出しは可能です。
足し算処理のテストと引き算処理のテストをそれぞれ、add_testとsubtract_testに分けます。
// モジュールadd_testを作成(public_html/add.htmlページのJSテスト用)QUnit.module("add_test");// 足し算Testを実行QUnit.test("calculateAdd test", function(assert) {var value = calculateAdd(1, 2);var expected = 3;assert.equal(value, expected, "We expect addition result to be " + expected);});// モジュールsubtract_testを作成(public_html/subtract.htmlページのJSテスト用)QUnit.module("subtract_test");// 引き算Testを実行QUnit.test("subtract_test calculateSubtract test", function(assert) {var value = calculateSubtract(2, 1);var expected = 1;assert.equal(value, expected, "We expect subtraction result to be " + expected);});
足し算のテスト
phantomjs /myprojects/phantomjs/examples/run-qunit.js http://work.myserver.com/add.html?module=add_test'waitFor()' finished in 216ms.Tests completed in 17 milliseconds.1 assertions of 1 passed, 0 failed.
phantomjs /myprojects/phantomjs/examples/run-qunit.js http://work.myserver.com/subtract.html?module=subtract_test'waitFor()' finished in 207ms.Tests completed in 19 milliseconds.1 assertions of 1 passed, 0 failed.
実は、その開発環境でも本番環境でもQUnitのJavaScriptは毎回呼ばれるのが困ります。
結局、テスト用のマシンのみQUnitを実行したいわけです。そのため、QUnit.config.autostartの設定項目が存在しています。そもそも、QUnit.config.autostartはtrueになっているから、ページがロードされる度にUnit Testは走ります。
そこで、テスト用のtest.myserver.comでのみ実行できるようにQUnit.config.autostartを工夫します。
QUnit.config.autostart = (window.location.href.indexOf("test.myserver.com") > -1) ? true : false;
// テスト環境のみで実行QUnit.config.autostart = (window.location.href.indexOf("test.myserver.com") > -1) ? true : false;// Test環境のみで必要なdivやcssを追加if (QUnit.config.autostart != false) {// 結果表示divを追加var d = document;var qd = d.createElement('div');qd.id = "qunit";d.body.appendChild(qd);var qfd = d.createElement('div');qfd.id = "qunit-fixture";d.body.appendChild(qfd);//QUnitのstylesheetを追加var head = d.getElementsByTagName('head')[0];var css = d.createElement("link")css.setAttribute("rel", "stylesheet")css.setAttribute("type", "text/css")css.setAttribute("href", "//code.jquery.com/qunit/qunit-1.15.0.css");head.appendChild(css);}// モジュールadd_testを作成(public_html/add.htmlページのJSテスト用)QUnit.module("add_test");// 足し算Testを実行QUnit.test("calculateAdd test", function(assert) {var value = calculateAdd(1, 2);var expected = 3;assert.equal(value, expected, "We expect addition result to be " + expected);});// モジュールsubtract_testを作成(public_html/subtract.htmlページのJSテスト用)QUnit.module("subtract_test");// 引き算Testを実行QUnit.test("subtract_test calculateSubtract test", function(assert) {var value = calculateSubtract(2, 1);var expected = 1;assert.equal(value, expected, "We expect subtraction result to be " + expected);});
git add .git commit -m "Initial commit"git push origin test_branch
status_update_job: build状態をGitHubに知らせるjobを作成
プロジェクトをビルドするjobはそれを参照するので、先に作ります。
「新規ジョブ作成」で
「フリースタイル・プロジェクトのビルド」にチェック
ジョブ作成画面で
「ビルドのパラメータ化」にチェック
curl -i -H 'Authorization: token abcdef0123456789abcdef012345fc2b6142d8a7' \-d '{"state": "'${COMMIT_STATUS}'"}' \https://api.github.com/repos/${REPOSITORY_NAME}/statuses/${UPDATE_COMMIT}
GitHubの「Settings」→「Applications」→「Generate new token」でOAuthトークンを生成し、その文字列をどこかで保存してください。トークンを作成する際、repoにチェックが入っていることを、確認してください。
build_job: プロジェクトをビルドするjobを作成
「新規ジョブ作成」で
「フリースタイル・プロジェクトのビルド」にチェック
ジョブ作成画面で
* * * * *
「ビルド」→「シェル実行」を選択します。
phantomjs /myprojects/phantomjs/examples/run-qunit.js http://test.myserver.com/add.html?module=add_testphantomjs /myprojects/phantomjs/examples/run-qunit.js http://test.myserver.com/subtract.html?module=subtract_test
COMMIT_STATUS=successUPDATE_COMMIT=${GIT_COMMIT}REPOSITORY_NAME=あなたのアカウント/あなたのリポジトリ―(私の場合、d-malyshev/testrepo)
COMMIT_STATUS=failureUPDATE_COMMIT=${GIT_COMMIT}REPOSITORY_NAME=あなたのアカウント/あなたのリポジトリ―(私の場合、d-malyshev/testrepo)
mergeされたリポジトリ―を本番サーバにdeployするjobを作成
「フリースタイル・プロジェクトのビルド」にチェック
ジョブ作成画面で
*/5 * * * *
if [ -d /myserver/testrepo ]; thencd /myserver/testrepogit pull origin masterelsecd /myservergit clone --recursive https://github.com/d-malyshev/testrepo.gitfi
<VirtualHost *:80>DocumentRoot /myserver/testrepo/public_htmlServerName prod.myserver.comErrorLog "/var/log/apache2/prod_server-error_log"CustomLog "/var/log/apache2/prod_server-access" common</VirtualHost>
127.0.0.1 prod.myserver.com
9. Jenkinsでのテスト環境の用意
PhantomJSはQUnitをテスト用のサーバで実行するので、先ほど作成されたJenkinsのbuild_jobはtest.myserver.comテストサーバのDocumentRootになるように、apacheのconfファイルに下記を追記します。
<VirtualHost *:80>DocumentRoot "/var/lib/jenkins/jobs/build_job/workspace/public_html"ServerName test.myserver.comErrorLog "/var/log/apache2/test_server-error_log"CustomLog "/var/log/apache2/test_server-access" common</VirtualHost>
127.0.0.1 test.myserver.com
10. PhantomJS+QUnit+Jenkinsの実践
これで、やっと開発・テスト・本番環境が揃いました。
本番環境にはまだ何もdeployされていないので、本番サーバはこの感じです。
とりあえず、add.htmlを修正し、bugを仕込みましょう。
bugを入れる前
function calculateAdd(a, b){var result = a + b;return result;}
function calculateAdd(a, b){var result = a + b;// Unit Testを通らないようにbugreturn result+1;}
git add .git commit -m "Created bug"git push origin test_branch
それをやってみると、最近の当ブランチにpushされたcommitのbuild_jobが失敗したことが分かります。
ブランチをクリックすると、ビルドが失敗したcommitを見れます。
そのbuild_jobをクリックし、job結果一覧画面に移動します。
失敗した#8の詳細ページに行って、Console Outputでbuildの失敗した原因を調べることもできます。
では、仕込んできたbugを修正し、またtest_branchにpushしましょう。
function calculateAdd(a, b){var result = a + b;return result;}
git add .git commit -m "Fixed bug"git push origin test_branch
test_branchを「Merge pull request」→「Confirm merge」でmasterにmergeし、最後に「Delete branch」でtest_branchを削除します。その後、deploy_jobは起動し、masterから最新版のソースコードを本番サーバにpullします。
まとめ