PPT转图片拼贴工具 v4.3

软件介绍

这个软件就是将PPT文件转换为图片并且拼接起来。
效果展示在这里插入图片描述

支持导入文件和支持导入文件夹,也支持手动输入文件/文件夹路径

软件界面
在这里插入图片描述

这一次提供了源码和开箱即用版本,exe就是直接用就可以了。

软件源码

import os
import re
import sys
import win32com.client
from PIL import Image
from typing import List, Union
from PyQt5.QtWidgets import QApplication, QWidget, QVBoxLayout, QHBoxLayout, QLabel, QLineEdit, QPushButton, QFileDialog, QProgressBar, QTextEdit, QScrollBar, QFrame, QStyleFactory
from PyQt5.QtGui import QFont, QIcon
from PyQt5.QtCore import Qt, QThread, pyqtSignal
import pythoncom
from PyQt5.QtCore import QUrl
from PyQt5.QtGui import QDesktopServicesclass PPTtoImageConverter:"""PPT转图片拼贴的核心功能类"""def __init__(self):passdef convert_ppt_to_png(self, ppt_path: str, output_folder: str) -> None:"""将单个PPT文件转换为PNG图片"""pythoncom.CoInitialize()try:ppt_app = win32com.client.Dispatch("PowerPoint.Application")except Exception as e:pythoncom.CoUninitialize()raise RuntimeError(f"无法启动 PowerPoint 应用程序: {e}")if not os.path.exists(ppt_path):pythoncom.CoUninitialize()raise FileNotFoundError(f"PPT 文件不存在: {ppt_path}")try:presentation = ppt_app.Presentations.Open(ppt_path, WithWindow=False)presentation.SaveAs(output_folder, 18)  # 18 代表 PNG 格式presentation.Close()finally:ppt_app.Quit()pythoncom.CoUninitialize()def create_collage(self, input_folder: str, output_folder: str, ppt_name: str,row_size: int = 3, col_gap: int = 10, row_gap: int = 10) -> None:"""从PNG图片创建拼贴画"""files = os.listdir(input_folder)slide_files = [f for f in files if re.match(r"幻灯片\d+\.png", f, re.IGNORECASE)]if not slide_files:raise RuntimeError(f"未找到幻灯片图片文件")slide_files.sort(key=lambda x: int(re.search(r'\d+', x).group()))try:images = [Image.open(os.path.join(input_folder, f)) for f in slide_files]except Exception as e:raise RuntimeError(f"加载图片时出错: {e}")if not images:raise RuntimeError("没有可处理的图片")width, height = images[0].sizefirst_img = images[0].resize((width * row_size + col_gap * (row_size - 1),height * row_size + int(col_gap * (row_size - 1) * height / width)),Image.LANCZOS)remaining_images = images[1:]rows = (len(remaining_images) + row_size - 1) // row_sizecanvas_width = first_img.widthcanvas_height = first_img.height + rows * (height + row_gap)collage_image = Image.new("RGB", (canvas_width, canvas_height), (255, 255, 255))collage_image.paste(first_img, (0, 0))for i, img in enumerate(remaining_images):row = i // row_sizecol = i % row_sizex = col * (width + col_gap)y = first_img.height + row * (height + row_gap)collage_image.paste(img, (x, y))collage_path = os.path.join(output_folder, f"{ppt_name}.png")collage_image.save(collage_path)for f in slide_files:os.remove(os.path.join(input_folder, f))def process_ppt_item(self, item_path: str, output_folder: str,row_size: int = 3, col_gap: int = 10, row_gap: int = 10,progress_callback=None) -> None:"""处理单个PPT文件或文件夹"""processed_count = 0total_files = 0if os.path.isfile(item_path):if item_path.lower().endswith(('.ppt', '.pptx')):total_files = 1try:ppt_filename = os.path.basename(item_path)ppt_name = os.path.splitext(ppt_filename)[0]# 为每个PPT创建单独的临时文件夹temp_folder = os.path.join(output_folder, f"temp_{ppt_name}")os.makedirs(temp_folder, exist_ok=True)self.convert_ppt_to_png(item_path, temp_folder)self.create_collage(temp_folder, output_folder, ppt_name, row_size, col_gap, row_gap)# 清理临时文件夹for f in os.listdir(temp_folder):os.remove(os.path.join(temp_folder, f))os.rmdir(temp_folder)message = f"✓ 处理完成: {ppt_name}.png"if progress_callback:progress_callback(message, 100)processed_count = 1except Exception as e:message = f"⚠️ 处理失败: {os.path.basename(item_path)} - {str(e)}"if progress_callback:progress_callback(message, 100)else:message = f"⚠️ 跳过非PPT文件: {os.path.basename(item_path)}"if progress_callback:progress_callback(message, 100)elif os.path.isdir(item_path):message = f"处理文件夹: {item_path}"if progress_callback:progress_callback(message, 0)ppt_files = [f for f in os.listdir(item_path)if f.lower().endswith(('.ppt', '.pptx'))]total_files = len(ppt_files)for i, filename in enumerate(ppt_files):file_path = os.path.join(item_path, filename)try:ppt_name = os.path.splitext(filename)[0]# 为每个PPT创建单独的临时文件夹temp_folder = os.path.join(output_folder, f"temp_{ppt_name}")os.makedirs(temp_folder, exist_ok=True)self.convert_ppt_to_png(file_path, temp_folder)self.create_collage(temp_folder, output_folder, ppt_name, row_size, col_gap, row_gap)# 清理临时文件夹for f in os.listdir(temp_folder):os.remove(os.path.join(temp_folder, f))os.rmdir(temp_folder)message = f"✓ 处理完成 ({i + 1}/{total_files}): {ppt_name}.png"progress = int((i + 1) / total_files * 100)if progress_callback:progress_callback(message, progress)processed_count += 1except Exception as e:message = f"⚠️ 处理失败 ({i + 1}/{total_files}): {filename} - {str(e)}"if progress_callback:progress_callback(message, int(i / total_files * 100))else:message = f"⚠️ 路径不存在或无法访问: {item_path}"if progress_callback:progress_callback(message, 100)return processed_count, total_filesclass ProcessingThread(QThread):progress_signal = pyqtSignal(str, int)def __init__(self, converter, input_path, output_path, row_size, col_gap, row_gap):super().__init__()self.converter = converterself.input_path = input_pathself.output_path = output_pathself.row_size = row_sizeself.col_gap = col_gapself.row_gap = row_gapdef run(self):try:self.converter.process_ppt_item(self.input_path,self.output_path,self.row_size,self.col_gap,self.row_gap,self.update_progress)self.progress_signal.emit("✅ 所有文件处理完成!", 100)except Exception as e:self.progress_signal.emit(f"❌ 处理过程中发生错误: {str(e)}", 100)def update_progress(self, message, progress):self.progress_signal.emit(message, progress)class PPTtoImageGUI(QWidget):"""PPT转图片拼贴的图形界面类"""def __init__(self):super().__init__()self.initUI()self.converter = PPTtoImageConverter()self.processing = Falseself.process_thread = Nonedef initUI(self):self.setWindowTitle("PPT转图片拼贴工具@阿幸")self.setGeometry(100, 100, 700, 550)# 设置应用程序图标self.setWindowIcon(QIcon("PTT.ico"))  # 请确保app.ico文件存在于程序运行目录下main_layout = QVBoxLayout()# 输入路径选择input_layout = QHBoxLayout()input_label = QLabel("输入路径:")input_label.setFont(QFont("Microsoft YaHei", 10))self.input_path_edit = QLineEdit()self.input_path_edit.setFont(QFont("Microsoft YaHei", 10))# 浏览按钮 - 文件选择browse_file_button = QPushButton("选择文件")browse_file_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))browse_file_button.setFixedWidth(150)browse_file_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")browse_file_button.clicked.connect(self.browse_file)# 浏览按钮 - 文件夹选择browse_folder_button = QPushButton("选择文件夹")browse_folder_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))browse_folder_button.setFixedWidth(150)browse_folder_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")browse_folder_button.clicked.connect(self.browse_folder)input_layout.addWidget(input_label)input_layout.addWidget(self.input_path_edit)input_layout.addWidget(browse_file_button)input_layout.addWidget(browse_folder_button)main_layout.addLayout(input_layout)# 输出路径选择output_layout = QHBoxLayout()output_label = QLabel("输出路径:")output_label.setFont(QFont("Microsoft YaHei", 10))self.output_path_edit = QLineEdit()self.output_path_edit.setFont(QFont("Microsoft YaHei", 10))browse_output_button = QPushButton("浏览")browse_output_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))browse_output_button.setFixedWidth(150)browse_output_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")browse_output_button.clicked.connect(self.browse_output_path)output_layout.addWidget(output_label)output_layout.addWidget(self.output_path_edit)output_layout.addWidget(browse_output_button)main_layout.addLayout(output_layout)# 设置参数params_frame = QFrame()params_frame.setFrameShape(QFrame.StyledPanel)params_layout = QVBoxLayout(params_frame)params_label = QLabel("拼贴设置")params_label.setFont(QFont("Microsoft YaHei", 10))params_layout.addWidget(params_label)# 每行图片数量row_size_layout = QHBoxLayout()row_size_label = QLabel("每行图片数量:")row_size_label.setFont(QFont("Microsoft YaHei", 10))self.row_size_edit = QLineEdit()self.row_size_edit.setFont(QFont("Microsoft YaHei", 10))self.row_size_edit.setText("3")row_size_minus_button = QPushButton("-")row_size_minus_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))row_size_minus_button.setFixedWidth(50)row_size_minus_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")row_size_minus_button.clicked.connect(lambda: self.decrement_var(self.row_size_edit, 1, 10))row_size_plus_button = QPushButton("+")row_size_plus_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))row_size_plus_button.setFixedWidth(50)row_size_plus_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")row_size_plus_button.clicked.connect(lambda: self.increment_var(self.row_size_edit, 1, 10))row_size_layout.addWidget(row_size_label)row_size_layout.addWidget(self.row_size_edit)row_size_layout.addWidget(row_size_minus_button)row_size_layout.addWidget(row_size_plus_button)params_layout.addLayout(row_size_layout)# 列间距col_gap_layout = QHBoxLayout()col_gap_label = QLabel("列间距(像素):")col_gap_label.setFont(QFont("Microsoft YaHei", 10))self.col_gap_edit = QLineEdit()self.col_gap_edit.setFont(QFont("Microsoft YaHei", 10))self.col_gap_edit.setText("10")col_gap_minus_button = QPushButton("-")col_gap_minus_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))col_gap_minus_button.setFixedWidth(50)col_gap_minus_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")col_gap_minus_button.clicked.connect(lambda: self.decrement_var(self.col_gap_edit, 0, 50))col_gap_plus_button = QPushButton("+")col_gap_plus_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))col_gap_plus_button.setFixedWidth(50)col_gap_plus_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")col_gap_plus_button.clicked.connect(lambda: self.increment_var(self.col_gap_edit, 0, 50))col_gap_layout.addWidget(col_gap_label)col_gap_layout.addWidget(self.col_gap_edit)col_gap_layout.addWidget(col_gap_minus_button)col_gap_layout.addWidget(col_gap_plus_button)params_layout.addLayout(col_gap_layout)# 行间距row_gap_layout = QHBoxLayout()row_gap_label = QLabel("行间距(像素):")row_gap_label.setFont(QFont("Microsoft YaHei", 10))self.row_gap_edit = QLineEdit()self.row_gap_edit.setFont(QFont("Microsoft YaHei", 10))self.row_gap_edit.setText("10")row_gap_minus_button = QPushButton("-")row_gap_minus_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))row_gap_minus_button.setFixedWidth(50)row_gap_minus_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")row_gap_minus_button.clicked.connect(lambda: self.decrement_var(self.row_gap_edit, 0, 50))row_gap_plus_button = QPushButton("+")row_gap_plus_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))row_gap_plus_button.setFixedWidth(50)row_gap_plus_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")row_gap_plus_button.clicked.connect(lambda: self.increment_var(self.row_gap_edit, 0, 50))row_gap_layout.addWidget(row_gap_label)row_gap_layout.addWidget(self.row_gap_edit)row_gap_layout.addWidget(row_gap_minus_button)row_gap_layout.addWidget(row_gap_plus_button)params_layout.addLayout(row_gap_layout)main_layout.addWidget(params_frame)# 处理按钮 - 使用水平布局放置两个按钮button_layout = QHBoxLayout()self.process_button = QPushButton("开始处理")self.process_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))self.process_button.setFixedWidth(120)self.process_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #1976D2;}""")self.process_button.clicked.connect(self.start_processing)button_layout.addWidget(self.process_button, alignment=Qt.AlignCenter)# 添加"关于阿幸"按钮self.about_button = QPushButton("关于阿幸")self.about_button.setFont(QFont("Microsoft YaHei", 16, QFont.Bold))self.about_button.setFixedWidth(120)self.about_button.setStyleSheet("""QPushButton {background-color: #2196F3;color: white;border: none;padding: 5px;border-radius: 4px;}QPushButton:hover {background-color: #388E3C;}""")self.about_button.clicked.connect(self.open_axing_website)button_layout.addWidget(self.about_button, alignment=Qt.AlignCenter)main_layout.addLayout(button_layout)# 进度条progress_layout = QHBoxLayout()progress_label = QLabel("处理进度:")progress_label.setFont(QFont("Microsoft YaHei", 10))self.progress_bar = QProgressBar()self.progress_bar.setRange(0, 100)self.progress_bar.setValue(0)progress_layout.addWidget(progress_label)progress_layout.addWidget(self.progress_bar)main_layout.addLayout(progress_layout)# 日志区域log_layout = QHBoxLayout()log_label = QLabel("处理日志:")log_label.setFont(QFont("Microsoft YaHei", 10))self.log_text = QTextEdit()self.log_text.setReadOnly(True)log_scrollbar = QScrollBar(Qt.Vertical)self.log_text.setVerticalScrollBar(log_scrollbar)log_layout.addWidget(log_label)log_layout.addWidget(self.log_text)main_layout.addLayout(log_layout)self.setLayout(main_layout)# 设置默认路径self.input_path_edit.setText(r"D:\Desktop\文件存储\1")self.output_path_edit.setText(r"D:\Desktop\文件存储\1")def browse_file(self):"""浏览并选择单个PPT文件"""file_path, _ = QFileDialog.getOpenFileName(self, "选择PPT文件", "", "PowerPoint 文件 (*.ppt *.pptx)")if file_path:self.input_path_edit.setText(file_path)def browse_folder(self):"""浏览并选择文件夹"""folder_path = QFileDialog.getExistingDirectory(self, "选择文件夹")if folder_path:self.input_path_edit.setText(folder_path)def browse_output_path(self):"""浏览并选择输出路径"""path = QFileDialog.getExistingDirectory(self, "选择输出文件夹")if path:self.output_path_edit.setText(path)def start_processing(self):"""开始处理PPT文件"""if self.processing:returninput_path = self.input_path_edit.text()output_path = self.output_path_edit.text()if not input_path or not output_path:print("请设置输入路径和输出路径")returnif not os.path.exists(input_path):print(f"输入路径不存在: {input_path}")returnos.makedirs(output_path, exist_ok=True)self.log_text.clear()self.progress_bar.setValue(0)row_size = int(self.row_size_edit.text())col_gap = int(self.col_gap_edit.text())row_gap = int(self.row_gap_edit.text())self.processing = Trueself.process_button.setText("处理中...")self.process_button.setEnabled(False)self.process_thread = ProcessingThread(self.converter, input_path, output_path, row_size, col_gap, row_gap)self.process_thread.progress_signal.connect(self.update_progress)self.process_thread.finished.connect(self.process_finished)self.process_thread.start()def update_progress(self, message, progress):self.log_text.append(message)self.progress_bar.setValue(progress)def process_finished(self):self.processing = Falseself.process_button.setText("开始处理")self.process_button.setEnabled(True)def increment_var(self, edit, min_val, max_val):"""增加变量值,不超过最大值"""current = int(edit.text())if current < max_val:edit.setText(str(current + 1))def decrement_var(self, edit, min_val, max_val):"""减少变量值,不小于最小值"""current = int(edit.text())if current > min_val:edit.setText(str(current - 1))def open_axing_website(self):"""打开关于阿幸的网站"""url = QUrl("https://a-xing.top/")QDesktopServices.openUrl(url)if __name__ == "__main__":app = QApplication(sys.argv)app.setStyle(QStyleFactory.create('Fusion'))gui = PPTtoImageGUI()gui.show()sys.exit(app.exec_())

