用python代码实现用pyqt6不用qtgui将文件里面的图片通过图形界面一张一张显示出来,固定图片大小和位置每过三秒每次只显示一张
时间: 2023-06-14 15:06:05 浏览: 83
可以使用PyQt6的QLabel和QTimer实现这个功能。下面是一个简单的示例代码,它会在窗口中显示指定文件夹中的所有图片,并定时每3秒切换到下一张图片。
```python
import os
from PyQt6.QtGui import QPixmap
from PyQt6.QtWidgets import QApplication, QLabel, QMainWindow
from PyQt6.QtCore import QTimer, Qt
class ImageViewer(QMainWindow):
def __init__(self):
super().__init__()
# 初始化窗口
self.setWindowTitle("Image Viewer")
self.setGeometry(300, 300, 400, 400)
self.setFixedSize(400, 400)
# 获取图片文件路径列表
self.img_files = []
for file in os.listdir("images"):
if file.endswith(".jpg") or file.endswith(".png"):
self.img_files.append(os.path.join("images", file))
# 初始化QLabel和QTimer
self.image_label = QLabel(self)
self.image_label.setGeometry(50, 50, 300, 300)
self.timer = QTimer(self)
self.timer.timeout.connect(self.show_next_image)
# 显示第一张图片
self.current_index = 0
self.show_image()
# 启动定时器
self.timer.start(3000)
def show_image(self):
# 加载并显示当前图片
pixmap = QPixmap(self.img_files[self.current_index])
self.image_label.setPixmap(pixmap.scaled(300, 300, Qt.AspectRatioMode.KeepAspectRatio))
def show_next_image(self):
# 显示下一张图片
self.current_index = (self.current_index + 1) % len(self.img_files)
self.show_image()
if __name__ == '__main__':
app = QApplication([])
window = ImageViewer()
window.show()
app.exec()
```
在这个示例中,我们通过`os.listdir`获取了`images`文件夹中所有以`.jpg`或`.png`结尾的文件,并将它们的路径保存在了`img_files`列表中。然后,我们创建了一个`QLabel`用于显示图片,以及一个`QTimer`用于定时切换图片。在窗口初始化时,我们显示第一张图片,并启动定时器。每次定时器触发时,我们将`current_index`加1,然后显示下一张图片。由于我们使用了`%`运算符,所以当`current_index`达到列表长度时,它会被重置为0。
阅读全文