我正在使用紧凑框架开发一个 Windows 移动项目。
我必须做的一件事是记录用户何时执行操作,这可能意味着从按下按钮到使用条形码扫描仪的任何操作。它发生的时间也需要记录下来。
我的计划是覆盖所有控件以包含内置的日志记录功能,但这可能不是正确的方法,似乎是一件非常乏味的事情。
有没有更好的办法?
我正在使用紧凑框架开发一个 Windows 移动项目。
我必须做的一件事是记录用户何时执行操作,这可能意味着从按下按钮到使用条形码扫描仪的任何操作。它发生的时间也需要记录下来。
我的计划是覆盖所有控件以包含内置的日志记录功能,但这可能不是正确的方法,似乎是一件非常乏味的事情。
有没有更好的办法?
我会选择 IL Weaving。这是我推荐的一个库:http ://www.sharpcrafters.com/aop.net/msil-injection它的作用是你用一个属性标记你的类,你可以拦截所有的函数调用。在此拦截中,您将放入您的日志记录逻辑。
我想说这在很大程度上取决于“行动”的定义。我很想看看(未记录的)QASetWindowsJournalHook
API 是否可以工作。它可能会获取您想要的大部分内容,而不需要很多代码。可以在此处的 Codeproject上找到使用的原生示例。
SetWindowsHookWH_JOURNALRECORD
也可能值得一看。是的,我知道它“不受支持”,但它工作得很好,而且不太可能从你已经部署的设备中删除(而且它已经在操作系统中至少 10 年了)。
一些 P/Invoke 声明,都派生自 pwinuser.h,它们都如下:
[StructLayout(LayoutKind.Sequential)]
public struct JournalHookStruct
{
public int message { get; set; }
public int paramL { get; set; }
public int paramH { get; set; }
public int time { get; set; }
public IntPtr hwnd { get; set; }
}
internal enum HookType
{
JournalRecord = 0,
JournalPlayback = 1,
KeyboardLowLevel = 20
}
internal enum HookCode
{
Action = 0,
GetNext = 1,
Skip = 2,
NoRemove = 3,
SystemModalOn = 4,
SystemModalOff = 5
}
public const int HC_ACTION = 0;
public const int LLKHF_EXTENDED = 0x1;
public const int LLKHF_INJECTED = 0x10;
public const int LLKHF_ALTDOWN = 0x20;
public const int LLKHF_UP = 0x80;
public const int VK_TAB = 0x9;
public const int VK_CONTROL = 0x11;
public const int VK_ESCAPE = 0x1B;
public const int VK_DELETE = 0x2E;
[DllImport("coredll.dll", SetLastError = true)]
public static extern IntPtr SetWindowsHookEx(HookType idHook, HookProc lpfn, IntPtr hMod, int
[DllImport("coredll.dll", SetLastError = true)]
public static extern bool UnhookWindowsHookEx(IntPtr hhk);
[DllImport("coredll.dll", SetLastError = true)]
public static extern int CallNextHookEx(IntPtr hhk, HookCode nCode, IntPtr wParam, IntPtr
[DllImport("coredll.dll", SetLastError = true)]
public static extern IntPtr QASetWindowsJournalHook(HookType nFilterType, HookProc pfnFilterProc, ref JournalHookStruct pfnEventMsg);
将这些消息写入日志文件不能解决您的问题吗?
#if PocketPC
private static string _appPath = Environment.GetFolderPath(Environment.SpecialFolder.Personal);
#else
private static string _appPath = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.CommonApplicationData), Application.CompanyName);
#endif
public const int KILOBYTE = 1024;
public static string ErrorFile { get { return _appPath + @"\error.log"; } }
public static void Log(string message)
{
if (String.IsNullOrEmpty(message)) return;
using (FileStream stream = File.Open(ErrorFile, FileMode.Append, FileAccess.Write))
{
using (StreamWriter sw = new StreamWriter(stream, Encoding.UTF8, KILOBYTE))
{
sw.WriteLine(string.Format("{0:MM/dd/yyyy HH:mm:ss} - {1}", DateTime.Now, message));
}
}
}
但是,如果您正在进行线程并且多个例程尝试同时编写,您可能会遇到问题。在这种情况下,您可以添加额外的逻辑来锁定正在使用的例程。
反正我就是这样做的。
通过#if
区域,您可以看到这也被我的 Windows PC 应用程序使用。