如何使用python PyQt5确定我的应用程序(窗口)的活动屏幕(监视器)?

时间:2019-12-10 08:26:09

标签: python user-interface pyqt5 resolution pythoninterpreter

我正在开发一个使用许多小部件(QGroupBox,QVBoxLayout,QHBoxLayout)的应用程序。最初,它是在普通高清监视器上开发的。但是,最近我们许多人升级到了4K分辨率显示器。现在,某些按钮和滑块被压缩得很小,以致无法使用。

现在,我试图进行一些更改,以便该应用程序可同时用于高清和4K显示器。

我开始阅读下面的链接:

https://leomoon.com/journal/python/high-dpi-scaling-in-pyqt5/ enter link description here

我认为只要在特定监视器中打开窗口,我就可以调用以下代码:

if pixel_x > 1920 and pixel_y > 1080:
  Qapp.setAttribute(Qt.AA_EnableHighDpiScaling, True)
  Qapp.setAttribute(Qt.AA_UseHighDpiPixmaps, True)
else:
  Qapp.setAttribute(Qt.AA_EnableHighDpiScaling, False)
  Qapp.setAttribute(Qt.AA_UseHighDpiPixmaps, False)

然后,我尝试通过下面的代码从相关的here帖子中获取显示器分辨率(pixel_x和pixel_y)。

import sys, ctypes

user32 = ctypes.windll.user32
user32.SetProcessDPIAware()
screen_width  = 0 #78
screen_height = 1 #79
[pixel_x , pixel_y ] = [user32.GetSystemMetrics(screen_width), user32.GetSystemMetrics(screen_height)]

screen_width = 0, screen_height = 1为我提供了主显示器(在我们的情况下,多数是高清笔记本电脑)的分辨率。 screen_width = 78, screen_height = 79给了我虚拟机的综合分辨率。但是我不明白如何根据应用程序的打开位置动态获取这些值。

我的应用程序窗口的开发方式是,它将在上次关闭的同一监视器中打开。现在的问题是,无论何时调用我的GUI,我都希望获得活动的监视器分辨率,并适应该分辨率。如果有人可以帮助我,我会感到很高兴。

我有兴趣知道每次将窗口从高清显示器拖动到4K显示器时都可以调用屏幕分辨率计算,反之亦然。

编辑:我在这篇文章here中发现了类似的内容,但是我从中学不到很多。

Edit2:基于@Joe解决方案(主屏幕检测),即使我在4K屏幕上运行应用程序,为什么主屏幕始终是笔记本电脑的分辨率? enter image description here

我只是尝试使用以下代码获取所有屏幕的dpi:

def screen_selection():
  app = QApplication(sys.argv)
  valid_screens = []
  for index, screen_no in enumerate(app.screens()):
    screen = app.screens()[index]
    dpi = screen.physicalDotsPerInch()
    valid_screens.append(dpi)
  return valid_screens

3 个答案:

答案 0 :(得分:6)

我来到across的一个解决方案是使用临时QApplication()

import sys
from PyQt5 import QtWidgets, QtCore, QtGui

# fire up a temporary QApplication
def get_resolution():

    app = QtWidgets.QApplication(sys.argv)

    print(app.primaryScreen())

    d = app.desktop()

    print(d.screenGeometry())
    print(d.availableGeometry())
    print(d.screenCount())    

    g = d.screenGeometry()
    return (g.width(), g.height())

x, y = get_resolution()

if x > 1920 and y > 1080:
  QtWidgets.QApplication.setAttribute(QtCore.Qt.AA_EnableHighDpiScaling, True)
  QtWidgets.QApplication.setAttribute(QtCore.Qt.AA_UseHighDpiPixmaps, True)
else:
  QtWidgets.QApplication.setAttribute(QtCore.Qt.AA_EnableHighDpiScaling, False)
  QtWidgets.QApplication.setAttribute(QtCore.Qt.AA_UseHighDpiPixmaps, False)

# Now your code ...

此功能将检测所有连接的屏幕:

# fire up a temporary QApplication
def get_resolution_multiple_screens():

    app = QtGui.QGuiApplication(sys.argv)
    #QtWidgets.QtGui
    all_screens = app.screens()

    for s in all_screens:

        print()
        print(s.name())
        print(s.availableGeometry())
        print(s.availableGeometry().width())
        print(s.availableGeometry().height())
        print(s.size())
        print(s.size().width())
        print(s.size().height())

    print()
    print('primary:', app.primaryScreen())
    print('primary:', app.primaryScreen().availableGeometry().width())
    print('primary:', app.primaryScreen().availableGeometry().height())

    # now choose one

