web-dev-qa-db-ja.com

HTML5 localStorageへのオブジェクトの格納

JavaScriptオブジェクトをHTML5のlocalStorageに格納したいのですが、私のオブジェクトは明らかに文字列に変換されています。

私はlocalStorageを使用して原始的なJavaScriptの型と配列を格納し検索することができますが、オブジェクトは動作しないようです。彼らはすべきですか?

これが私のコードです:

var testObject = { 'one': 1, 'two': 2, 'three': 3 };
console.log('typeof testObject: ' + typeof testObject);
console.log('testObject properties:');
for (var prop in testObject) {
    console.log('  ' + prop + ': ' + testObject[prop]);
}

// Put the object into storage
localStorage.setItem('testObject', testObject);

// Retrieve the object from storage
var retrievedObject = localStorage.getItem('testObject');

console.log('typeof retrievedObject: ' + typeof retrievedObject);
console.log('Value of retrievedObject: ' + retrievedObject);

コンソール出力は

typeof testObject: object
testObject properties:
  one: 1
  two: 2
  three: 3
typeof retrievedObject: string
Value of retrievedObject: [object Object]

setItemメソッドが入力を格納する前に文字列に変換しているようです。

私はSafari、Chrome、そしてFirefoxでこの動作を見ているので、ブラウザ固有のバグや制限ではなく、 HTML5 Web Storage specに対する私の誤解だと思います。

http://www.w3.org/TR/html5/infrastructure.html に記載されている 構造化クローン アルゴリズムを理解しようとしました。私がそれが言っていることを完全には理解していません、しかし、おそらく私の問題は私のオブジェクトのプロパティが列挙できないことに関係しています(???)

簡単な回避策はありますか?


更新:W3Cは、最終的に構造化クローンの仕様に関する考え方を変え、実装に合わせて仕様を変更することにしました。 https://www.w3.org/Bugs/Public/show_bug.cgi?id=12111 を参照してください。そのため、この質問は100%有効ではなくなりましたが、それでも回答には興味深いものがあります。

2267

AppleMozilla 、および Microsoft のドキュメントを見ると、機能は文字列のキーと値のペアのみを処理するように制限されているようです。

この問題を回避するには、オブジェクトを保存する前に stringify にし、後で取得するときにそれを解析します。

var testObject = { 'one': 1, 'two': 2, 'three': 3 };

// Put the object into storage
localStorage.setItem('testObject', JSON.stringify(testObject));

// Retrieve the object from storage
var retrievedObject = localStorage.getItem('testObject');

console.log('retrievedObject: ', JSON.parse(retrievedObject));
2891
CMS

バリアント :のマイナーな改良

Storage.prototype.setObject = function(key, value) {
    this.setItem(key, JSON.stringify(value));
}

Storage.prototype.getObject = function(key) {
    var value = this.getItem(key);
    return value && JSON.parse(value);
}

短絡評価 のため、nullがStorageにない場合はgetObject() 即時 を返しますkeySyntaxError""(空文字列、JSON.parse()はそれを扱うことができない)であるなら、それはまたvalue例外を投げません。

591
Guria

これらの便利なメソッドを使ってStorageオブジェクトを拡張すると便利なことがあります。

Storage.prototype.setObject = function(key, value) {
    this.setItem(key, JSON.stringify(value));
}

Storage.prototype.getObject = function(key) {
    return JSON.parse(this.getItem(key));
}

このようにして、APIの下では文字列しかサポートされていなくても、本当に必要な機能が得られます。

205
Justin Voskuhl

Storageオブジェクトを拡張することは素晴らしい解決策です。私のAPIのために、私はlocalStorageのファサードを作成して、それからそれがオブジェクトであるかどうかチェックして設定しています。

var data = {
  set: function(key, value) {
    if (!key || !value) {return;}

    if (typeof value === "object") {
      value = JSON.stringify(value);
    }
    localStorage.setItem(key, value);
  },
  get: function(key) {
    var value = localStorage.getItem(key);

    if (!value) {return;}

    // assume it is an object that has been stringified
    if (value[0] === "{") {
      value = JSON.parse(value);
    }

    return value;
  }
}
68
Alex Grande

