IsolatedStorageFile表示包含檔案和目錄的隔離儲存區 (Isolated Storage)區。使用IsolatedStorageFile是一種讓你可以在使用者的裝置中建立真實的檔案和目錄。
該類使隔離儲存區 (Isolated Storage)的虛擬檔案系統抽象化。IsolatedStorageFile對象對應於特定的隔離儲存區 (Isolated Storage)範圍,在該範圍中存在由 IsolatedStorageFileStream對象表示的檔案。應用程式可以使用隔離儲存區 (Isolated Storage)將資料儲存在檔案系統中這些資料自己的獨立部分,而不必在檔案系統中指定特定的路徑。
虛擬檔案系統的根位於物理檔案系統上經過模糊處理的每使用者檔案夾中。由主機提供的每個唯一識別碼都映射為不同的根,該根為每個應用程式提供它自己的虛擬檔案系統。應用程式不能從它自己的檔案系統導航到另一個檔案系統中。
因為隔離儲存區 (Isolated Storage)區在特定程式集的範圍內,所以其他大多數Managed 程式碼都不能訪問您的代碼的資料(高度受信任的Managed 程式碼和管理工具可以從其他程式集訪問儲存區)。Unmanaged 程式碼可以訪問任何隔離儲存區 (Isolated Storage)區。
1.擷取隔離儲存區 (Isolated Storage)IsolatedStorageFile對象
IsolatedStorageFile myIsolatedStorage = IsolatedStorageFile.GetUserStoreForApplication();
2.建立目錄
myIsolatedStorage.CreateDirectory(path);
3.建立檔案
myIsolatedStorage.CreateFile(path);
注意:建立檔案所在檔案夾不存在時,無法建立成功。
4.判斷目錄是否存在
bool isExists = myIsolatedStorage.DirectoryExists(path);
5.判斷檔案是否存在
bool isExists = myIsolatedStorage.FileExists(path);
6.刪除檔案
myIsolatedStorage.DeleteFile(path);
7.刪除目錄(需要遞迴實現)
View Code
/// <summary>
/// 遞迴刪除目錄
/// </summary>
/// <param name="path">目錄路徑</param>
/// <param name="myIsolatedStorage">隔離儲存區 (Isolated Storage)</param>
private static void rmDirAll(String path, IsolatedStorageFile myIsolatedStorage)
{
String searchPattern = path + "\\*";
//尋找該目錄下所有子目錄,遞迴刪除之
String[] dirs = myIsolatedStorage.GetDirectoryNames(searchPattern);
for (int i = 0; i < dirs.Length; i++)
{
String dPath = path + "\\" + dirs[i];
rmDirAll(dPath, myIsolatedStorage);
}
//尋找該目錄下所有檔案,刪除之
String[] files = myIsolatedStorage.GetFileNames(searchPattern);
for (int j = 0; j < files.Length; j++)
{
String fPath = path + "\\" + files[j];
myIsolatedStorage.DeleteFile(fPath);
}
//該目錄下所有子目錄和檔案都刪除後才可刪除該目錄
myIsolatedStorage.DeleteDirectory(path);
}
8.複雜檔案
myIsolatedStorage.CopyFile(srcFilename/*源檔案*/, dstFilename/*目標檔案*/, overwrite/*是否覆蓋*/);
9.讀檔案
View Code
if (myIsolatedStorage.FileExists(path))
{
//開啟檔案
using (IsolatedStorageFileStream fileStream = myIsolatedStorage.OpenFile(path, FileMode.Open, FileAccess.Read))
{
using(StreamReader read = new StreamReader(fileStream))
{
String str = read.ReadToEnd();
}
}
}
10.寫檔案
using (IsolatedStorageFileStream fileStream = new IsolatedStorageFileStream(path, fMode, myIsolatedStorage))
{
fileStream.Write(data, 0, size);
}
11.擷取檔案建立的日期
DateTimeOffset offset = myIsolatedStorage.GetCreationTime(path);
DateTime creatDate = offset.DateTime;