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

做ppt哪些网站的图片质量高奶盘seo伪原创工具

做ppt哪些网站的图片质量高,奶盘seo伪原创工具,网站 前台后台,静安做网站公司看到有人需要将扫描pdf文档转markdown,想起之前写的一个小工具。 这个脚本是为了将pdf转成markdown,只需要申请一个智谱的api key,并填到config里,使用的模型是4v flash,免费的,所以可以放心使用。 效果如下…

看到有人需要将扫描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行业工程师面试简历模板分享
http://www.dtcms.com/wzjs/344583.html

相关文章:

  • 有哪些做婚礼平面设计的网站有哪些成都品牌推广
  • 做营销型网站 公司怎么建立一个属于自己的网站
  • 网站建设九步走百度关键词推广可以自己做吗
  • 如何做网站连接seo网络优化师
  • 装修网十大平台长沙网站seo收费
  • 业务网站在线生成推广文案
  • 免费开源企业网站手机自动排名次的软件
  • 中山高端网站建设价格如何交换友情链接
  • tp5网站开发逻辑架构新浪微指数
  • 软件开发合同模板免费seo自动优化软件安卓
  • wordpress 建立相冊深圳百度推广优化
  • 网站怎么做六个页面企业查询免费
  • 个人网站备案名称 技巧网站seo优化方案策划书
  • aps网站服务建设利尔化学股票
  • 网上接单干活的平台伟哥seo博客
  • wordpress 动态网站模板今日头条指数查询
  • 如何做班级网站国家免费技能培训
  • 网站开发心得体会网址大全123
  • 湖州住房和城乡建设厅网站推广技巧
  • 电子商务网站建设对毕业设计百度推广管理平台登录
  • 洗化行业做网站网络广告策划流程有哪些?
  • 做响应式网站设计图是多大的企业网站建设平台
  • div css网站边框模板杭州排名优化公司
  • 作品集的个人网站怎么做汕头百度网站排名
  • 做PPT参考图片网站 知乎最近新闻大事
  • 自动采集网站php源码自动点击关键词软件
  • 互联网推广模式有哪些城市分站seo
  • 网站找谁做什么是seo如何进行seo
  • 北京南站官网星沙网站优化seo
  • 网站建设 职责西安高端网站建设公司