源码下载

https://pan.quark.cn/s/f8bf2904e8c3

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.pswp.cn/web/82641.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

新版NANO下载烧录过程

一、序言 搭建 Jetson 系列产品烧录系统的环境需要在电脑主机上安装 Ubuntu 系统。此处使用 18.04 LTS。 二、环境搭建 1、安装库 $ sudo apt-get install qemu-user-static$ sudo apt-get install python 搭建环境的过程需要这个应用库来将某些 NVIDIA 软件组件安装到 Je…

神经网络-Day45

目录 一、tensorboard的基本操作1.1 发展历史1.2 tensorboard的原理 二、tensorboard实战2.1 cifar-10 MLP实战2.2 cifar-10 CNN实战 在神经网络训练中&#xff0c;为了帮助理解&#xff0c;借用了很多的组件&#xff0c;比如训练进度条、可视化的loss下降曲线、权重分布图&…

设计模式之单例模式(二): 心得体会

设计模式之单例模式(一)-CSDN博客 目录 1.背景 2.分析 2.1.违背面向对象设计原则&#xff0c;导致职责混乱 2.2.全局状态泛滥&#xff0c;引发依赖与耦合灾难 2.3.多线程场景下风险放大&#xff0c;性能与稳定性受损 2.4.测试与维护难度指数级上升 2.5.违背 “最小知识原…

