我正在使用大量的ajax調用來查詢數據庫,並得到大文本(json)響應。我想壓縮回應。如何壓縮JSON響應
在JavaScript implementation of Gzip中有一種使用javascript壓縮文本的好方法。
問題是我想壓縮我的aspx服務器上的響應,並用javascript解壓縮它。因此我需要在我的asp.net服務器上運行lzw_encode
函數。我應該將該函數轉換爲C#還是有另一種方式?
使用,如果你不想配置IIS或更改標題您可以在服務器上壓縮代碼上面的鏈接:
C#
public static string Compress(string s)
{
var dict = new Dictionary<string, int>();
char[] data = s.ToArray();
var output = new List<char>();
char currChar;
string phrase = data[0].ToString();
int code = 256;
for (var i = 1; i < data.Length; i++){
currChar = data[i];
var temp = phrase + currChar;
if (dict.ContainsKey(temp))
phrase += currChar;
else
{
if (phrase.Length > 1)
output.Add((char)dict[phrase]);
else
output.Add((char)phrase[0]);
dict[phrase + currChar] = code;
code++;
phrase = currChar.ToString();
}
}
if (phrase.Length > 1)
output.Add((char)dict[phrase]);
else
output.Add((char)phrase[0]);
return new string(output.ToArray());
}
,並在瀏覽器上,你可以解壓搭配:
的JavaScript
// Decompress an LZW-encoded string
function lzw_decode(s) {
var dict = {};
var data = (s + "").split("");
var currChar = data[0];
var oldPhrase = currChar;
var out = [currChar];
var code = 256;
var phrase;
for (var i = 1; i < data.length; i++) {
var currCode = data[i].charCodeAt(0);
if (currCode < 256) {
phrase = data[i];
}
else {
phrase = dict[currCode] ? dict[currCode] : (oldPhrase + currChar);
}
out.push(phrase);
currChar = phrase.charAt(0);
dict[code] = oldPhrase + currChar;
code++;
oldPhrase = phrase;
}
return out.join("");
}
的壓縮JSON(以及其他任何響應)的最簡單方法是確保您的Web服務器使用HTTP壓縮。 http://en.wikipedia.org/wiki/HTTP_compression您在問題中引用的鏈接是關於使用JavaScript壓縮數據,以便在存儲在服務器上時佔用較少的存儲空間。 –
是的,這可能是一個更優雅的解決方案。我會試一試謝謝! –
@TonoNam - 我改變了這個問題來匹配你的實際問題。隨意恢復/編輯。 –