Stringifyがすべての問題を解決するわけではありません

ここでの答えはJavaScriptで可能なすべてのタイプを網羅しているわけではないように思われるので、ここでそれらを正しく扱う方法のいくつかの短い例を示します。

//Objects and Arrays:
    var obj = {key: "value"};
    localStorage.object = JSON.stringify(obj);  //Will ignore private members
    obj = JSON.parse(localStorage.object);
//Boolean:
    var bool = false;
    localStorage.bool = bool;
    bool = (localStorage.bool === "true");
//Numbers:
    var num = 42;
    localStorage.num = num;
    num = +localStorage.num;    //short for "num = parseFloat(localStorage.num);"
//Dates:
    var date = Date.now();
    localStorage.date = date;
    date = new Date(parseInt(localStorage.date));
//Regular expressions:
    var regex = /^No\.[\d]*$/i;     //usage example: "No.42".match(regex);
    localStorage.regex = regex;
    var components = localStorage.regex.match("^/(.*)/([a-z]*)$");
    regex = new RegExp(components[1], components[2]);
//Functions (not recommended):
    function func(){}
    localStorage.func = func;
    eval( localStorage.func );      //recreates the function with the name "func"

eval()は悪であるため、セキュリティ、最適化、およびデバッグに関して問題が発生する可能性があるため、 を使用して関数を保存することはお勧めしません。一般に、eval()はJavaScriptコードでは決して使われるべきではありません。

非公開メンバー

オブジェクトを格納するためにJSON.stringify()を使うことの問題は、この関数がプライベートメンバを直列化できないことです。この問題は.toString()メソッドを上書きすることで解決できます(これはWebストレージにデータを保存するときに暗黙的に呼び出されます)。

//Object with private and public members:
    function MyClass(privateContent, publicContent){
        var privateMember = privateContent || "defaultPrivateValue";
        this.publicMember = publicContent  || "defaultPublicValue";

        this.toString = function(){
            return '{"private": "' + privateMember + '", "public": "' + this.publicMember + '"}';
        };
    }
    MyClass.fromString = function(serialisedString){
        var properties = JSON.parse(serialisedString || "{}");
        return new MyClass( properties.private, properties.public );
    };
//Storing:
    var obj = new MyClass("invisible", "visible");
    localStorage.object = obj;
//Loading:
    obj = MyClass.fromString(localStorage.object);

循環参照

stringifyが扱えない別の問題は循環参照です。

var obj = {};
obj["circular"] = obj;
localStorage.object = JSON.stringify(obj);  //Fails

この例では、JSON.stringify()TypeError"循環構造のJSONへの変換"をスローします。循環参照の格納をサポートする必要がある場合は、JSON.stringify()の2番目のパラメータを使用します。

var obj = {id: 1, sub: {}};
obj.sub["circular"] = obj;
localStorage.object = JSON.stringify( obj, function( key, value) {
    if( key == 'circular') {
        return "$ref"+value.id+"$";
    } else {
        return value;
    }
});

ただし、循環参照を格納するための効率的な解決策を見つけることは、解決する必要があるタスクに大きく依存し、そのようなデータを復元することも簡単ではありません。

この問題に対処するSOに関する質問はすでにいくつかあります。 循環参照を使用してJavaScriptオブジェクトをStringify(JSONに変換)

59
maja

jStorage と呼ばれる古いブラウザさえもサポートするように、たくさんの解決策をまとめた素晴らしいライブラリがあります。

あなたはオブジェクトを設定することができます

$.jStorage.set(key, value)

そしてそれを簡単に検索する

value = $.jStorage.get(key)
value = $.jStorage.get(key, "default value")
52
JProgrammer

ローカルストレージにJSONオブジェクトを使用する:

//セット

var m={name:'Hero',Title:'developer'};
localStorage.setItem('us', JSON.stringify(m));

//取得する