windows10 php报错

参考这个&#xff0c; 实际解决了问题&#xff0c; 主要是repair c 然后重启 【BUG】PHP Warning: ‘C:\\WINDOWS\\SYSTEM32\\VCRUNTIME140.dll‘ 14.0 is not compatible with this PHP bu_php warning: vcruntime140.dll 14.0 is not compat-CSDN博客

GPU显存的作用和如何选择

核心定义与作用 首先&#xff0c;显存的全称是显示内存&#xff0c;英文是Video RAM或VRAM&#xff0c;是显卡上的专用内存。 显存的主要作用是用来存储图形处理单元&#xff08;GPU&#xff09;需要处理的数据&#xff0c;比如纹理、顶点数据、帧缓冲区等。 数据中转站 GPU…

从零开始:用Tkinter打造你的第一个Python桌面应用

目录 一、界面搭建:像搭积木一样组合控件 二、菜单系统:给应用装上“控制中枢” 三、事件驱动:让界面“活”起来 四、进阶技巧:打造专业级体验 五、部署发布:让作品触手可及 六、学习路径建议 在Python生态中,Tkinter就像一把瑞士军刀,它没有花哨的特效,却能快速…

Unity基础-Mathf相关

Unity基础-Mathf相关 一、Mathf数学工具 概述 Mathf是Unity中封装好用于数学计算的工具结构体&#xff0c;提供了丰富的数学计算方法&#xff0c;特别适用于游戏开发场景。它是Unity开发中最常用的数学工具之一&#xff0c;能够帮助我们处理各种数学计算和插值运算。 Mathf…

