当前位置: 首页 > news >正文

写了个脚本将pdf转markdown

看到有人需要将扫描pdf文档转markdown,想起之前写的一个小工具。
这个脚本是为了将pdf转成markdown,只需要申请一个智谱的api key,并填到config里,使用的模型是4v flash,免费的,所以可以放心使用。
效果如下图:
在这里插入图片描述

脚本里的提示词可以根据个人需要进行修改。以下是原始代码:

#!/usr/bin/env python3
# -*- coding: utf-8 -*-"""
PDF转Markdown自动化系统
功能:监控input/目录下的PDF文件,转换为Markdown格式
作者:您的专属程序员
日期:2025-04-03
版本:2.0.0
"""import base64
import logging
import time
import json
import os
import fitz  # PyMuPDF
from pathlib import Path
from typing import Optional, Dict, Any, List, Generator
from zhipuai import ZhipuAI
from zhipuai.core._errors import ZhipuAIError# 配置日志系统
logging.basicConfig(level=logging.INFO,format='%(asctime)s - %(name)s - %(levelname)s - %(message)s',handlers=[logging.FileHandler('pdf2md.log'),logging.StreamHandler()]
)
logger = logging.getLogger(__name__)class GLM4VTester:"""GLM-4V 模型测试工具类"""def __init__(self, api_key: str, model_name: str = "glm-4v-flash"):self.client = ZhipuAI(api_key=api_key)self.model_name = model_nameself.total_tokens = 0self.total_requests = 0self.total_time = 0.0def analyze_image(self, image_path: str, prompt: str = "你是一个OCR助手,请把图中内容按原有格式输出出来,如果有公式则输出为LaTeX") -> Dict[str, Any]:"""分析图片内容:param image_path: 图片路径:param prompt: 提示词:return: API响应结果"""start_time = time.time()# 读取图片并转为base64with open(image_path, "rb") as image_file:base64_image = base64.b64encode(image_file.read()).decode('utf-8')# 调用APIresponse = self.client.chat.completions.create(model=self.model_name,messages=[{"role": "user", "content": [{"type": "text", "text": prompt},{"type": "image_url", "image_url": {"url": f"data:image/jpeg;base64,{base64_image}"}}]}])# 更新统计信息elapsed_time = time.time() - start_timeself.total_requests += 1self.total_time += elapsed_timeif hasattr(response, 'usage') and response.usage:self.total_tokens += response.usage.total_tokenslogger.info(f"API请求完成,耗时: {elapsed_time:.2f}秒")return {"response": response, "time": elapsed_time}def generate_markdown_report(self, image_path: str, result: Dict[str, Any], output_path: str) -> str:"""生成Markdown格式的分析报告:param image_path: 原始图片路径:param result: API响应结果:param output_path: 输出文件路径:return: 生成的Markdown内容"""response = result["response"]elapsed_time = result["time"]# 提取文本内容content = response.choices[0].message.content# 生成Markdownmarkdown = f"""# 图像分析报告## 原始图像
![原始图像]({os.path.abspath(image_path)})## 分析结果
{content}## 统计信息
- 处理时间: {elapsed_time:.2f}秒
- 总请求数: {self.total_requests}
- 总Token数: {self.total_tokens}
- 平均响应时间: {self.total_time/self.total_requests:.2f}秒
"""# 保存到文件with open(output_path, 'w', encoding='utf-8') as f:f.write(markdown)return markdownclass ProcessingConfig:"""PDF处理配置类"""def __init__(self, config_dict: Dict[str, Any]):self.api_key = config_dict.get("api_key", "")self.input_dir = config_dict.get("input_dir", "input")self.output_dir = config_dict.get("output_dir", "output")self.model = config_dict.get("model", "glm-4v-flash")self.dpi = config_dict.get("dpi", 600)self.api_interval = config_dict.get("api_interval", 3.0)self.max_retries = config_dict.get("max_retries", 3)self.retry_backoff = config_dict.get("retry_backoff", 0.5)self.prompt = config_dict.get("prompt", "你是一个OCR助手,请把图中内容按原有格式输出出来,不要翻译,如果有公式则输出为LaTeX,图片忽略不管")class PDFProcessor:"""PDF处理核心类"""def __init__(self, config: ProcessingConfig, ocr_engine: GLM4VTester):"""初始化PDF处理器:param config: 处理配置:param ocr_engine: OCR引擎实例"""self.config = configself.ocr_engine = ocr_engineself.temp_dir = "temp_images"os.makedirs(self.temp_dir, exist_ok=True)def _convert_page_to_image(self, page, page_num: int) -> str:"""将PDF页面转换为图片:param page: PyMuPDF页面对象:param page_num: 页码:return: 图片文件路径"""pix = page.get_pixmap(dpi=self.config.dpi)img_path = os.path.join(self.temp_dir, f"page_{page_num}.png")pix.save(img_path)return img_pathdef _safe_api_call(self, image_path: str) -> str:"""安全的API调用方法,包含重试机制:param image_path: 图片路径:return: OCR结果文本"""retries = 0while retries <= self.config.max_retries:try:time.sleep(self.config.api_interval + (retries * self.config.retry_backoff))result = self.ocr_engine.analyze_image(image_path, self.config.prompt)return result["response"].choices[0].message.contentexcept ZhipuAIError as e:logger.warning(f"API调用失败(重试 {retries}/{self.config.max_retries}): {e}")retries += 1raise Exception(f"API调用失败,超过最大重试次数 {self.config.max_retries}")def _format_page(self, content: str, page_num: int) -> str:"""格式化单页内容为Markdown:param content: OCR原始内容:param page_num: 页码:return: 格式化后的Markdown"""return f"## 第 {page_num} 页\n\n{content}\n\n---\n"def process_pdf(self, pdf_path: str) -> Generator[str, None, None]:"""处理单个PDF文件:param pdf_path: PDF文件路径:return: 生成Markdown内容"""logger.info(f"开始处理PDF文件: {pdf_path}")with fitz.open(pdf_path) as doc:for page_num, page in enumerate(doc, start=1):try:# 转换为图片img_path = self._convert_page_to_image(page, page_num)# OCR识别content = self._safe_api_call(img_path)# 格式化输出yield self._format_page(content, page_num)# 清理临时图片os.remove(img_path)except Exception as e:logger.error(f"处理第{page_num}页时出错: {e}")yield f"## 第 {page_num} 页\n\n[处理错误: {str(e)}]\n\n"logger.info(f"完成PDF处理: {pdf_path}")def process_single_image(config: ProcessingConfig, image_path: str, output_path: str):"""处理单张图片模式"""try:tester = GLM4VTester(api_key=config.api_key, model_name=config.model)logger.info(f"开始分析文件: {image_path}")result = tester.analyze_image(image_path, config.prompt)markdown = tester.generate_markdown_report(image_path, result, output_path)print(f"\n分析完成! 结果已保存到: {output_path}\n")return Trueexcept Exception as e:logger.error(f"文件处理失败: {e}")return Falsedef process_pdf_file(config: ProcessingConfig, pdf_path: str, output_path: str):"""处理PDF文件模式"""try:tester = GLM4VTester(api_key=config.api_key, model_name=config.model)processor = PDFProcessor(config, tester)with open(output_path, 'w', encoding='utf-8') as f:for page_content in processor.process_pdf(pdf_path):f.write(page_content)logger.info(f"PDF转换完成! 结果已保存到: {output_path}")return Trueexcept Exception as e:logger.error(f"PDF处理失败: {e}")return Falsedef batch_process_pdfs(config: ProcessingConfig):"""批量处理input/目录下的PDF文件"""tester = GLM4VTester(api_key=config.api_key, model_name=config.model)processor = PDFProcessor(config, tester)input_dir = config.input_diroutput_dir = config.output_diros.makedirs(input_dir, exist_ok=True)os.makedirs(output_dir, exist_ok=True)processed_files = set()if os.path.exists("processed.log"):with open("processed.log", "r") as f:processed_files = set(f.read().splitlines())while True:try:for filename in os.listdir(input_dir):if filename.lower().endswith('.pdf') and filename not in processed_files:pdf_path = os.path.join(input_dir, filename)output_path = os.path.join(output_dir, f"{os.path.splitext(filename)[0]}.md")logger.info(f"开始处理: {filename}")with open(output_path, 'w', encoding='utf-8') as f:for page_content in processor.process_pdf(pdf_path):f.write(page_content)# 记录已处理文件with open("processed.log", "a") as f:f.write(f"{filename}\n")processed_files.add(filename)logger.info(f"处理完成: {filename} -> {output_path}")time.sleep(10)  # 每10秒检查一次新文件except KeyboardInterrupt:logger.info("收到中断信号,停止处理")breakexcept Exception as e:logger.error(f"批量处理出错: {e}")time.sleep(30)  # 出错后等待30秒再重试def load_config():"""加载配置文件"""config_path = "config.json"default_config = {"api_key": "","input_dir": "input","output_dir": "output","model": "glm-4v-flash","dpi": 600,"api_interval": 3.0,"max_retries": 3,"retry_backoff": 0.5,"prompt": "你是一个OCR助手,请把图中内容按原有格式输出出来,如果有公式则输出为LaTeX,图片请用《》描述"}try:with open(config_path, 'r') as f:config = json.load(f)# 合并配置,优先使用配置文件中的值return {**default_config, **config}except FileNotFoundError:logger.warning(f"配置文件 {config_path} 未找到,使用默认配置")# 创建默认配置文件with open(config_path, 'w') as f:json.dump(default_config, f, indent=2)return default_configexcept json.JSONDecodeError as e:logger.error(f"配置文件格式错误: {e}")return default_configdef main():"""主函数"""config_dict = load_config()config = ProcessingConfig(config_dict)# 检查API密钥是否设置if not config.api_key:logger.error("API密钥未设置,请在config.json中设置api_key")exit(1)# 确保目录存在os.makedirs(config.input_dir, exist_ok=True)os.makedirs(config.output_dir, exist_ok=True)# 直接启动批处理模式logger.info(f"启动批处理模式,监控目录: {config.input_dir}")batch_process_pdfs(config)if __name__ == '__main__':main()

自己修改一下config里面的智谱api key:

{"api_key": "智谱的api_key","input_dir": "input","output_dir": "output", "model": "glm-4v-flash","dpi": 600,"api_interval": 3.0,"max_retries": 3,"retry_backoff": 0.5
}

缺点是由于是ocr,所以无法提取图片,有需要图片的用minerU或者marker,我试了marker,效果还可以的。

🔥运维干货分享

  • 软考高级系统架构设计师备考学习资料
  • 软考中级数据库系统工程师学习资料
  • 软考高级网络规划设计师备考学习资料
  • Kubernetes CKA认证学习资料分享
  • AI大模型学习资料合集
  • 免费文档翻译工具(支持word、pdf、ppt、excel)
  • PuTTY中文版安装包
  • MobaXterm中文版安装包
  • pinginfoview网络诊断工具中文版
  • Xshell、Xsftp、Xmanager中文版安装包
  • Typora简单易用的Markdown编辑器
  • Window进程监控工具,能自动重启进程和卡死检测
  • Spring 源码学习资料分享
  • 毕业设计高质量毕业答辩 PPT 模板分享
  • IT行业工程师面试简历模板分享

相关文章:

  • 题解传送门
  • 2025年- H18-Lc126-54.螺旋矩阵(矩阵)---java版
  • 【c++】【STL】priority_queue详解
  • Git 完整教程:初学者分步指南
  • python数据分析(八):Pandas 文本数据处理
  • 安卓游戏APK文件解密与编辑的完整攻略
  • 【Bootstrap V4系列】 学习入门教程之 组件-警告框(Alert)
  • 测试——用例篇
  • linux下抓包工具--tcpdump介绍
  • Kotlin Flow流
  • VulnHub-DC-2靶机
  • 父子组件双向绑定
  • 【单片机数码管实现第一位开始走0~9,1s后第二位再开始亮】2022-5-2
  • C++将整数换成分数 2024年信息素养大赛复赛 C++小学/初中组 算法创意实践挑战赛 真题详细解析
  • React useCallback函数
  • Oracle-ACL配置
  • “淘宝闪购”提前4天全量,意味着什么?
  • 使用PyTorch实现线性回归:从零实现到高级API
  • Python-pandas-操作Excel文件(读取数据/写入数据)及Excel表格列名操作详细分享
  • 轻量级在线Excel预览工具
  • 苹果第二财季营收增长5%,受关税政策影响预计下一财季新增9亿美元成本
  • 图忆|上海车展40年:中国人的梦中情车有哪些变化(下)
  • 礼来一季度净利增近三成,明星GLP-1药物替尔泊肽贡献近半收入
  • 超越梅罗,这样一个亚马尔折射巴萨的容错率
  • 扬州市中医院“药膳面包”走红,内含党参、黄芪等中药材
  • 陕西省通报6起违反八项规定典型问题,省卫健委原主任刘宝琴违规收受礼品礼金