var gm =JSON.parse(localStorage.getItem('us'));
console.log(gm.name);

//すべてのローカル記憶域のキーと値の繰り返し

for (var i = 0, len = localStorage.length; i < len; ++i) {
  console.log(localStorage.getItem(localStorage.key(i)));
}

// DELETE

localStorage.removeItem('us');
delete window.localStorage["us"];
33
Shujaath Khan

理論的には、関数を持つオブジェクトを格納することは可能です。

function store (a)
{
  var c = {f: {}, d: {}};
  for (var k in a)
  {
    if (a.hasOwnProperty(k) && typeof a[k] === 'function')
    {
      c.f[k] = encodeURIComponent(a[k]);
    }
  }

  c.d = a;
  var data = JSON.stringify(c);
  window.localStorage.setItem('CODE', data);
}

function restore ()
{
  var data = window.localStorage.getItem('CODE');
  data = JSON.parse(data);
  var b = data.d;

  for (var k in data.f)
  {
    if (data.f.hasOwnProperty(k))
    {
      b[k] = eval("(" + decodeURIComponent(data.f[k]) + ")");
    }
  }

  return b;
}

しかし、関数のシリアライゼーション/デシリアライゼーションは、 実装依存であるため信頼できません

27
aster_x

他のデータ型と同じようにオブジェクト/配列を処理するために、デフォルトのStorage setItem(key,value)およびgetItem(key)メソッドをオーバーライドすることもできます。そうすれば、通常どおり、localStorage.setItem(key,value)localStorage.getItem(key)を呼び出すことができます。

私はこれを徹底的にテストしていませんが、私がいじっていた小さなプロジェクトでは問題なく動作するようです。

Storage.prototype._setItem = Storage.prototype.setItem;
Storage.prototype.setItem = function(key, value)
{
  this._setItem(key, JSON.stringify(value));
}

Storage.prototype._getItem = Storage.prototype.getItem;
Storage.prototype.getItem = function(key)
{  
  try
  {
    return JSON.parse(this._getItem(key));
  }
  catch(e)
  {
    return this._getItem(key);
  }
}
22
danott

この記事の複製として閉じられている別の記事 - 「localstorageに配列を保存するにはどうすればよいですか?」をクリックして、この記事にたどり着きました。どちらのスレッドでも、localStorageで配列を維持する方法に関して実際に完全な答えが得られない場合を除き、どちらでも問題ありません。ただし、両方のスレッドに含まれる情報に基づいてソリューションを作成できました。

したがって、他の誰かが配列内の項目をプッシュ/ポップ/シフトできるようにしたい場合、そしてその配列をlocalStorageまたは実際にsessionStorageに格納したい場合は、次のようにします。

Storage.prototype.getArray = function(arrayName) {
  var thisArray = [];
  var fetchArrayObject = this.getItem(arrayName);
  if (typeof fetchArrayObject !== 'undefined') {
    if (fetchArrayObject !== null) { thisArray = JSON.parse(fetchArrayObject); }
  }
  return thisArray;
}

Storage.prototype.pushArrayItem = function(arrayName,arrayItem) {
  var existingArray = this.getArray(arrayName);
  existingArray.Push(arrayItem);
  this.setItem(arrayName,JSON.stringify(existingArray));
}

Storage.prototype.popArrayItem = function(arrayName) {
  var arrayItem = {};
  var existingArray = this.getArray(arrayName);
  if (existingArray.length > 0) {
    arrayItem = existingArray.pop();
    this.setItem(arrayName,JSON.stringify(existingArray));
  }
  return arrayItem;
}

Storage.prototype.shiftArrayItem = function(arrayName) {
  var arrayItem = {};
  var existingArray = this.getArray(arrayName);
  if (existingArray.length > 0) {
    arrayItem = existingArray.shift();
    this.setItem(arrayName,JSON.stringify(existingArray));
  }
  return arrayItem;
}