Android Studio 之基础代码解析

1、 onCreate 在 Android 开发中&#xff0c;MainActivity 作为应用的入口 Activity&#xff0c;其 onCreate() 方法是生命周期中第一个且最重要的回调方法&#xff0c;负责初始化核心组件和界面。以下是其核心要点&#xff1a; 一、基本定义与作用 调用时机 当 Activity 首次…

AIGC图像去噪:核心原理、算法实现与深度学习模型详解

1. 背景概述 1.1 目标与范畴 在AIGC(人工智能生成内容) 的技术生态系统中,图像生成模型(如生成对抗网络GAN、扩散模型Diffusion Model)所产出的视觉内容,其质量常因训练数据中的固有瑕疵、生成过程中的随机扰动或数据传输期间的信号衰减而呈现出不同程度的退化。因此,…

电路图识图基础知识-自耦变压器降压启动电动机控制电路(十六)

自耦变压器降压启动电动机控制电路 自耦变压器降压启动电动机控制电路是将自耦变压器的原边绕组接于电源侧&#xff0c;副边绕组接 于电机侧。电动机定子绕组启动时的电压为自耦变压器降压后得到的电压&#xff0c;这样可以减少电动 机的启动电流和启动力矩&#xff0c;当电动…

Life:Internship finding

1. 前言 fishwheel writes this Blog to 记录自分自身在研二下找实习的经历。When 写这篇 Blog 的时候我的最后一搏也挂掉了&#xff0c;只能启用保底方案了。When I 打开我的邮箱时&#xff0c;发现里面有 nearly 100 多封与之相关的邮件&#xff0c;顿时感到有些心凉&#x…

