我有一个Windows 8.1商店应用程序。我试图找到本地文件夹大小。(例如210 MB)
我有一个应用程序可以将一些内容下载到我的本地文件夹中。我想检查我的本地文件夹的大小(例如当前有多少MB)。
我曾尝试浏览MSDN和Google,但未能找到任何内容。
注意:我有一个文件夹和子文件夹,所以不仅是本地文件夹中的文件..
答案 0 :(得分:7)
您可以通过ApplicationData.LocalFolder
属性访问LocalFolder
。
此LocalFolder
是StorageFolder
个对象。 StorageFolder
有一个名为GetBasicPropertiesAsync
的方法。
GetBasicPropertiesAsync
会返回BasicProperties
个对象。此BasicProperties
对象具有Size
属性,可告诉您相关项目的大小(文件夹或文件)。我相信Size
以字节为单位(ulong
)。
完整的命令可以用async
方法在一行中完成,如下所示:
(await ApplicationData.LocalFolder.GetBasicPropertiesAsync()).Size;
如果您需要任何其他信息,也可以拆分每个步骤。
编辑:显然这并不像希望的那样有效。解决方案是创建查询并总结所有文件。你可以使用Linq来做到这一点。
using System.Linq;
// Query all files in the folder. Make sure to add the CommonFileQuery
// So that it goes through all sub-folders as well
var folders = ApplicationData.LocalFolder.CreateFileQuery(CommonFileQuery.OrderByName);
// Await the query, then for each file create a new Task which gets the size
var fileSizeTasks = (await folders.GetFilesAsync()).Select(async file => (await file.GetBasicPropertiesAsync()).Size);
// Wait for all of these tasks to complete. WhenAll thankfully returns each result
// as a whole list
var sizes = await Task.WhenAll(fileSizeTasks);
// Sum all of them up. You have to convert it to a long because Sum does not accept ulong.
var folderSize = sizes.Sum(l => (long) l);
答案 1 :(得分:2)
C#解决方案适用于中小型文件夹,但如果您的应用程序(无论出于何种原因)有大量文件,此方法将花费大量时间,甚至可能会耗尽内存。我遇到了这种情况,并选择编写一个c ++ winrt组件来获取文件夹的大小,我可以证明它运行速度更快,内存更少。该函数的代码如下所示,在c#代码中,您可以使用LocalState文件夹的Path属性调用GetAppUsedSpace。
#include "pch.h"
#include "NativeFileHelper.h"
#include <string>
#include <vector>
#include <stack>
#include <iostream>
#include <windows.h>
using namespace Platform;
NativeFileHelper::NativeFileHelper()
{
}
unsigned __int64 ListFiles(std::wstring path, std::wstring mask) {
HANDLE hFind = INVALID_HANDLE_VALUE;
WIN32_FIND_DATA ffd;
std::wstring spec;
std::stack<std::wstring> directories;
directories.push(path);
unsigned __int64 result = 0;
while (!directories.empty()) {
path = directories.top();
spec = path + L"\\" + mask;
directories.pop();
hFind = FindFirstFileEx(spec.c_str(), FindExInfoStandard, &ffd, FINDEX_SEARCH_OPS::FindExSearchNameMatch, NULL, FIND_FIRST_EX_LARGE_FETCH);
if (hFind == INVALID_HANDLE_VALUE) {
return result;
}
do {
if (wcscmp(ffd.cFileName, L".") != 0 &&
wcscmp(ffd.cFileName, L"..") != 0) {
if (ffd.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY) {
directories.push(path + L"\\" + ffd.cFileName);
}
else {
//This is file name
result += ffd.nFileSizeLow + (ffd.nFileSizeHigh * MAXDWORD);
//files.push_back(path + "\\" + ffd.cFileName);
}
}
} while (FindNextFile(hFind, &ffd) != 0);
if (GetLastError() != ERROR_NO_MORE_FILES) {
FindClose(hFind);
return result;
}
FindClose(hFind);
hFind = INVALID_HANDLE_VALUE;
}
return result;
}
unsigned __int64 NativeFileHelper::GetAppUsedSpace(Platform::String^ pathOfFolder)
{
unsigned __int64 size = ListFiles(pathOfFolder->Data(), L"*");
return size;
}