我正在上大学,并且已经获得了制作一个应用程序的任务,该应用程序可以计算并显示UWP应用程序中文件的哈希值。每当我想计算所选择文件的哈希值时,都会得到“拒绝访问路径”。错误。我想计算将文件流作为参数传递的哈希值。我试图以管理员身份运行Visual Studio,但没有成功。下面是代码。
public partial class MainPage : Page
{
byte[] result;
string[] algorithms = { "MD5", "SHA-1", "SHA256", "SHA384", "SHA512" };
string algorithm = "", path = "";
HashAlgorithm hash;
public MainPage()
{
this.InitializeComponent();
AlgorithmsList.ItemsSource = algorithms;
}
/* Browse for file */
private async void BrowseButton(object sender, RoutedEventArgs e)
{
FileOpenPicker openPicker = new FileOpenPicker();
openPicker.ViewMode = PickerViewMode.Thumbnail;
openPicker.SuggestedStartLocation = PickerLocationId.DocumentsLibrary;
openPicker.FileTypeFilter.Add("*");
StorageFile file = await openPicker.PickSingleFileAsync();
if (file != null)
{
resultTextBlock.Text = "Result";
pathTextBlock.Text = file.Path;
path = file.Path;
}
}
/* Method that shows the hash after computing it */
private async void GoButton(object sender, RoutedEventArgs e)
{
if (path == "" || AlgorithmsList.SelectedIndex == -1)
{
MessageDialog dialog;
if (path == "")
dialog = new MessageDialog("You have to select a file");
else
dialog = new MessageDialog("You have to select an algorithm");
await dialog.ShowAsync();
}
else
{
algorithm = AlgorithmsList.Text;
string hash = await Task.Run(() => CalculateHash());
resultTextBlock.Text = hash;
}
}
private string CalculateHash()
{
string exception = "";
hash = InitAlgorithm();
try
{
using (var fileStream = new FileStream(path, FileMode.Open, FileAccess.Read))
{
fileStream.Position = 0;
result = hash.ComputeHash(fileStream);
}
StringBuilder sb = new StringBuilder(result.Length * 2);
foreach (byte b in result)
{
sb.AppendFormat("{0:x2}", b);
}
return sb.ToString();
}
catch (Exception e)
{
exception = e.ToString();
}
return exception;
}
private HashAlgorithm InitAlgorithm()
{
HashAlgorithm hash = null;
switch (algorithm)
{
case ("MD5"):
hash = MD5.Create();
break;
case ("SHA-1"):
hash = SHA1.Create();
break;
case ("SHA256"):
hash = SHA256.Create();
break;
case ("SHA384"):
hash = SHA384.Create();
break;
case ("SHA512"):
hash = SHA512.Create();
break;
}
return hash;
}
}
答案 0 :(得分:0)
您无权访问该路径。您只能访问StorageFile
。因此,请在MainPage
中将其设置为变量,然后在CalculateHash
中使用它。
答案 1 :(得分:0)
请不要使用路径直接创建FileStream
,UWP应用程序对通过路径访问文件有严格的限制。
您已经通过StorageFile
获得了FileOpenPicker
对象,请使用它而不是path
变量,并使用以下代码:
using (var stream = await file.OpenStreamForReadAsync())
{
stream.Position = 0;
result = hash.ComputeHash(stream);
}
StringBuilder sb = new StringBuilder(result.Length * 2);
foreach (byte b in result)
{
sb.AppendFormat("{0:x2}", b);
}
return sb.ToString();
最诚挚的问候。