ラベル JavaScript の投稿を表示しています。 すべての投稿を表示
ラベル JavaScript の投稿を表示しています。 すべての投稿を表示

2011年10月18日火曜日

jQuery templatesを利用して元のHTMLにテンプレート用のタグをできるだけ入れないようにしてみた

jQuery templatesを利用して、支給されたhtmlにデータを動的に適用します。

方針

  • できる限りもとのHTMLをいじらない
  • 動的に変更されるデータ部分に適用されているサンプルデータを消さない
  • テンプレート部分は外だしする

説明

こんな感じのHTMLがデザイナさんから提供されたとします。
<html>
  <head>
    <meta http-equiv="Content-Type" content="text/html; charset=utf-8">
  </head>
  <body>
    <h1>sample</h1>
    <h2>リスト</h2>
    <ol id="result-list">
        <li><b>鈴木(30)</b>:女性</li>
        <li><b>安藤(20)</b>:男性</li>
    </ol>
    
    <hr/>
    
    <h2>テーブル</h2>
    <table>
        <thead>
            <tr>
                <th>name</th>
                <th>age</th>
                <th>sex</th>
            </tr>
        </thead>
        <tbody id="result-table">
            <tr>
                <td>鈴木</td>
                <td>30</td>
                <td>女性</td>
            </tr>
            <tr>
                <td>安藤</td>
                <td>20</td>
                <td>男性</td>
            </tr>
        </tbody>
    </table>
  </body>
</html>

動的に変更される部分の確認

サンプルでデータが入っていますが、動的に変更される箇所が2カ所あります。

<li><b>鈴木(30)</b>:女性</li>
<li><b>安藤(20)</b>:男性</li>

<tr>
    <td>鈴木</td>
    <td>30</td>
    <td>女性</td>
</tr>
<tr>
    <td>安藤</td>
    <td>20</td>
    <td>男性</td>
</tr>

テンプレート化

では、この部分をテンプレート化します。項目は三つで「名前」「年齢」「性別」なので、単純に「${変数名}」として置き換えます。

<li><b>${name}(${age})</b>:${sex}</li>

<tr><td>${name}</td><td>${age}</td><td>${sex}</td></tr>

jQuery.templatesを利用してテンプレートをコードとして格納する

$.template(name, template)というメソッドを使って$.templateというmapに先ほど作成したテンプレートを格納します。
$.templateというmapにnameがkeyでtemplateがvalueとして格納されます。mapなので、$.template["name"]でtemplateが参照できます。

先ほどのHTMLで動的に変更される部分にidがついていたので、それをそのままtemplate名としてしまいましょう。

index.template.js
$(function(){
    $.template(
        "result-list", 
        "<li><b>${name}(${age})</b>:${sex}</li>"
    );
    
    $.template(
        "result-table", 
        "<tr><td>${name}</td><td>${age}</td><td>${sex}</td></tr>"
    );
});

元のhtmlにjQuery、jQuery templates、自作のテンプレートを読み込ませる

今回はjQueryとjQuery templatesを利用するのでheadで読み込ませます。先ほど作成したindex.template.jsも読み込ませておきます

この時点では以下の通りです。

<html>
  <head>
    <meta http-equiv="Content-Type" content="text/html; charset=utf-8">
    <script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jquery/1.6.4/jquery.min.js"></script>
    <script type="text/javascript" src="http://ajax.aspnetcdn.com/ajax/jquery.templates/beta1/jquery.tmpl.min.js"></script>    
    <script type="text/javascript" src="index.template.js"></script>    
  </head>
  <body>
    <h1>sample</h1>
    <h2>リスト</h2>
    <ol id="result-list">
        <li><b>鈴木(30)</b>:女性</li>
        <li><b>安藤(20)</b>:男性</li>
    </ol>
    
    <hr/>
    
    <h2>テーブル</h2>
    <table>
        <thead>
            <tr>
                <th>name</th>
                <th>age</th>
                <th>sex</th>
            </tr>
        </thead>
        <tbody id="result-table">
            <tr>
                <td>鈴木</td>
                <td>30</td>
                <td>女性</td>
            </tr>
            <tr>
                <td>安藤</td>
                <td>20</td>
                <td>男性</td>
            </tr>
        </tbody>
    </table>
  </body>
</html>

テンプレートにデータを適用する。

