据我所知,没有简单的 API 可以发现这一点,Apple 从未提供与 Spaces 相关的全面 API。
但是,通过一些横向思考,您可以弄清楚。
具有独立空间的显示器的显着特征是什么?
有多个菜单栏。
所以“有多个菜单栏吗?” 与“显示器有单独的空间吗?”的答案相同。
是否有 API 可以告诉您屏幕是否有菜单栏?
再说一次,据我所知,但我们能弄清楚吗?
NSWindow
有一个实例方法constrainFrameRect:toScreen:
,它给定一个矩形,表示一个窗口框架,屏幕返回一个调整后的矩形,其中至少部分矩形在屏幕上可见。此外,根据定义,如果矩形的上边缘高于菜单栏区域,则矩形将被调整,使上边缘紧靠菜单栏...
这意味着如果我们传递一个与屏幕上边缘相邻的矩形,则返回的矩形将与menubar的上边缘相邻,前提是有一个菜单栏。如果没有菜单栏,则返回的矩形将具有相同的顶部边缘。
因此我们可以确定是否有菜单栏及其高度。一个小问题,作为constrainFrameRect:toScreen:
一个实例方法,我们需要一个窗口,任何窗口,以使我们的代码工作。
这是将其编码为函数的一种方法:
CGFloat menuBarHeight(NSScreen *screen)
{
// A dummy window so we can call constrainFrameRect:toScreen
NSWindow *dummy = [[NSWindow alloc] initWithContentRect:NSMakeRect(0, 0, 100, 100)
styleMask:NSTitledWindowMask
backing:NSBackingStoreBuffered defer:YES];
// create a small rectangle at the top left corner of the screen
NSRect screenFrame = screen.frame;
NSRect testFrame = NSMakeRect(NSMinX(screenFrame), NSMaxY(screenFrame)-30, 30, 30);
// constrain the rectangle to be visible
NSRect constrainedFrame = [dummy constrainFrameRect:testFrame toScreen:screen];
// did the top edge move? delta = 0 -> no, delta > 0 - yes and by the height of the menubar
CGFloat delta = NSMaxY(testFrame) - NSMaxY(constrainedFrame);
return delta;
}
所以现在我们可以判断一个特定的屏幕是否有菜单栏。多屏怎么办?
WellNSScreen
的类方法screens
返回所有可用屏幕的数组,所以我们需要做的就是menuBarHeight
在每个屏幕上调用我们的函数,看看我们找到了多少菜单栏。
如果我们发现超过 1 个,那么我们已经确定显示器有单独的空格。
这是编码的一种方法,再次作为函数:
BOOL haveIndepenantScreens()
{
BOOL foundMenuBar = NO;
for (NSScreen *aScreen in NSScreen.screens)
{
if (menuBarHeight(aScreen) > 0)
{
if (foundMenuBar)
// second menu bar found
return YES;
else
// record found first menubar
foundMenuBar = YES;
}
}
return NO; // did not find multiple menubars
}
任务完成 :-)