Redis 常用数据类型和命令使用

目录 1 string 2 hash 3 list 4 set集合 5 zset有序集合 1 string 值可以是字符串、数字和二进制的value&#xff0c;值最大不能超过512MB 应用场景&#xff1a; 应用程序缓存 计数器 web共享session 限速 1.1 设置单个键值 set <key> value [EX seconds|PX…

Spring Boot缓存组件Ehcache、Caffeine、Redis、Hazelcast

一、Spring Boot缓存架构核心 Spring Boot通过spring-boot-starter-cache提供统一的缓存抽象层&#xff1a; #mermaid-svg-PW9nciqD2RyVrZcZ {font-family:"trebuchet ms",verdana,arial,sans-serif;font-size:16px;fill:#333;}#mermaid-svg-PW9nciqD2RyVrZcZ .erro…

【photoshop】专色浓度和专色密度

1.1 专色浓度 是图层填充到专色前&#xff0c;设置的前景色CMYK的K值。填充到专色后&#xff0c;可以查看到专色中图层的k值。 ps前景色填充快捷键 1.Windows 系统&#xff1a;Alt Delete&#xff1b;2.Mac 系统&#xff1a;Option Delete。 1.2专色密度 专色的属性&…

用电脑控制keysight示波器

KEYSIGHT示波器HD304MSO性能 亮点&#xff1a; 体验 200 MHz 至 1 GHz 的带宽和 4 个模拟通道。与 12 位 ADC 相比&#xff0c;使用 14 位模数转换器 &#xff08;ADC&#xff09; 将垂直分辨率提高四倍。使用 10.1 英寸电容式触摸屏轻松查看和分析您的信号。捕获 50 μVRMS …