Storage.prototype.unshiftArrayItem = function(arrayName,arrayItem) {
  var existingArray = this.getArray(arrayName);
  existingArray.unshift(arrayItem);
  this.setItem(arrayName,JSON.stringify(existingArray));
}

Storage.prototype.deleteArray = function(arrayName) {
  this.removeItem(arrayName);
}

使用例 - localStorage配列に単純な文字列を格納します。

localStorage.pushArrayItem('myArray','item one');
localStorage.pushArrayItem('myArray','item two');

使用例 - sessionStorage配列にオブジェクトを格納する

var item1 = {}; item1.name = 'fred'; item1.age = 48;
sessionStorage.pushArrayItem('myArray',item1);

var item2 = {}; item2.name = 'dave'; item2.age = 22;
sessionStorage.pushArrayItem('myArray',item2);

配列を操作するための一般的な方法

.pushArrayItem(arrayName,arrayItem); -> adds an element onto end of named array
.unshiftArrayItem(arrayName,arrayItem); -> adds an element onto front of named array
.popArrayItem(arrayName); -> removes & returns last array element
.shiftArrayItem(arrayName); -> removes & returns first array element
.getArray(arrayName); -> returns entire array
.deleteArray(arrayName); -> removes entire array from storage
21
Andy Lorenz

ここで説明した機能の多くと互換性の向上のために抽象化ライブラリを使用することをお勧めします。たくさんのオプション:

13
doublejosh

localStorage の設定メソッドおよび取得メソッドとして関数を作成すると、より良い制御が得られ、JSONの構文解析やその他すべてを繰り返す必要がなくなります。それはあなたの ( "") 空の文字列キー/データケースをスムーズに処理するでしょう。

function setItemInStorage(dataKey, data){
    localStorage.setItem(dataKey, JSON.stringify(data));
}

function getItemFromStorage(dataKey){
    var data = localStorage.getItem(dataKey);
    return data? JSON.parse(data): null ;
}

setItemInStorage('user', { name:'tony stark' });
getItemFromStorage('user'); /* return {name:'tony stark'} */
10
sheelpriy

トップ投票の回答を少し修正しました。それが必要でないならば、私は2の代わりに単一の機能を持つことのファンです。

Storage.prototype.object = function(key, val) {
    if ( typeof val === "undefined" ) {
        var value = this.getItem(key);
        return value ? JSON.parse(value) : null;
    } else {
        this.setItem(key, JSON.stringify(val));
    }
}

localStorage.object("test", {a : 1}); //set value
localStorage.object("test"); //get value

また、値が設定されていない場合は、nullではなくfalseが返されます。 falseは何らかの意味を持ち、nullは意味を持ちません。

8
pie6k

@Guriaの答えの改善:

Storage.prototype.setObject = function (key, value) {
    this.setItem(key, JSON.stringify(value));
};


Storage.prototype.getObject = function (key) {
    var value = this.getItem(key);
    try {
        return JSON.parse(value);
    }
    catch(err) {
        console.log("JSON parse failed for lookup of ", key, "\n error was: ", err);
        return null;
    }
};
6
seanp2k

localDataStorage を使用すると、JavaScriptのデータ型(配列、ブール、日付、浮動小数点、整数、文字列、およびオブジェクト)を透過的に格納できます。また、軽量なデータ難読化を提供し、文字列を自動的に圧縮し、キー(名前)による照会と(キー)値による照会を容易にし、キーをプレフィックスとして付けることによって同じドメイン内でセグメント化共有ストレージを強制します。

[免責事項]私はユーティリティの作者です[/免責事項]

例:

localDataStorage.set( 'key1', 'Belgian' )
localDataStorage.set( 'key2', 1200.0047 )
localDataStorage.set( 'key3', true )
localDataStorage.set( 'key4', { 'RSK' : [1,'3',5,'7',9] } )
localDataStorage.set( 'key5', null )

localDataStorage.get( 'key1' )   -->   'Belgian'
localDataStorage.get( 'key2' )   -->   1200.0047
localDataStorage.get( 'key3' )   -->   true
localDataStorage.get( 'key4' )   -->   Object {RSK: Array(5)}
localDataStorage.get( 'key5' )   -->   null

