web-dev-qa-db-ja.com

JavaScriptファイルのキャッシュ

ブラウザがキャッシュされたバージョンのjsファイルを(サーバーサイドから)使用するようにする最良の方法はどれですか?

51
Vasil

Yahoo!をご覧くださいヒント: https://developer.yahoo.com/performance/rules.html#expires

Googleによるヒントもあります: https://developers.google.com/speed/docs/insights/LeverageBrowserCaching

23
powtac

または.htaccessファイル内

AddOutputFilter DEFLATE css js
ExpiresActive On
ExpiresByType application/x-javascript A2592000
23

LocalStorage/Webストレージを使用してJavaScriptファイルをキャッシュする週末プロジェクトcached-webpgr.jsを終了しました。このアプローチは非常に高速です。私の小さなテストが示した

  • CDNからのjQueryの読み込み:Chrome268ms、FireFox:200ms
  • LocalStorageからのjQueryのロード:Chrome47ms)、FireFox14ms

それを達成するためのコードはごくわずかです。Githubプロジェクトで確認できます https://github.com/webpgr/cached-webpgr.js

使用方法の完全な例を次に示します。

完全なライブラリ:

function _cacheScript(c,d,e){var a=new XMLHttpRequest;a.onreadystatechange=function(){4==a.readyState&&(200==a.status?localStorage.setItem(c,JSON.stringify({content:a.responseText,version:d})):console.warn("error loading "+e))};a.open("GET",e,!0);a.send()}function _loadScript(c,d,e,a){var b=document.createElement("script");b.readyState?b.onreadystatechange=function(){if("loaded"==b.readyState||"complete"==b.readyState)b.onreadystatechange=null,_cacheScript(d,e,c),a&&a()}:b.onload=function(){_cacheScript(d,e,c);a&&a()};b.setAttribute("src",c);document.getElementsByTagName("head")[0].appendChild(b)}function _injectScript(c,d,e,a){var b=document.createElement("script");b.type="text/javascript";c=JSON.parse(c);var f=document.createTextNode(c.content);b.appendChild(f);document.getElementsByTagName("head")[0].appendChild(b);c.version!=e&&localStorage.removeItem(d);a&&a()}function requireScript(c,d,e,a){var b=localStorage.getItem(c);null==b?_loadScript(e,c,d,a):_injectScript(b,c,d,a)};

ライブラリを呼び出す

requireScript('jquery', '1.11.2', 'http://ajax.googleapis.com/ajax/libs/jquery/1.11.2/jquery.min.js', function(){
    requireScript('examplejs', '0.0.3', 'example.js');
});
7
select

PHPから:

function OutputJs($Content) 
{   
    ob_start();
    echo $Content;
    $expires = DAY_IN_S; // 60 * 60 * 24 ... defined elsewhere
    header("Content-type: x-javascript");
    header('Content-Length: ' . ob_get_length());
    header('Cache-Control: max-age='.$expires.', must-revalidate');
    header('Pragma: public');
    header('Expires: '. gmdate('D, d M Y H:i:s', time()+$expires).'GMT');
    ob_end_flush();
    return; 
}   

私のために働く。

開発者として、おそらくすぐにあなたがあなたがファイルをキャッシュしたくない状況に出くわすでしょう。その場合 積極的なヘルプJavaScriptキャッシュ

6
Ken

Apache .htaccessファイルで:

#Create filter to match files you want to cache 
<Files *.js>
Header add "Cache-Control" "max-age=604800"
</Files>

私もそれについてここに書いた:

http://betterexplained.com/articles/how-to-optimize-your-site-with-http-caching/

5
Kalid
2
Kent Fredric

純粋なJavaScriptであるシンプルなシステムがあります。キャッシュされない単純なテキストファイルの変更をチェックします。新しいバージョンをアップロードすると、このファイルが変更されます。次のJSをページの上部に配置するだけです。

        (function(url, storageName) {
            var fromStorage = localStorage.getItem(storageName);
            var fullUrl = url + "?rand=" + (Math.floor(Math.random() * 100000000));
            getUrl(function(fromUrl) {
//                   first load
                if (!fromStorage) {
                    localStorage.setItem(storageName, fromUrl);
                    return;
                }
//                    old file
                if (fromStorage === fromUrl) {
                    return;
                }
                // files updated
                localStorage.setItem(storageName, fromUrl);
                location.reload(true);
            });
            function getUrl(fn) {
                var xmlhttp = new XMLHttpRequest();
                xmlhttp.open("GET", fullUrl, true);
                xmlhttp.send();
                xmlhttp.onreadystatechange = function() {
                    if (xmlhttp.readyState === XMLHttpRequest.DONE) {
                        if (xmlhttp.status === 200 || xmlhttp.status === 2) {
                            fn(xmlhttp.responseText);
                        }
                        else if (xmlhttp.status === 400) {
                            throw 'unable to load file for cache check ' +  url;
                        }
                        else {
                           throw 'unable to load file for cache check ' +  url;
                        }
                    }
                };
            }
            ;
        })("version.txt", "version");

「version.txt」を常に実行されるファイルに置き換え、「version」をローカルストレージに使用する名前に置き換えます。

0
joel Moses

最善の(そして唯一の)方法は、正しいHTTPヘッダー、具体的には「Expires」、「Last-Modified」、および「Cache-Control」を設定することです。実行方法は、使用するサーバーソフトウェアによって異なります。

パフォーマンスの改善… では、一般的な考慮事項と関連リンクについては「サーバー側の最適化」を、Apache固有のアドバイスについては「クライアント側キャッシュ」を探します。

あなたが nginx (または 平易な英語のnginx )のファンなら、簡単に設定できます:

location /images {
  ...
  expires 4h;
}

上記の例では、/ images /のすべてのファイルが4時間クライアントにキャッシュされます。

検索する適切な単語(HTTPヘッダー "Expires"、 "Last-Modified"、および "Cache-Control")がわかったら、使用するWebサーバーのドキュメントを熟読してください。

0
Eugene Lazutkin