成人免费xxxxx在线视频软件_久久精品久久久_亚洲国产精品久久久_天天色天天色_亚洲人成一区_欧美一级欧美三级在线观看

閱讀效率提升300%:Dify+Markdown實現自動化知識梳理全解析 原創

發布于 2025-6-23 06:43
瀏覽
0收藏

在早年閱讀網上的技術博客時,我習慣一邊看文章一邊在語雀筆記中畫思維導圖。然而,回過頭來看,這種方式其實效率不高。有了AI后,我們可以先讓AI為我們生成相應的思維導圖,以便我們對知識有個初步認識,再去深入閱讀文章,這樣會更有效。在這篇文章中,我將分享如何使用dify自動生成文章的思維導圖,以提高我們吸收知識的速度。

安裝插件

先在dify的插件市場安裝如下兩個插件:

  1. Markdown轉換器:用于生成html文件
  2. Agent策略插件:調用mcp server,將markdown轉成html

編寫mcp server

我們需要開發一個 MCP 服務器,通過 HTTP 接口為 Dify 提供 Markdown 轉思維導圖的服務。該服務將使用 markmap-cli 工具實現核心轉換功能,要調用這個工具需要先安裝 Node.js 環境(包含 npm),然后通過命令 ??npm install -g markmap-cli?? 全局安裝這個必備工具。

sudo apt update
sudo apt install nodejs npm
npm install -g markmap-cli

下面是對應的mcp server代碼,運行這個腳本之前需要先pip install mcp,  然后執行python mcp.py --host 0.0.0.0 --port 27018,dify對應的Agent節點配置的服務端地址是http://ip:27018/sse。

import asyncio
import tempfile
import os
import shutil
import sys
import argparse
import logging
from pathlib import Path
from mcp.server.fastmcp import FastMCP

# Configure logging
logging.basicConfig(
    level=logging.INFO,
    format='%(asctime)s - %(levelname)s - %(message)s',
    datefmt='%Y-%m-%d %H:%M:%S'
)

# Parse command line arguments
def parse_arguments():
    parser = argparse.ArgumentParser(description='MCP Server for converting Markdown to mindmaps')
    parser.add_argument('--return-type', choices=['html', 'filePath'], default='html',
                        help='Whether to return HTML content or file path. Default: html')
    parser.add_argument('--host', default='localhost',
                        help='Host address to bind the server. Default: localhost')
    parser.add_argument('--port', type=int, default=8000,
                        help='Port number to run the server. Default: 1100')

    return parser.parse_args()

# Global configuration
args = parse_arguments()
RETURN_TYPE = args.return_type

# Initialize FastMCP server
mcp = FastMCP("mindmap-server", host=args.host, port=args.port)

# Log server configuration
logging.info("Starting Mindmap Server with configuration:")
logging.info(f"Host: {args.host}")
logging.info(f"Port: {args.port}")
logging.info(f"Return Type: {args.return_type}")

async def create_temp_file(content: str, extension: str) -> str:
    """Create a temporary file with the given content and extension."""
    temp_dir = tempfile.mkdtemp(prefix='mindmap-')
    file_path = os.path.join(temp_dir, f"input{extension}")

    with open(file_path, mode='w') as f:
        f.write(content)

    return file_path

async def run_mindmap(input_file: str, output_file: str = None) -> str:
    """Run markmap-cli on the input file and return the path to the output file.

    Args:
        input_file: Path to the input markdown file
        output_file: Optional path for the output HTML file

    Returns:
        str: Path to the generated HTML file
    """
    if output_file is None:
        output_file = os.path.splitext(input_file)[0] + '.html'

    if sys.platform == 'win32':
        args = ['cmd', '/c', 'npm', 'exec', '--yes', 'markmap-cli', '--', input_file, '-o', output_file, '--no-open']
    else:
        args = ['npx', '-y', 'markmap-cli', input_file, '-o', output_file, '--no-open']

    try:
        process = await asyncio.create_subprocess_exec(
            *args,
            stdout=asyncio.subprocess.PIPE,
            stderr=asyncio.subprocess.PIPE
        )

        stdout, stderr = await process.communicate()

        if process.returncode != 0:
            error_msg = stderr.decode() if stderr else "Unknown error"
            raise RuntimeError(f"markmap-cli exited with code {process.returncode}: {error_msg}")

        return output_file
    except Exception as e:
        raise RuntimeError(f"Failed to run markmap-cli: {str(e)}")

async def get_html_content(file_path: str) -> str:
    """Read the HTML content from the given file."""
    with open(file_path, 'r', encoding='utf-8') as f:
        return f.read()