ご覧のとおり、プリミティブ値は尊重されています。

5
Mac

ejson を使用すると、オブジェクトを文字列として格納できます。

EJSONは、より多くの型をサポートするためのJSONの拡張です。以下のものと同様に、すべてのJSONセーフ型をサポートします。

  • 日付(JavaScript Date
  • バイナリ(JavaScript Uint8Arrayまたは EJSON.newBinary の結果)
  • ユーザー定義型( EJSON.addType を参照。たとえば、 Mongo.ObjectID はこの方法で実装されます。)

すべてのEJSONシリアライゼーションも有効なJSONです。たとえば、日付とバイナリバッファを持つオブジェクトはEJSONでは次のようにシリアル化されます。

{
  "d": {"$date": 1358205756553},
  "b": {"$binary": "c3VyZS4="}
}

これがejsonを使った私のlocalStorageラッパーです。

https://github.com/UziTech/storage.js

正規表現や関数を含むいくつかのタイプをラッパーに追加しました

4
Tony Brix

他の選択肢は、既存のプラグインを使用することです。

たとえば persisto は、localStorage/sessionStorageへの簡単なインタフェースを提供し、フォームフィールド(入力、ラジオボタン、チェックボックス)の永続化を自動化するオープンソースプロジェクトです。

persisto features

(免責事項:私は著者です。)

4
mar10

私はそれがあるべきようにそれを使うことを可能にするためにわずか20行のコードでもう一つのミニマルラッパーを作りました:

localStorage.set('myKey',{a:[1,2,5], b: 'ok'});
localStorage.has('myKey');   // --> true
localStorage.get('myKey');   // --> {a:[1,2,5], b: 'ok'}
localStorage.keys();         // --> ['myKey']
localStorage.remove('myKey');

https://github.com/zevero/simpleWebstorage

3
zevero

http://rhaboo.org はlocalStorageのシュガーレイヤーで、このように書くことができます。

var store = Rhaboo.persistent('Some name');
store.write('count', store.count ? store.count+1 : 1);
store.write('somethingfancy', {
  one: ['man', 'went'],
  2: 'mow',
  went: [  2, { mow: ['a', 'meadow' ] }, {}  ]
});
store.somethingfancy.went[1].mow.write(1, 'lawn');

JSON.stringify/parseは、不正確で大きなオブジェクトでは遅くなるため、使用されません。代わりに、各端末値には独自のlocalStorageエントリがあります。

あなたはおそらく私がrhabooと関係がある可能性があると思います;-)

エイドリアン.

3
Adrian May

TypeScriptユーザーのために、型指定されたプロパティを設定および取得しても構いません。

/**
 * Silly wrapper to be able to type the storage keys
 */
export class TypedStorage<T> {

    public removeItem(key: keyof T): void {
        localStorage.removeItem(key);
    }

    public getItem<K extends keyof T>(key: K): T[K] | null {
        const data: string | null =  localStorage.getItem(key);
        return JSON.parse(data);
    }

    public setItem<K extends keyof T>(key: K, value: T[K]): void {
        const data: string = JSON.stringify(value);
        localStorage.setItem(key, data);
    }
}

使用例

// write an interface for the storage
interface MyStore {
   age: number,
   name: string,
   address: {city:string}
}

const storage: TypedStorage<MyStore> = new TypedStorage<MyStore>();

storage.setItem("wrong key", ""); // error unknown key
storage.setItem("age", "hello"); // error, age should be number
storage.setItem("address", {city:"Here"}); // ok

const address: {city:string} = storage.getItem("address");
2
Flavien Volken

ここで@danottによって投稿されたコードのいくつかの拡張版

また、localstorageから delete valueを実装し、その代わりにGetterおよびSetterレイヤを追加する方法を示します。

localstorage.setItem(preview, true)

あなたは書ける

config.preview = true

さて、ここに行きました:

var PT=Storage.prototype

