我正在尝试创建一个控制台或表单,您可以将文件拖到各自的.exe上 该程序将获取该文件并对其进行哈希处理,然后将剪贴板文本设置为生成的哈希值。
这是我的代码
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Security.Cryptography;
using System.Windows.Forms;
using System.IO;
namespace ConsoleApplication1
{
class Program
{
static void Main(string[] args)
{
string path = args[0];
StreamReader wer = new StreamReader(path.ToString());
wer.ReadToEnd();
string qwe = wer.ToString();
string ert = Hash(qwe);
string password = "~" + ert + "~";
Clipboard.SetText(password);
}
static public string Hash(string input)
{
MD5 md5 = MD5.Create();
byte[] inputBytes = Encoding.ASCII.GetBytes(input);
byte[] hash = md5.ComputeHash(inputBytes);
StringBuilder sb = new StringBuilder();
for (int i = 0; i < hash.Length; i++)
{
sb.Append(hash[i].ToString("X2"));
}
return sb.ToString();
}
}
}
当我从发布版本中获取单个.exe并将文件拖到其上时,我会遇到某种线程错误 - 我无法提供它,因为它在控制台中,而不是在vb2010中。谢谢你的帮助
答案 0 :(得分:0)
剪贴板API在内部使用OLE,因此只能在STA线程上调用。与WinForms应用程序不同,控制台应用程序默认情况下不使用STA。
将[STAThread]
属性添加到Main
:
[STAThread]
static void Main(string[] args)
{
...
只需执行异常消息告诉您的内容:
未处理的异常:
System.Threading.ThreadStateException
:当前线程必须 可以在进行OLE调用之前设置为单线程单元(STA)模式。确保您的主要功能标有STAThreadAttribute
。
稍微清理你的程序:
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Security.Cryptography;
using System.Windows.Forms;
namespace HashToClipboard
{
class Program
{
[STAThread]
static void Main(string[] args)
{
string hexHash = Hash(args[0]);
string password = "~" + hexHash + "~";
Clipboard.SetText(password);
}
static public string Hash(string path)
{
using (var stream = File.OpenRead(path))
using (var hasher = MD5.Create())
{
byte[] hash = hasher.ComputeHash(stream);
string hexHash = BitConverter.ToString(hash).Replace("-", "");
return hexHash;
}
}
}
}
这比您的计划有几个优势: