27

如何使用 C# 获取和设置另一个应用程序的位置?

例如,我想获取记事本的左上角坐标(假设它浮动在 100,400 的某处)并将此窗口定位在 0,0。

实现这一目标的最简单方法是什么?

4

4 回答 4

40

我实际上只是为这种事情编写了一个开源 DLL。 在这里下载

这将允许您查找、枚举、调整大小、重新定位或对其他应用程序窗口及其控件执行任何您想做的事情。还增加了读取和写入窗口/控件的值/文本并在它们上执行单击事件的功能。它基本上是为了进行屏幕抓取而编写的 - 但所有源代码都包含在内,因此您想要对 windows 执行的所有操作都包含在其中。

于 2009-09-01T21:10:08.807 回答
13

大卫的有用答案提供了关键的指示和有用的链接。

要将它们用于实现问题中示例场景的自包含示例,请通过 P/Invoke 使用 Windows API(System.Windows.Forms涉及):

using System;
using System.Runtime.InteropServices; // For the P/Invoke signatures.

public static class PositionWindowDemo
{

    // P/Invoke declarations.

    [DllImport("user32.dll", SetLastError = true)]
    static extern IntPtr FindWindow(string lpClassName, string lpWindowName);

    [DllImport("user32.dll", SetLastError = true)]
    static extern bool SetWindowPos(IntPtr hWnd, IntPtr hWndInsertAfter, int X, int Y, int cx, int cy, uint uFlags);

    const uint SWP_NOSIZE = 0x0001;
    const uint SWP_NOZORDER = 0x0004;

    public static void Main()
    {
        // Find (the first-in-Z-order) Notepad window.
        IntPtr hWnd = FindWindow("Notepad", null);

        // If found, position it.
        if (hWnd != IntPtr.Zero)
        {
            // Move the window to (0,0) without changing its size or position
            // in the Z order.
            SetWindowPos(hWnd, IntPtr.Zero, 0, 0, 0, 0, SWP_NOSIZE | SWP_NOZORDER);
        }
    }

}
于 2017-02-17T20:01:01.340 回答
9

尝试使用FindWindow ( signature ) 获取目标窗口的 HWND。然后你可以使用SetWindowPos ( signature ) 来移动它。

于 2009-09-01T20:32:12.797 回答
5

您将需要使用 som P/Invoke 互操作来实现此目的。基本思想是首先找到窗口(例如,使用EnumWindows 函数),然后使用GetWindowRect获取窗口位置。

于 2009-09-01T20:32:32.640 回答