6

我正在尝试获取活动窗口的名称,如任务管理器应用程序列表中所示(使用 c#)。我遇到了与此处描述的相同的问题。我尝试按照他们的描述进行操作,但是当重点应用程序是我遇到异常的图片库时,我遇到了问题。我也试过这个,但没有给我预期的结果。现在我使用:

IntPtr handle = IntPtr.Zero;
handle = GetForegroundWindow();

const int nChars = 256;
StringBuilder Buff = new StringBuilder(nChars);
if (GetWindowText(handle, Buff, nChars) > 0)
{
    windowText = Buff.ToString();
}

并根据我为大多数常见应用程序创建的表删除不相关的内容,但我不喜欢这种解决方法。有没有办法在所有正在运行的应用程序的任务管理器中获取应用程序名称?

4

2 回答 2

4

在阅读了很多之后,我将我的代码分为两种情况,用于 Metro 应用程序和所有其他应用程序。我的解决方案处理了我在 Metro 应用程序中遇到的异常以及我在平台上遇到的异常。这是最终起作用的代码:

[DllImport("user32.dll")]
public static extern IntPtr GetForegroundWindow();

[DllImport("user32.dll", CharSet = CharSet.Auto, SetLastError = true)]
static extern int GetWindowText(IntPtr hWnd, StringBuilder lpString, int nMaxCount);

[DllImport("user32.dll")]
static extern uint GetWindowThreadProcessId(IntPtr hWnd, out uint lpdwProcessId);

public string GetActiveWindowTitle()
{
    var handle = GetForegroundWindow();
    string fileName = "";
    string name = "";
    uint pid = 0;
    GetWindowThreadProcessId(handle, out pid);

    Process p = Process.GetProcessById((int)pid);
    var processname = p.ProcessName;

    switch (processname)
    {
        case "explorer": //metro processes
        case "WWAHost":
            name = GetTitle(handle);
            return name;
        default:
            break;
    }
    string wmiQuery = string.Format("SELECT ProcessId, ExecutablePath FROM Win32_Process WHERE ProcessId LIKE '{0}'", pid.ToString());
    var pro = new ManagementObjectSearcher(wmiQuery).Get().Cast<ManagementObject>().FirstOrDefault();
    fileName = (string)pro["ExecutablePath"];
    // Get the file version
    FileVersionInfo myFileVersionInfo = FileVersionInfo.GetVersionInfo(fileName);
    // Get the file description
    name = myFileVersionInfo.FileDescription;
    if (name == "")
        name = GetTitle(handle);

 return name;
}

public string GetTitle(IntPtr handle)
{
string windowText = "";
    const int nChars = 256;
    StringBuilder Buff = new StringBuilder(nChars);
    if (GetWindowText(handle, Buff, nChars) > 0)
    {
        windowText = Buff.ToString();
    }
    return windowText;
}
于 2014-03-10T14:16:37.523 回答
0

听起来您需要遍历每个顶级窗口(桌面窗口的直接子窗口,通过 pinvoke http://msdn.microsoft.com/en-us/library/windows/desktop/ms633497(v=vs. 85).aspx ) 然后调用 GetWindowText pinvoke 函数。

EnumWindows 将“通过将句柄传递给每个窗口,依次传递给应用程序定义的回调函数来枚举屏幕上的所有顶级窗口。”

于 2014-03-05T18:44:33.487 回答