標籤:
向原創致敬http://blog.csdn.net/janeky/article/details/17104877
一個遊戲包含了各種資料,包括本機資料和與服務端通訊的資料。今天我們來談談如何儲存資料,以及用戶端和服務端的編碼方式。根據以前的經驗,我們可以用字串,XML,json...甚至可以直接儲存二進位。各種方式都有各自的優劣,有些效能比較好,但是實現方式比較麻煩。有些資料冗餘太多。
今天我們來學習一種廣泛使用的資料格式:Protobuf。簡單來說,它就是一種二進位格式,是google發起的,目前廣泛應用在各種開發語言中。具體的介紹可以參見:https://code.google.com/p/protobuf/ 。我們之所以選擇protobuf,是基於它的高效,資料冗餘少,編程簡單等特性。關於C#的protobuf實現,網上有好幾個版本,公認比較好的是Protobuf-net。
先來看一個最簡單的例子:把一個類用Protobuf格式序列化到一個二進位檔案。再讀取位元據,還原序列化出對象資料。
從網上參考了一個例子 http://blog.csdn.net/ddxkjddx/article/details/7239798
//----------------實體類----------------------
[csharp] view plaincopy
- using UnityEngine;
- using System.Collections;
- using ProtoBuf;
- using System;
- using System.Collections.Generic;
-
-
- [ProtoContract]
- public class Test {
-
-
- [ProtoMember(1)]
- public int Id
- {
- get;
- set;
- }
-
-
- [ProtoMember(2)]
- public List<String> data
- {
- get;
- set;
- }
-
-
- public override string ToString()
- {
- String str = Id+":";
- foreach (String d in data)
- {
- str += d + ",";
- }
- return str;
- }
-
- }
//-----------測試類別---------------------------
[csharp] view plaincopy
- using UnityEngine;
- using System.Collections;
- using System.Collections.Generic;
- using System.IO;
- using ProtoBuf;
- using System;
-
-
- public class ProtobufNet : MonoBehaviour {
-
-
- private const String PATH = "c://data.bin";
-
-
- void Start () {
- //產生資料
- List<Test> testData = new List<Test>();
- for (int i = 0; i < 100; i++)
- {
- testData.Add(new Test() { Id = i, data = new List<string>(new string[]{"1","2","3"}) });
- }
- //將資料序列化後存入本地檔案
- using(Stream file = File.Create(PATH))
- {
- Serializer.Serialize<List<Test>>(file, testData);
- file.Close();
- }
- //將資料從檔案中讀取出來,還原序列化
- List<Test> fileData;
- using (Stream file = File.OpenRead(PATH))
- {
- fileData = Serializer.Deserialize<List<Test>>(file);
- }
- //列印資料
- foreach (Test data in fileData)
- {
- Debug.Log(data);
- }
- }
-
- }
Unity手遊之路<一>C#版本Protobuf