if (typeof PT._setItem >='u') PT._setItem = PT.setItem;
PT.setItem = function(key, value)
{
  if (typeof value >='u')//..ndefined
    this.removeItem(key)
  else
    this._setItem(key, JSON.stringify(value));
}

if (typeof PT._getItem >='u') PT._getItem = PT.getItem;
PT.getItem = function(key)
{  
  var ItemData = this._getItem(key)
  try
  {
    return JSON.parse(ItemData);
  }
  catch(e)
  {
    return ItemData;
  }
}

// Aliases for localStorage.set/getItem 
get =   localStorage.getItem.bind(localStorage)
set =   localStorage.setItem.bind(localStorage)

// Create ConfigWrapperObject
var config = {}

// Helper to create getter & setter
function configCreate(PropToAdd){
    Object.defineProperty( config, PropToAdd, {
      get: function ()      { return (  get(PropToAdd)      ) },
      set: function (val)   {           set(PropToAdd,  val ) }
    })
}
//------------------------------

// Usage Part
// Create properties
configCreate('preview')
configCreate('notification')
//...

// Config Data transfer
//set
config.preview = true

//get
config.preview

// delete
config.preview = undefined

さてあなたは.bind(...)でエイリアス部分を取り除いても構いません。しかし、これについて知っておくのは本当に良いことなので、ここに入れておくだけです。私は何時間もかけて単純なget = localStorage.getItem;が機能しない理由を見つけました

1
Nadu

これを見て

次の映画という配列があるとします。

var movies = ["Reservoir Dogs", "Pulp Fiction", "Jackie Brown", 
              "Kill Bill", "Death Proof", "Inglourious Basterds"];

Stringify関数を使用すると、次の構文を使用してmovies配列を文字列に変換できます。

localStorage.setItem("quentinTarantino", JSON.stringify(movies));

私のデータはquentinTarantinoというキーの下に保存されていることに注意してください。

データを取得する

var retrievedData = localStorage.getItem("quentinTarantino");

文字列からオブジェクトに変換し直すには、JSON解析関数を使用します。

var movies2 = JSON.parse(retrievedData);

ムービー上のすべての配列メソッドを呼び出すことができます2

1
shas

オブジェクトを格納するために、文字列からオブジェクトへオブジェクトを取得するために使用できる文字を作ることができます(意味がないかもしれません)。例えば

var obj = {a: "lol", b: "A", c: "hello world"};
function saveObj (key){
    var j = "";
    for(var i in obj){
        j += (i+"|"+obj[i]+"~");
    }
    localStorage.setItem(key, j);
} // Saving Method
function getObj (key){
    var j = {};
    var k = localStorage.getItem(key).split("~");
    for(var l in k){
        var m = k[l].split("|");
        j[m[0]] = m[1];
    }
    return j;
}
saveObj("obj"); // undefined
getObj("obj"); // {a: "lol", b: "A", c: "hello world"}

オブジェクトを分割するために使用した文字を使用すると、この手法ではグリッチが発生します。また、非常に実験的です。

1
Seizefire

連絡先から受信したメッセージを追跡するためにlocalStorageを使用するライブラリの小さな例:

// This class is supposed to be used to keep a track of received message per contacts.
// You have only four methods:

// 1 - Tells you if you can use this library or not...
function isLocalStorageSupported(){
    if(typeof(Storage) !== "undefined" && window['localStorage'] != null ) {
         return true;
     } else {
         return false;
     }
 }

// 2 - Give the list of contacts, a contact is created when you store the first message
 function getContacts(){
    var result = new Array();
    for ( var i = 0, len = localStorage.length; i < len; ++i ) {
        result.Push(localStorage.key(i));
    }
    return result;
 }

 // 3 - store a message for a contact
 function storeMessage(contact, message){
    var allMessages;
    var currentMessages = localStorage.getItem(contact);
    if(currentMessages == null){
        var newList = new Array();
        newList.Push(message);
        currentMessages = JSON.stringify(newList);
    }
    else
    {
        var currentList =JSON.parse(currentMessages);
        currentList.Push(message);
        currentMessages = JSON.stringify(currentList);
    }
    localStorage.setItem(contact, currentMessages);
 }

 // 4 - read the messages of a contact
 function readMessages(contact){

    var result = new Array();
    var currentMessages = localStorage.getItem(contact);

    if(currentMessages != null){
        result =JSON.parse(currentMessages);
    }
    return result;
 }