@mcp.tool()
async def convert_markdown_to_mindmap(
    markdown_content: str,  # The Markdown content to convert
) -> str:
    """Convert Markdown content to a mindmap mind map.

    Args:
        markdown_content: The Markdown content to convert

    Returns:
        Either the HTML content or the file path to the generated HTML, 
        depending on the --return-type server argument
    """
    try:
        logging.info("Starting markdown to mindmap conversion")
        # Create a temporary markdown file
        input_file = await create_temp_file(markdown_content, '.md')
        logging.debug(f"Created temporary markdown file: {input_file}")

        # Run mindmap on it
        output_file = await run_mindmap(input_file)
        logging.debug(f"Generated mindmap file: {output_file}")

        # Check if the output file exists
        if not os.path.exists(output_file):
            error_msg = f"Output file was not created: {output_file}"
            logging.error(error_msg)
            raise RuntimeError(error_msg)

        # Return either the HTML content or the file path based on command line arg
        if RETURN_TYPE == 'html':
            html_content = await get_html_content(output_file)
            logging.info("Successfully converted markdown to HTML mindmap")
            return html_content
        else:
            logging.info(f"Successfully generated mindmap file at: {output_file}")
            return output_file
    except Exception as e:
        error_msg = f"Error converting Markdown to mindmap: {str(e)}"
        logging.error(error_msg)
        raise RuntimeError(error_msg)
    finally:
        # Clean up temporary files
        if 'input_file' in locals():
            temp_dir = os.path.dirname(input_file)
            try:
                shutil.rmtree(temp_dir, ignore_errors=True)
                logging.debug(f"Cleaned up temporary directory: {temp_dir}")
            except Exception as e:
                logging.warning(f"Failed to clean up temporary directory {temp_dir}: {str(e)}")

def main():
    """Entry point for the mindmap-mcp-server command."""
    global args, RETURN_TYPE

    # Parse arguments again to ensure parameters are captured when running as an entry point
    args = parse_arguments()
    RETURN_TYPE = args.return_type

    print(f"Starting mindmap-mcp-server with return type: {RETURN_TYPE}", file=sys.stderr)

    # Initialize and run the server
    mcp.run(transport='sse')

if __name__ == "__main__":
    main()

搭建工作流

搭建好的簡略工作流如下:


閱讀效率提升300%:Dify+Markdown實現自動化知識梳理全解析-AI.x社區

下面對關鍵節點做如下說明:

LLM 生成markdown

我們利用gpt-4.1 對文件內容轉換成markdown格式,對應的prompt如下:

上下文內容:{{#context#}}
## 核心任務
將上下文內容轉化為符合以下標準的Markdown格式思維導圖框架:
1. **要素提取**:識別并提取關鍵實體、關系、流程三類核心要素
2. **邏輯重構**:按「總-分」結構重組信息,確保父子節點存在推導關系

## 格式規范
### 層級控制
- 主標題 `#`(1級):文檔主題
- 章節 `##`(2級):核心模塊(≥3個)
- 子項 `###`(3級):具體要素(每個父節點下≥2個)

### 內容標記
- 關鍵術語:**加粗顯示** + (簡短釋義)
- 數據示例:```包裹的代碼塊```

## 質量保障
1. 預檢機制(輸出前必須驗證):
   - [ ] 無孤立節點(所有子項都有父節點)
   - [ ] 無重復內容(合并相似條目)

Agent

添加Agent策略時,我選擇了環境準備安裝的Agent策略插件,并指定了FunctionCalling策略。同時,對上述的MCP工具進行了配置。

閱讀效率提升300%:Dify+Markdown實現自動化知識梳理全解析-AI.x社區

測試

我從網上找了一篇講解iphone15的文章,將其導入當前的工作流系統。下面是生成的思維導圖,生成的內容還是不錯的:

閱讀效率提升300%:Dify+Markdown實現自動化知識梳理全解析-AI.x社區

總結

當然,上面的處理還只是一個比較粗糙的demo,我們還可以繼續優化。首先,在數據采集環節,我們可以增加網頁內容直接抓取功能;其次,針對大篇幅文檔,可考慮采用分塊處理的迭代機制;此外,還需完善對圖文混合文檔中視覺元素的處理能力。這些優化方向將顯著提升工具的實用性和處理效率。感興趣的朋友可以自行嘗試。


本文轉載自??AI 博物院?? 作者:longyunfeigu

?著作權歸作者所有,如需轉載,請注明出處,否則將追究法律責任
已于2025-6-23 10:48:34修改
收藏
回復
舉報
回復
相關推薦
主站蜘蛛池模板: 国产精品久久久久久久久久免费 | 亚洲国产精品精华素 | 欧美成人aaa级毛片在线视频 | 黄色一级毛片免费看 | 中文字幕99 | 激情婷婷| 天天天天天天天干 | 国产精品久久久久久影视 | 亚洲欧美在线一区 | 一二三区在线 | 亚洲精品在线国产 | 四虎成人精品永久免费av九九 | 国产精品视频网 | 麻豆视频在线免费看 | 欧洲视频一区二区 | 久久久久久国产精品免费免费狐狸 | 日韩精品在线视频免费观看 | 欧美一区二区三 | 免费成人av | 亚洲一区 中文字幕 | 中文在线一区二区 | 91在线色视频 | 99久久亚洲 | 国产精品精品视频一区二区三区 | 一级日韩| 国产99久久久国产精品 | 丁香婷婷在线视频 | 欧美一区二区免费视频 | 欧美色性 | 色一级 | 99视频在线 | 中文字幕免费在线 | 国产一区黄色 | 黄色一级免费 | 国产精品免费在线 | 自拍视频网站 | 免费v片| 麻豆成人在线视频 | 久久婷婷色 | 中文字幕第十五页 | hsck成人网|