leetcode hot100刷题日记——33.二叉树的层序遍历

解题总结二维vector的初始化方法 题目描述情况1&#xff1a;不确定行数和列数情况2&#xff1a;已知行数和列数情况3&#xff1a;已知行数但不知道列数情况4&#xff1a;已知列数但不知道行数 题目描述 解答&#xff1a;用队列 思路都差不多&#xff0c;我觉得对于我自己来说&a…

微服务面试资料1

在当今快速发展的技术领域&#xff0c;微服务架构已经成为构建复杂系统的重要方式之一。本文将围绕微服务的核心概念、技术栈、分布式事务处理、微服务拆分与设计&#xff0c;以及敏捷开发实践等关键问题展开深入探讨&#xff0c;旨在为准备面试的 Java 开发者提供一份全面的复…

【设计模式-4.8】行为型——中介者模式

说明&#xff1a;本文介绍行为型设计模式之一的中介者模式 定义 中介者模式&#xff08;Mediator Pattern&#xff09;又叫作调节者模式或调停者模式。用一个中介对象封装一系列对象交互&#xff0c;中介者使各对象不需要显式地互相作用&#xff0c;从而使其耦合松散&#xf…

Oracle 的 SEC_CASE_SENSITIVE_LOGON 参数

Oracle 的SEC_CASE_SENSITIVE_LOGON 参数 关键版本信息 SEC_CASE_SENSITIVE_LOGON 参数在以下版本中被弃用&#xff1a; Oracle 12c Release 1 (12.1)&#xff1a; 该参数首次被标记为"过时"(obsolete)但依然保持功能有效 Oracle 18c/19c 及更高版本&#xff1a; …

《图解技术体系》How Redis Architecture Evolves?

Redis架构的演进经历了多个关键阶段&#xff0c;从最初的内存数据库发展为支持分布式、多模型和持久化的高性能系统。以下为具体演进路径&#xff1a; 单线程模型与基础数据结构 Redis最初采用单线程架构&#xff0c;利用高效的I/O多路复用&#xff08;如epoll&#xff09;处…