由於MongoDB的文檔結構為BJSON格式BJSON全稱:Binary JSON),而BJSON格式本身就支援儲存二進位格式的資料,因此可以把檔案的二進位格式的資料直接儲存到MongoDB的文檔結構中。但是由於一個BJSON的最大長度不能超過4M,所以限制了單個文檔中能存入的最大檔案不能超過4M。為了提供對大容量檔案存取的支援,samus驅動提供了“GridFS”方式來支援,“GridFS”方式檔案操作需要引入新的程式集“MongoDB.GridFS.dll”。下面我們分別用兩種方式來實現。
一、在文檔對象中存取檔案
當檔案大小較小的時候,直接存入文檔對象實現起來更簡潔。比如大量圖片檔案的存取等,一般圖片檔案都不會超過4M。我們先實現一個上傳圖片存入資料庫,再取出來寫回頁面的例子:
1. 把圖片存到BJSON中
- /// <summary>
- /// 把圖片存到BJSON中
- /// </summary>
- public void SaveImgBJSON(byte[] byteImg)
- {
- Document doc = new Document();
- doc["ID"] = 1;
- doc["Img"] = byteImg;
- mongoCollection.Save(doc);
- }
2. 擷取BJSON方式儲存的圖片位元組資料
- /// <summary>
- /// 擷取BJSON方式儲存的圖片位元組資料
- /// </summary>
- public byte[] GetImgBJSON()
- {
- Document doc= mongoCollection.FindOne(new Document { { "ID", 1 } });
- return doc["Img"] as Binary;
- }
上面兩段代碼是在對MongoDB相關操作進行BLL封裝類中添加的兩個方法,封裝方式查看上節內容。下面看看在webform中如何調用:
在介面拖出一個FileUpload控制項和一個Button控制項,頁面cs類加如下方法:
- protected void Button1_Click(object sender, EventArgs e)
- {
- ImgBLL imgBll = new ImgBLL();
- imgBll.DeleteAll();
- imgBll.SaveImgBJSON(FileUpload1.FileBytes);
- Response.BinaryWrite(imgBll.GetImgBJSON());
- }
二、用GridFS方式存取檔案
在實現GridFS方式前我先講講它的原理,為什麼可以存大檔案。驅動首先會在當前資料庫建立兩個集合:"fs.files"和"fs.chunks"集合,前者記錄了檔案名稱,檔案建立時間,檔案類型等基本資料;後者分Block Storage了檔案的位元據並支援加密這些位元據)。分塊的意思是把檔案按照指定大小分割,然後存入多個文檔中。"fs.files"怎麼知道它對應的檔案位元據在哪些塊呢?那是因為在"fs.chunks"中有個"files_id"鍵,它對應"fs.files"的"_id"。"fs.chunks"還有一個鍵(int型)"n",它表明這些塊的先後順序。這兩個集合名中的"fs"也是可以通過參數自訂的。
如果你只是想知道怎麼用,可以忽略上面這段話,下面將用法:
1. GridFS方式的檔案建立,讀取,刪除
- private string GridFsSave(byte[] byteFile)
- {
- string filename = Guid.NewGuid().ToString();
- //這裡GridFile建構函式有個重載,bucket參數就是用來替換那個建立集合名中預設的"fs"的。
- GridFile gridFile = new GridFile(mongoDatabase);
- using (GridFileStream gridFileStream = gridFile.Create(filename))
- {
- gridFileStream.Write(byteFile, 0, byteFile.Length);
- }
- return filename;
- }
- private byte[] GridFsRead(string filename)
- {
- GridFile gridFile = new GridFile(mongoDatabase);
- GridFileStream gridFileStream = gridFile.OpenRead(filename);
- byte[] bytes = new byte[gridFileStream.Length];
- gridFileStream.Read(bytes, 0, bytes.Length);
- return bytes;
- }
- private void GridFsDelete(string filename)
- {
- GridFile gridFile = new GridFile(mongoDatabase);
- gridFile.Delete(new Document("filename", filename));
- }
2. 再次封裝GridFS操作,新文檔只隱藏檔名稱,相當於只是一個鍵,新文檔還可以有除“檔案名稱”之外其他的鍵。
- /// <summary>
- /// 把圖片存到GridFS中
- /// </summary>
- public void SaveImgGridFS(byte[] byteImg)
- {
- string filename = GridFsSave(byteImg);
- Document doc = new Document();
- doc["ID"] = 1;
- doc["filename"] = filename;
- mongoCollection.Save(doc);
- }
- /// <summary>
- /// 擷取GridFS方式儲存的圖片
- /// </summary>
- public byte[] GetImgGridFS()
- {
- Document doc = mongoCollection.FindOne(new Document { { "ID", 1 } });
- string filename = doc["filename"].ToString();
- return GridFsRead(filename);
- }
三、小結
檔案存取應該不是很難,值得注意的地方是:用第一種方式從文檔中讀出位元據時,一定要將類型轉換為“Binary”類型;還有系統內建的鍵“_id”,它也不是string類型,是“Oid”類型的。