您可以使用提示herehere来获取正在运行应用程序的屏幕。

但是我认为primaryScreen也应该返回以下内容:

  

primaryScreen:QScreen *常量

     

此属性用于保存以下内容的主屏幕(或默认屏幕):   应用。

     

这将是最初显示QWindows的屏幕,除非   另有说明。

https://doc.qt.io/qt-5/qguiapplication.html#primaryScreen-prop

答案 1 :(得分:3)

好吧,在创建MainWindow之后,您只需调用QMainWindow.screen()。这将返回MainWindow处于打开状态的当前屏幕。这至少可以让您在应用程序启动时检查屏幕分辨率。 现在没有screenChangeEvent之类的东西。但是我确信您可以通过子类化MainWindow并重载QMainWindow.moveEvent

来创建一个

例如:

    class MainWindow(QtWidgets.QMainWindow):
        screenChanged = QtCore.pyqtSignal(QtGui.QScreen, QtGui.QScreen)

        def moveEvent(self, event):
            oldScreen = QtWidgets.QApplication.screenAt(event.oldPos())
            newScreen = QtWidgets.QApplication.screenAt(event.pos())

            if not oldScreen == newScreen:
                self.screenChanged.emit(oldScreen, newScreen)

            return super().moveEvent(event)

这将检查屏幕是否已更改。如果有,它会发出信号。现在,您只需要将此信号连接到设置dpi属性的功能即可。该事件使您可以访问旧屏幕和新屏幕。

警告:

在应用程序启动时,一个屏幕可能是None,因为在您第一次启动应用程序时没有oldScreen。所以请检查一下。

答案 2 :(得分:3)

尽管我无法获得直接的解决方案,但我仍然能够开发一种方法来获得自己想要的结果。借助一些链接和上一篇文章,我能够实现。通过this post,我有了跟踪鼠标事件的想法。

我开发了一种跟踪所有监视器和各自凝视位置的方法。如果我的变量命名不合适,我很乐意接受更改

def get_screen_resolution():
  app = QApplication(sys.argv)
  screen_count = QGuiApplication.screens()
  resolutions_in_x = []

  for index, screen_names in enumerate(screen_count):
    resolution = screen_count[index].size()
    height = resolution.height()
    width = resolution.width()
    resolutions_in_x.append(width)

  low_resolution_monitors = {}
  high_resolution_monitors = {}

  for i, wid_res in enumerate(resolutions_in_x):
    if wid_res > 1920:
      high_resolution_monitors.update({i: wid_res})
    else:
      low_resolution_monitors.update({'L': wid_res})    
  temp_value = 0
  high_res_monitors_x_position = []
  low_res_monitors_x_position = []
  for i in range(len(screen_count)):
    temp_value = temp_value+resolutions_in_x[i]
      if resolutions_in_x[i] in high_resolution_monitors.values():
        high_res_monitors_x_position.append(temp_value-resolutions_in_x[i])
      else:
        low_res_monitors_x_position.append(temp_value-resolutions_in_x[i])

  total_width_res = []
  pixel_value = 0
  first_pixel = 0
  for i, wid_value in enumerate(resolutions_in_x):
    pixel_value = pixel_value + wid_value
    total_width_res.append(tuple((first_pixel, pixel_value-1)))
    first_pixel = pixel_value

  return high_res_monitors_x_position, low_res_monitors_x_position, total_width_res


def moveEvent(self, event):

screen_pos = self.pos()
screen_dimensions = [screen_pos.x(),screen_pos.y()]
super(MainWindow, self).moveEvent(event)

Window_starting_pt = screen_pos.x()
for i, value in enumerate(self.total_width_res):
  if value[0]<=Window_starting_pt+30 <=value[1] or value[0]<=Window_starting_pt-30 <=value[1]: #taking 30pixels as tolerance since widgets are staring at some negative pixel values
    if value[0] in self.high_res_monitors_x_position:
      QtWidgets.QApplication.setAttribute(QtCore.Qt.AA_EnableHighDpiScaling, True)
      QtWidgets.QApplication.setAttribute(QtCore.Qt.AA_UseHighDpiPixmaps, True)
    else:
      QtWidgets.QApplication.setAttribute(QtCore.Qt.AA_EnableHighDpiScaling, False)
      QtWidgets.QApplication.setAttribute(QtCore.Qt.AA_UseHighDpiPixmaps, False)

具有两个功能,能够跟踪我的应用程序(窗口)的位置,并且还能够跟踪它何时在窗口之间拖动