我想使用以下代码在特定时间访问键盘的状态。
using System;
using System.Collections.Generic;
using System.Text;
using System.Windows.Forms;
using System.Windows.Input;
namespace some.any
{
public class ANY_CLASS
{
[STAThread] //seems to do nothing here
public static short ThisIsCalledByAnExternalProgram()
{
try
{
if (Keyboard.IsKeyDown(Key.LeftAlt))
{
return 1;
}
else
{
return 0;
}
}
catch (Exception e)
{
MessageBox.Show(e.ToString());
return 2;
}
}
}
此代码需要编译一些dll:WindowsBase.dll和PresentationCore.dll
键盘需要一个STA线程,通常我会将[STAThread]属性写入main函数并且它可以工作,但是这段代码将被用作dll,所以我不能这样做。我的函数ThisIsCalledByAnExternalProgram()必须作为STA运行,但它不会。
如何让这段代码作为dll工作?
编辑: 在STAThread标记的方法中调用ThisIsCalledByAnExternalProgram()会发生什么?
当我用我的外部程序调用该函数时,我得到一个例外: System.InvalidOperationException:...调用线程必须是STA,因为许多UI组件都需要这个。 堆栈是:
System.Windows.Input.InputManager..ctor()
System.Windows.Input.InputManager.GetCurrentInputManagerImpl()
ThisIsCalledByAnExternalProgram()
编辑#3: 我误读了这个问题 - 在一个被标记的STAThread中......我现在无法尝试这个。假设它通过并正常工作 - 这仍然无法解决问题,因为我无法控制调用程序。
编辑#2: 使用Win32钩子: 由于便携性,我想留在.net内。所有全局钩子变体最终都依赖于虚拟机下面的机器,我想使用准备好的c#Keyboard类。
它适用于不同的环境 - 这是一个简短的演示:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Windows.Input;
//Requires WindowsBase.dll
//Requires PresentationCore.dll
namespace KeyBoardDemo
{
class Program
{
[STAThread]
static void Main(string[] args)
{
while (true)
{
if (Keyboard.IsKeyDown(Key.LeftAlt))
{
Console.WriteLine("LEFT ALT IS PRESSED");
}
else
{
Console.WriteLine("LEFT ALT IS NOT PRESSED");
}
}
}
}
}
答案 0 :(得分:0)
考虑使用钩子,而不是仅仅为输入使用winform类。这篇文章是一个很好的解释,用C#做一些pinvoking;它提供了一个输入库(.dll),可以满足您的需求。文章的范围主要是全局钩子,但它也讨论了使用特定于应用程序的钩子。
答案 1 :(得分:0)
我找到了解决问题的方法,但感觉就像是一种解决方法。
A)我必须绕过静态属性,这样我才能创建新的线程。 B)我必须在使用Keayboard之前确保STA。
using System;
using System.Collections.Generic;
using System.Text;
using System.Windows.Forms;
using System.Windows.Input;
using System.Threading;
namespace some.any
{
public class ANY_CLASS
{
static STAKeyBoard mSTAKeyBoard = new STAKeyBoard();
public static short ThisIsCalledByAnExternalProgram()
{
try
{
if (mSTAKeyBoard.IsKeyDown(Key.LeftAlt))
{
return 1;
}
else
{
return 0;
}
}
catch (Exception e)
{
MessageBox.Show(e.ToString());
return 2;
}
}
class STAKeyBoard
{
private Thread mKeyBoardReadThread = null;
private Boolean mKeyState = false;
private Key mKeyOfInterest;
private string running = "ONLY ONE REQUEST";
public Boolean IsKeyDown(Key KeyOfInterest)
{
lock (running)
{
mKeyOfInterest = KeyOfInterest;
mKeyBoardReadThread = new Thread(new ThreadStart(GetKeyState));
mKeyBoardReadThread.SetApartmentState(ApartmentState.STA);
mKeyBoardReadThread.Start();
mKeyBoardReadThread.Join(1000);
mKeyBoardReadThread.Abort();
mKeyBoardReadThread = null;
return mKeyState;
}
}
private void GetKeyState()
{
mKeyState = Keyboard.IsKeyDown(mKeyOfInterest);
}
}
}