とりあえず、index.jsなどとして、配列に名前、年齢、性別を持ったオブジェクトを詰めておきます。実際にはajaxアクセスなどして取得したjsonとかを詰めることになると思います。
$.tmpl(template, data)でtemplateにdataが反映されるので、適用したいtargetにappendToすることで反映されます。
サンプルデータが入っているので、最初に空にしてから反映するというメソッドにしています。

index.js
$(function() {    
    var data = [
        { name:"鈴木", age:20, sex:"男性" },
        { name:"田中", age:50, sex:"女性" },
        { name:"齋藤", age:35, sex:"週二回" },
    ];
    
    var appendTemplate = function(template, target){
        $(target).empty();
        $.tmpl(template, data).appendTo(target);            
    }

    appendTemplate("result-list","#result-list");      
    appendTemplate("result-table","#result-table");
});

完成品はgitHubに上げてあります。JavaScriptを無効にすると元々のサンプルデータが入った状態になります。

2011年5月24日火曜日

メソッドと関数の違いとthisは何を指しているか(JavaScriptの場合)

日頃、メソッドのことを関数と呼んでしまったり、関数をメソッドと呼んでしまったり混同していたりするわけですが、インスタンスの内部にあるのがメソッドです。

var objA = {};
objA.method = function(){
    console.log("method");
}
objA.method(); // これはメソッドの呼び出し

function func(){
    console.log("function");
}
func(); // これは関数の呼び出し

メソッドと関数の大きな違いの一つに「this」でインスタンスを参照できる点があります。メソッド内で「this」はインスタンスを指しています。では、関数内の「this」は何を指しているかというとグローバルオブジェクト(JavaScriptの場合)です。

ここまではよいのですが、メソッド内で関数が宣言されている場合にメソッド内で、その関数を呼び出した場合の関数内で「this」は何を指しているのでしょうか? 答えはグローバルオブジェクトです。

var hoge = "global";

var objB = {};
objB.hoge = "property";
objB.method = function(){
    var hoge = "local";
    function nestedFunction(){
        console.log("a:" + this.hoge); // グローバルのhogeを指している
    }
    console.log("b:" + hoge);  // この関数内のhogeを指している
    console.log("c:" + this.hoge); // インスタンス(つまりobjB)のhogeプロパティを指している
}

objC.method();
実行結果
a:global
b:local
c:property

2011年5月6日金曜日

Effective JavaScriptをepubにしてみた。

Effective JavaScriptをPDFにしました - renoivのブログを見て、これはいいなぁと思ったので、epubにしてみた。もともと書いた方はexealさんなので、メタ情報のauthorをexealさんにしてあります。


おいてある場所

Effective JavaScript epub ver

以下、iPadとiPhoneのiBooksでのスクリーンショット



2011年4月26日火曜日

shellからJavaScriptを気軽に実行

やりたいこと

JavaScriptをシェル上で気軽に実行したい。

なぜ?

そりゃあ、今JavaScriptをおべんきょしてるので、折角だし。

環境

  • Mac OS X Snow Leopard
  • Java jdk 1.6.0(Snow Leopardに搭載されているやつ)

手順

以下のテキストファイルを/usr/local/binあたりにjsとかそんなファイル名で置く。パスが通っていればどこでもいいです。

export CLASSPATH=/System/Library/Java/JavaVirtualMachines/1.6.0.jdk/Contents/Classes/classes.jar
java com.sun.tools.script.shell.Main $*

作成したファイルに実行権限をつける。

確認

echo "println('hello world')" > test.js
js test.js

引数なしで実行すると対話型シェルが起動します

'},ClipboardSwf:null,Version:'1.5.1'}};dp.SyntaxHighlighter=dp.sh;dp.sh.Toolbar.Commands={ExpandSource:{label:'+ expand source',check:function(highlighter){return highlighter.collapse;},func:function(sender,highlighter) {sender.parentNode.removeChild(sender);highlighter.div.className=highlighter.div.className.replace('collapsed','');}},ViewSource:{label:'view plain',func:function(sender,highlighter) {var code=dp.sh.Utils.FixForBlogger(highlighter.originalCode).replace(/'+code+'');wnd.document.close();}},CopyToClipboard:{label:'copy to clipboard',check:function(){return window.clipboardData!=null||dp.sh.ClipboardSwf!=null;},func:function(sender,highlighter) {var code=dp.sh.Utils.FixForBlogger(highlighter.originalCode).replace(/</g,'<').replace(/>/g,'>').replace(/&/g,'&');if(window.clipboardData) {window.clipboardData.setData('text',code);} else if(dp.sh.ClipboardSwf!=null) {var flashcopier=highlighter.flashCopier;if(flashcopier==null) {flashcopier=document.createElement('div');highlighter.flashCopier=flashcopier;highlighter.div.appendChild(flashcopier);} flashcopier.innerHTML='';} alert('The code is in your clipboard now');}},PrintSource:{label:'print',func:function(sender,highlighter) {var iframe=document.createElement('IFRAME');var doc=null;iframe.style.cssText='position:absolute;width:0px;height:0px;left:-500px;top:-500px;';document.body.appendChild(iframe);doc=iframe.contentWindow.document;dp.sh.Utils.CopyStyles(doc,window.document);doc.write('

'+highlighter.div.innerHTML+'

');doc.close();iframe.contentWindow.focus();iframe.contentWindow.print();alert('Printing...');document.body.removeChild(iframe);}},About:{label:'?',func:function(highlighter) {var wnd=window.open('','_blank','dialog,width=300,height=150,scrollbars=0');var doc=wnd.document;dp.sh.Utils.CopyStyles(doc,window.document);doc.write(dp.sh.Strings.AboutDialog.replace('{V}',dp.sh.Version));doc.close();wnd.focus();}}};dp.sh.Toolbar.Create=function(highlighter) {var div=document.createElement('DIV');div.className='tools';for(var name in dp.sh.Toolbar.Commands) {var cmd=dp.sh.Toolbar.Commands[name];if(cmd.check!=null&&!cmd.check(highlighter)) continue;div.innerHTML+=''+cmd.label+'';} return div;} dp.sh.Toolbar.Command=function(name,sender) {var n=sender;while(n!=null&&n.className.indexOf('dp-highlighter')==-1) n=n.parentNode;if(n!=null) dp.sh.Toolbar.Commands[name].func(sender,n.highlighter);} dp.sh.Utils.CopyStyles=function(destDoc,sourceDoc) {var links=sourceDoc.getElementsByTagName('link');for(var i=0;i');} dp.sh.Utils.FixForBlogger=function(str) {return(dp.sh.isBloggerMode==true)?str.replace(/
|<br\s*\/?>/gi,'\n'):str;} dp.sh.RegexLib={MultiLineCComments:new RegExp('/\\*[\\s\\S]*?\\*/','gm'),SingleLineCComments:new RegExp('//.*$','gm'),SingleLinePerlComments:new RegExp('#.*$','gm'),DoubleQuotedString:new RegExp('"(?:\\.|(\\\\\\")|[^\\""\\n])*"','g'),SingleQuotedString:new RegExp("'(?:\\.|(\\\\\\')|[^\\''\\n])*'",'g')};dp.sh.Match=function(value,index,css) {this.value=value;this.index=index;this.length=value.length;this.css=css;} dp.sh.Highlighter=function() {this.noGutter=false;this.addControls=true;this.collapse=false;this.tabsToSpaces=true;this.wrapColumn=80;this.showColumns=true;} dp.sh.Highlighter.SortCallback=function(m1,m2) {if(m1.indexm2.index) return 1;else {if(m1.lengthm2.length) return 1;} return 0;} dp.sh.Highlighter.prototype.CreateElement=function(name) {var result=document.createElement(name);result.highlighter=this;return result;} dp.sh.Highlighter.prototype.GetMatches=function(regex,css) {var index=0;var match=null;while((match=regex.exec(this.code))!=null) this.matches[this.matches.length]=new dp.sh.Match(match[0],match.index,css);} dp.sh.Highlighter.prototype.AddBit=function(str,css) {if(str==null||str.length==0) return;var span=this.CreateElement('SPAN');str=str.replace(/ /g,' ');str=str.replace(/');if(css!=null) {if((/br/gi).test(str)) {var lines=str.split(' 
');for(var i=0;ic.index)&&(match.index/gi,'\n');var lines=html.split('\n');if(this.addControls==true) this.bar.appendChild(dp.sh.Toolbar.Create(this));if(this.showColumns) {var div=this.CreateElement('div');var columns=this.CreateElement('div');var showEvery=10;var i=1;while(i<=150) {if(i%showEvery==0) {div.innerHTML+=i;i+=(i+'').length;} else {div.innerHTML+='·';i++;}} columns.className='columns';columns.appendChild(div);this.bar.appendChild(columns);} for(var i=0,lineIndex=this.firstLine;i0;i++) {if(Trim(lines[i]).length==0) continue;var matches=regex.exec(lines[i]);if(matches!=null&&matches.length>0) min=Math.min(matches[0].length,min);} if(min>0) for(var i=0;i

自己紹介