1
Thomas

既存のStorageオブジェクトを壊さないようにしましたが、ラッパーを作成して必要なことができるようにしました。結果は通常のオブジェクトであり、メソッドではなく、他のオブジェクトと同じようにアクセスできます。

私が作ったもの。

1 localStorageプロパティを魔法にしたい場合は、

var prop = ObjectStorage(localStorage, 'prop');

いくつか必要な場合

var storage = ObjectStorage(localStorage, ['prop', 'more', 'props']);

prop、またはオブジェクト inside storageに対して行うすべてのことは、自動的にlocalStorageに保存されます。あなたはいつも本当のオブジェクトで遊んでいるので、あなたはこのようなことをすることができます:

storage.data.list.Push('more data');
storage.another.list.splice(1, 2, {another: 'object'});

そして、すべての新しいオブジェクト inside 追跡対象オブジェクトは自動的に追跡されます。

非常に大きなマイナス面: Object.observe()に依存しているため、ブラウザサポートは非​​常に限られています。そして、FirefoxやEdgeが間もなく登場するようには見えません。

1
Rudie

このJSオブジェクトがあります *これをHTML5ローカルストレージに保存します

   todosList = [
    { id: 0, text: "My todo", finished: false },
    { id: 1, text: "My first todo", finished: false },
    { id: 2, text: "My second todo", finished: false },
    { id: 3, text: "My third todo", finished: false },
    { id: 4, text: "My 4 todo", finished: false },
    { id: 5, text: "My 5 todo", finished: false },
    { id: 6, text: "My 6 todo", finished: false },
    { id: 7, text: "My 7 todo", finished: false },
    { id: 8, text: "My 8 todo", finished: false },
    { id: 9, text: "My 9 todo", finished: false }
];

store this HTML5 Local storageこの方法で、JSON.stringifyを使用して

localStorage.setItem("todosObject", JSON.stringify(todosList));

そして今、私はJSON.parsingによってローカルストレージからこのオブジェクトを取得できます。

todosList1 = JSON.parse(localStorage.getItem("todosObject"));
console.log(todosList1);
0

Localstorageは、キーと値の両方が文字列でなければなりませんであるキーと値のペアのみを保存できます。ただし、オブジェクトをJSON文字列にシリアル化して保存し、それらを取得するときにJSオブジェクトに逆シリアル化することができます。

例:

var testObject = { 'one': 1, 'two': 2, 'three': 3 };

// JSON.stringify turns a JS object into a JSON string, thus we can store it
localStorage.setItem('testObject', JSON.stringify(testObject));

// After we recieve a JSON string we can parse it into a JS object using JSON.parse
var jsObject = JSON.parse(localStorage.getItem('testObject')); 

これにより、確立されたプロトタイプチェーンが削除されることに注意してください。これは、例を介して最もよく示されます。

function testObject () {
  this.one = 1;
  this.two = 2;
  this.three = 3;
}

testObject.prototype.hi = 'hi';

var testObject1 = new testObject();

// logs the string hi, derived from prototype
console.log(testObject1.hi);

// the prototype of testObject1 is testObject.prototype
console.log(Object.getPrototypeOf(testObject1));

// stringify and parse the js object, will result in a normal JS object
var parsedObject = JSON.parse(JSON.stringify(testObject1));

// the newly created object now has Object.prototype as its prototype 
console.log(Object.getPrototypeOf(parsedObject) === Object.prototype);
// no longer is testObject the prototype
console.log(Object.getPrototypeOf(parsedObject) === testObject.prototype);

// thus we cannot longer access the hi property since this was on the prototype
console.log(parsedObject.hi); // undefined
0