网站审核:性能、安全与 SEO 健康检查 - Openclaw Skills

作者:互联网

2026-03-29

AI教程

什么是 网站审核?

audit-website 技能是专为 Openclaw Skills 用户设计的全方位诊断利器。它使开发人员和数字营销人员能够对任何 URL 进行详尽的审计,识别阻碍用户体验或搜索引擎排名的技术摩擦点。通过综合网络耗时、HTML 结构和安全协议的数据,它提供了网站健康状况的 360 度视图。

无论您是为产品发布做准备还是维护遗留网站,此技能都能无缝集成到您的工作流程中。它利用 Lighthouse 和 axe-core 等行业标准工具以及自定义 Python 脚本,确保网站的每个方面(从核心网页指标到 SSL 证书有效性)都经过彻底审查,以实现最高效率。

下载入口:https://github.com/openclaw/skills/tree/main/skills/mattvalenta/pls-audit-website

安装与下载

1. ClawHub CLI

从源直接安装技能的最快方式。

npx clawhub@latest install pls-audit-website

2. 手动安装

将技能文件夹复制到以下位置之一

全局模式 ~/.openclaw/skills/ 工作区 /skills/

优先级:工作区 > 本地 > 内置

3. 提示词安装

将此提示词复制到 OpenClaw 即可自动安装。

请帮我使用 Clawhub 安装 pls-audit-website。如果尚未安装 Clawhub,请先安装(npm i -g clawhub)。

网站审核 应用场景

  • 监控页面加载速度和核心网页指标以提高用户留存率。
  • 识别并修复死链以维护网站完整性和抓取预算。
  • 验证安全标头和 SSL 配置以防止漏洞和中间人攻击。
  • 审计可访问性合规性 (WCAG) 以确保所有用户的包容性体验。
  • 检查 SEO 元数据和标题层级以确保更好的搜索可见性。
网站审核 工作原理
  1. 该技能启动网络握手,使用优化的 curl 命令测量 DNS 解析、TTFB 和总传输时间。
  2. 它抓取目标 URL 的 HTML 结构以提取资源、内部链接和元数据标签。
  3. 通过分析 HTTP 响应标头并验证 SSL 证书过期日期来检查安全协议。
  4. 将可访问性和 SEO 规则应用于 DOM,以识别结构错误或缺失的属性(如 alt 文本和元描述)。
  5. 所有发现都综合到一个优先排序的 Markdown 报告模板中,以提供可操作的改进建议。

网站审核 配置指南

要开始在 Openclaw Skills 中使用此工具,请确保您已安装必要的 CLI 实用程序以实现完整功能:

# 安装 Python 依赖项
pip install requests beautifulsoup4 LinkChecker

# 安装 Node.js 审计工具
npx install lighthouse axe-cli pa11y

您可以使用内置的网络工具立即执行快速诊断检查:

curl -I https://your-website.com

网站审核 数据架构与分类体系

该技能将审计数据组织到逻辑模块中,以便于解析和报告:

模块 跟踪的数据点
性能 LCP, FID, CLS, TTFB, 页面大小, 请求数
安全 HSTS, CSP, X-Frame-Options, SSL 过期, XSS 防护
可访问性 Alt 文本, 语言标签, 标题层级, 表单标签
SEO 元标题/描述, 规范标签, H1 数量, Robots 指令
链接 HTTP 状态码, 目标 URL, 错误日志
name: audit-website
description: Perform full health check on websites, identifying technical friction points and user experience issues. Use when: (1) Auditing website performance, (2) Checking for broken links, (3) Analyzing page structure, (4) Testing accessibility, (5) Reviewing security headers.

Website Audit

Comprehensive website health check for performance, accessibility, security, and user experience.

Quick Health Check

# One-command overview
curl -I https://example.com && r
curl -w "DNS: %{time_namelookup}s
Connect: %{time_connect}s
TTFB: %{time_starttransfer}s
Total: %{time_total}s
" -o /dev/null -s https://example.com

Performance Audit

Page Load Time

# Using curl for timing
curl -w "DNS: %{time_namelookup}s
Connect: %{time_connect}s
SSL: %{time_appconnect}s
TTFB: %{time_starttransfer}s
Total: %{time_total}s
Size: %{size_download} bytes
" -o /dev/null -s https://example.com

# Using lighthouse
npx lighthouse https://example.com --only-categories=performance --output=json

Resource Analysis

import requests
from urllib.parse import urlparse

def analyze_resources(url):
    response = requests.get(url)
    resources = []
    
    # Parse HTML for resources
    from bs4 import BeautifulSoup
    soup = BeautifulSoup(response.text, 'html.parser')
    
    # Images
    for img in soup.find_all('img'):
        resources.append({
            'type': 'image',
            'url': img.get('src'),
            'size_estimate': 'unknown'
        })
    
    # Scripts
    for script in soup.find_all('script', src=True):
        resources.append({
            'type': 'script',
            'url': script.get('src')
        })
    
    # Stylesheets
    for link in soup.find_all('link', rel='stylesheet'):
        resources.append({
            'type': 'stylesheet',
            'url': link.get('href')
        })
    
    return resources

Core Web Vitals

# Using web-vitals CLI
npx web-vitals https://example.com

# LCP (Largest Contentful Paint): < 2.5s
# FID (First Input Delay): < 100ms
# CLS (Cumulative Layout Shift): < 0.1

import requests
from bs4 import BeautifulSoup
from urllib.parse import urljoin, urlparse

def find_broken_links(base_url, max_depth=2):
    visited = set()
    broken = []
    
    def check_page(url, depth):
        if depth > max_depth or url in visited:
            return
        visited.add(url)
        
        try:
            response = requests.get(url, timeout=10)
            if response.status_code >= 400:
                broken.append({'url': url, 'status': response.status_code})
                return
            
            soup = BeautifulSoup(response.text, 'html.parser')
            for link in soup.find_all('a', href=True):
                href = urljoin(url, link['href'])
                if urlparse(href).netloc == urlparse(base_url).netloc:
                    check_page(href, depth + 1)
        except Exception as e:
            broken.append({'url': url, 'error': str(e)})
    
    check_page(base_url, 0)
    return broken
# Using wget
wget --spider -r -l 2 https://example.com 2>&1 | grep -E "(broken|failed|error)"

# Using linkchecker
pip install LinkChecker
linkchecker https://example.com

Security Audit

Check Security Headers

# Fetch and analyze headers
curl -I https://example.com

# Expected headers:
# - Strict-Transport-Security (HSTS)
# - X-Content-Type-Options: nosniff
# - X-Frame-Options: DENY or SAMEORIGIN
# - Content-Security-Policy
# - X-XSS-Protection

Security Header Analysis

import requests

def audit_security_headers(url):
    response = requests.head(url)
    headers = response.headers
    
    recommended = {
        'Strict-Transport-Security': 'Enable HSTS',
        'X-Content-Type-Options': 'Set to nosniff',
        'X-Frame-Options': 'Set to DENY or SAMEORIGIN',
        'Content-Security-Policy': 'Define CSP',
        'X-XSS-Protection': 'Enable XSS filter',
        'Referrer-Policy': 'Set referrer policy',
        'Permissions-Policy': 'Define permissions'
    }
    
    issues = []
    for header, recommendation in recommended.items():
        if header not in headers:
            issues.append(f"Missing {header}: {recommendation}")
    
    return {
        "present": {h: headers.get(h) for h in recommended if h in headers},
        "missing": issues
    }

SSL Certificate Check

# Check SSL details
openssl s_client -connect example.com:443 -servername example.com 2>/dev/null | openssl x509 -noout -text | grep -E "(Issuer|Not After|Subject)"

# Quick expiry check
openssl s_client -connect example.com:443 -servername example.com 2>/dev/null | openssl x509 -noout -dates

Accessibility Audit

Basic Accessibility Check

from bs4 import BeautifulSoup

def accessibility_audit(html):
    soup = BeautifulSoup(html, 'html.parser')
    issues = []
    
    # Check images for alt text
    for img in soup.find_all('img'):
        if not img.get('alt'):
            issues.append(f"Image missing alt: {img.get('src', 'unknown')}")
    
    # Check for lang attribute
    if not soup.find('html', lang=True):
        issues.append("Missing lang attribute on ")
    
    # Check headings hierarchy
    headings = ['h1', 'h2', 'h3', 'h4', 'h5', 'h6']
    prev_level = 0
    for h in soup.find_all(headings):
        level = int(h.name[1])
        if level > prev_level + 1:
            issues.append(f"Skipped heading level: h{prev_level} to h{level}")
        prev_level = level
    
    # Check for form labels
    for input_tag in soup.find_all('input'):
        if not input_tag.get('id') or not soup.find('label', attrs={'for': input_tag.get('id')}):
            if not input_tag.get('aria-label'):
                issues.append(f"Input missing label: {input_tag.get('name', 'unknown')}")
    
    return issues

Using axe-core

# Using @axe-core/cli
npx axe-cli https://example.com

# Using pa11y
npx pa11y https://example.com

SEO Quick Check

def seo_quick_check(html, url):
    from bs4 import BeautifulSoup
    soup = BeautifulSoup(html, 'html.parser')
    
    issues = []
    
    # Title
    title = soup.find('title')
    if not title:
        issues.append("Missing  tag")
    elif len(title.text) < 30 or len(title.text) > 60:
        issues.append(f"Title length suboptimal: {len(title.text)} chars (30-60 ideal)")
    
    # Meta description
    desc = soup.find('meta', attrs={'name': 'description'})
    if not desc:
        issues.append("Missing meta description")
    
    # H1
    h1_tags = soup.find_all('h1')
    if len(h1_tags) == 0:
        issues.append("Missing H1 tag")
    elif len(h1_tags) > 1:
        issues.append("Multiple H1 tags found")
    
    # Canonical
    if not soup.find('link', rel='canonical'):
        issues.append("Missing canonical tag")
    
    # Robots meta
    robots = soup.find('meta', attrs={'name': 'robots'})
    if robots and 'noindex' in robots.get('content', ''):
        issues.append("Page is set to noindex")
    
    return issues
</CODE></PRE>
<HR>

<H2 id=website-audit-report-template>Website Audit Report Template</H2><PRE><CODE class=language-markdown># Website Audit Report

**URL:** https://example.com  
**Date:** YYYY-MM-DD  
**Overall Score:** X/100

---

## Performance
| Metric | Value | Target | Status |
|--------|-------|--------|--------|
| Load Time | 3.2s | <3s | ?? |
| TTFB | 0.8s | <0.5s | ?? |
| Page Size | 1.2MB | <1MB | ?? |
| Requests | 45 | <30 | ?? |

## Security
| Header | Status |
|--------|--------|
| HSTS | ? Present |
| X-Frame-Options | ? Missing |
| CSP | ? Missing |
| X-Content-Type-Options | ? Present |

## Accessibility
- Images missing alt: 3
- Form inputs missing labels: 2
- Heading hierarchy issues: 1

## SEO
- Title: ? 52 chars
- Meta description: ? Missing
- H1: ? Single tag
- Canonical: ? Present

## Broken Links
- /old-page (404)
- /missing-resource (404)

## Recommendations
1. Add missing security headers (CSP, X-Frame-Options)
2. Optimize images to reduce page size
3. Add meta descriptions to all pages
4. Fix broken links
5. Add alt text to images

## Priority Actions
1. **Critical:** Add CSP header
2. **High:** Fix broken links
3. **Medium:** Optimize images
4. **Low:** Add meta descriptions
</CODE></PRE>
<HR>

<H2 id=quick-commands-reference>Quick Commands Reference</H2>
<DIV class=table-scroll-wrapper>
<TABLE>
<THEAD>
<TR>
<TH>Check</TH>
<TH>Command</TH></TR></THEAD>
<TBODY>
<TR>
<TD>Response headers</TD>
<TD><CODE>curl -I URL</CODE></TD></TR>
<TR>
<TD>Load timing</TD>
<TD><CODE>curl -w "%{time_total}s" -o /dev/null -s URL</CODE></TD></TR>
<TR>
<TD>SSL check</TD>
<TD><CODE>openssl s_client -connect HOST:443</CODE></TD></TR>
<TR>
<TD>Broken links</TD>
<TD><CODE>linkchecker URL</CODE></TD></TR>
<TR>
<TD>Accessibility</TD>
<TD><CODE>npx pa11y URL</CODE></TD></TR>
<TR>
<TD>Performance</TD>
<TD><CODE>npx lighthouse URL</CODE></TD></TR>
<TR>
<TD>Security headers</TD>
<TD><CODE>curl -I URL | grep -i "x-|strict"</CODE></TD></TR></TBODY></TABLE></DIV>                                                        
                             
                           </div>
														                            <div class="lastanext flexRow">
							 							 							  <a class="lastart flexRow"  href="/wz/336337.html"  ><span>上一篇:</span><span>主动获客技能:自动化潜在客户研究与外拓 - Openclaw Skills</span></a>
							 							 
                             							                                 <a class="nextart flexRow"  href="/wz/336339.html" ><span>下一篇:</span><span>AISP: AI 智能体推理共享协议 - Openclaw Skills</span></a>
							                             </div>
                        </div>
                        <div class="dtl-xgtj">
                            <div class="jb-titles flexRow">
                                <div class="jbtle-left flexRow"><b></b><p>相关推荐</p></div>
                                
                            </div>
                            <div class="tjlist flexRow">
														                                <div class="tj-item ">
                                    <div class="tjitemd">
									
                                        <div class="tjimd-top flexRow">
                                            <a class="imdta flexRow"  href="/wz/367801.html"  >
                                                                                        <img src="/jiaoben/image/noimg.png" >
                                                                                        </a>
                                            <div class="imdt-right flexColumn">
                                                <a class="imdtra flexRow overflowclass"  href="/wz/367801.html"  >OpenClaw 2.6.2 核心 Skill 推荐 新手快速上手教程</a>
                                                <a class="imdtrap flexRow overflowclass"  href="/wz/367801.html"  >
                                                                                                                                     OpenClaw 2.6.2「小龙虾」Skill技能推荐:15个超实用扩展,覆盖文件整理、办公自动化(Word/Excel/PDF/邮件)、浏览器操作、系统管理及内容处理五大场景,零门槛一键启用,小白也能即刻提升效率!
                                                                                                                </a>
                                            </div>
                                        </div>
									
                                        <div class="tjimd-down flexRow">
                                            <div class="imdd-tab flexRow">
                                                <p class="imddt-time flexRow"><b></b><span>2026-04-18</span></p>
                                                
                                            </div>
                                            <a  href="/wz/367801.html"   class="imdd-more flexRow flexcenter"  >立即查看</a>
                                        </div>
                                    </div>
                                </div>
								                                <div class="tj-item ">
                                    <div class="tjitemd">
									
                                        <div class="tjimd-top flexRow">
                                            <a class="imdta flexRow"  href="/wz/367799.html"  >
                                                                                        <img src="https://images.jiaoben.net/uploads/20260418/logo_69e2db12ab6b21.png" >
                                                                                        </a>
                                            <div class="imdt-right flexColumn">
                                                <a class="imdtra flexRow overflowclass"  href="/wz/367799.html"  >最新 OpenClaw 安装包 简化版安装实操指南</a>
                                                <a class="imdtrap flexRow overflowclass"  href="/wz/367799.html"  >
                                                                                                                                     OpenClaw(小龙虾)是2026年爆火的开源AI数字员工,GitHub星标超28万。本教程提供Windows一键部署包,零代码、全图形化操作,5分钟即可本地搭建专属AI助手,支持文件整理、浏览器自动化、微信联动等办公场景,隐私安全有保障。(239字)
                                                                                                                </a>
                                            </div>
                                        </div>
									
                                        <div class="tjimd-down flexRow">
                                            <div class="imdd-tab flexRow">
                                                <p class="imddt-time flexRow"><b></b><span>2026-04-18</span></p>
                                                
                                            </div>
                                            <a  href="/wz/367799.html"   class="imdd-more flexRow flexcenter"  >立即查看</a>
                                        </div>
                                    </div>
                                </div>
								                                <div class="tj-item ">
                                    <div class="tjitemd">
									
                                        <div class="tjimd-top flexRow">
                                            <a class="imdta flexRow"  href="/wz/367774.html"  >
                                                                                        <img src="https://images.jiaoben.net/uploads/20260418/logo_69e2d9e47bbff1.png" >
                                                                                        </a>
                                            <div class="imdt-right flexColumn">
                                                <a class="imdtra flexRow overflowclass"  href="/wz/367774.html"  >【含最新安装包】OpenClaw 2.6.2 Windows 安装与配置详细教程</a>
                                                <a class="imdtrap flexRow overflowclass"  href="/wz/367774.html"  >
                                                                                                                                     OpenClaw(小龙虾)是一款本地运行、零代码的AI智能体,支持Windows一键部署,5分钟即可启用。它能理解自然语言指令,自动完成文件整理、浏览器操作、邮件发送等办公自动化任务,数据全程本地处理,安全可靠。
                                                                                                                </a>
                                            </div>
                                        </div>
									
                                        <div class="tjimd-down flexRow">
                                            <div class="imdd-tab flexRow">
                                                <p class="imddt-time flexRow"><b></b><span>2026-04-18</span></p>
                                                
                                            </div>
                                            <a  href="/wz/367774.html"   class="imdd-more flexRow flexcenter"  >立即查看</a>
                                        </div>
                                    </div>
                                </div>
								                                <div class="tj-item ">
                                    <div class="tjitemd">
									
                                        <div class="tjimd-top flexRow">
                                            <a class="imdta flexRow"  href="/wz/367737.html"  >
                                                                                        <img src="/jiaoben/image/noimg.png" >
                                                                                        </a>
                                            <div class="imdt-right flexColumn">
                                                <a class="imdtra flexRow overflowclass"  href="/wz/367737.html"  >AI 英语学习 App的开发</a>
                                                <a class="imdtrap flexRow overflowclass"  href="/wz/367737.html"  >
                                                                                                                                     2026年AI英语学习App已进化为高感知虚拟私教:支持低延迟多模态对话(含情绪识别)、音素级纠音与中式思维转换、知识图谱驱动的自适应教学、跨设备场景化交互。告别复读机,开启沉浸式、个性化、全天候口语精进新范式。(239字)
                                                                                                                </a>
                                            </div>
                                        </div>
									
                                        <div class="tjimd-down flexRow">
                                            <div class="imdd-tab flexRow">
                                                <p class="imddt-time flexRow"><b></b><span>2026-04-18</span></p>
                                                
                                            </div>
                                            <a  href="/wz/367737.html"   class="imdd-more flexRow flexcenter"  >立即查看</a>
                                        </div>
                                    </div>
                                </div>
									
                                
								
                            </div>

                        </div>
                    </div>


                    <div class="cd-right dtlcd-right">
                        <div class="dtl-ht">
                            <div class="jb-titles flexRow">
                                <div class="jbtle-left flexRow"><b></b><p>专题</p></div>
                                
                            </div>
                            <div class="dtlht-list ">
							                                <div class="htl-item flexRow">
                                    <div class="htmitem-left">
                                        <div class="htiteml-top flexRow">
                                            <a href="/wz/zt-69351.html"  >#数据可视化</a>
                                            <span></span>
                                        </div>
                                        <a class="htiteml-down flexRow" href="/wz/zt-69351.html"  >数据可视化(Data Visu</a>
                                    </div>
                                    <p class="htmitem-right flexRow flexcenter gz" data-id="69351"  >+ 收藏</p>
                                </div>
							                                <div class="htl-item flexRow">
                                    <div class="htmitem-left">
                                        <div class="htiteml-top flexRow">
                                            <a href="/wz/zt-69342.html"  >#自然语言处理</a>
                                            <span></span>
                                        </div>
                                        <a class="htiteml-down flexRow" href="/wz/zt-69342.html"  >自然语言处理(Natural</a>
                                    </div>
                                    <p class="htmitem-right flexRow flexcenter gz" data-id="69342"  >+ 收藏</p>
                                </div>
							                                <div class="htl-item flexRow">
                                    <div class="htmitem-left">
                                        <div class="htiteml-top flexRow">
                                            <a href="/wz/zt-68363.html"  >#Excel公式</a>
                                            <span></span>
                                        </div>
                                        <a class="htiteml-down flexRow" href="/wz/zt-68363.html"  >Excel公式就是:用函数 +</a>
                                    </div>
                                    <p class="htmitem-right flexRow flexcenter gz" data-id="68363"  >+ 收藏</p>
                                </div>
							                                <div class="htl-item flexRow">
                                    <div class="htmitem-left">
                                        <div class="htiteml-top flexRow">
                                            <a href="/wz/zt-68355.html"  >#Excel技巧</a>
                                            <span></span>
                                        </div>
                                        <a class="htiteml-down flexRow" href="/wz/zt-68355.html"  >Excel是日常生活中必不可</a>
                                    </div>
                                    <p class="htmitem-right flexRow flexcenter gz" data-id="68355"  >+ 收藏</p>
                                </div>
							                                <div class="htl-item flexRow">
                                    <div class="htmitem-left">
                                        <div class="htiteml-top flexRow">
                                            <a href="/wz/zt-68081.html"  >#蛋仔派对</a>
                                            <span></span>
                                        </div>
                                        <a class="htiteml-down flexRow" href="/wz/zt-68081.html"  >蛋仔派对最新官方活动、关卡速</a>
                                    </div>
                                    <p class="htmitem-right flexRow flexcenter gz" data-id="68081"  >+ 收藏</p>
                                </div>
							                                <div class="htl-item flexRow">
                                    <div class="htmitem-left">
                                        <div class="htiteml-top flexRow">
                                            <a href="/wz/zt-68000.html"  >#人工智能</a>
                                            <span></span>
                                        </div>
                                        <a class="htiteml-down flexRow" href="/wz/zt-68000.html"  >人工智能(AI),简单说,就</a>
                                    </div>
                                    <p class="htmitem-right flexRow flexcenter gz" data-id="68000"  >+ 收藏</p>
                                </div>
								
                                


                            </div>
                        </div>


                        <div class="   dtl-zt">
                            <div class="jb-titles flexRow">
                                <div class="jbtle-left flexRow"><b></b><p>最新数据</p></div>
                               
                            </div>


                            <div class="wkch-downs">
																					                                <div class="weekch-top flexRow">
                                        <a class="wktpa flexRow" href="/wz/336344.html"  >
                                                                                     <img src="/jiaoben/image/noimg.png" >
                                                                                    </a>
                                    <div class="wktpa-right flexColumn">
                                        <a class="wktpara flexRow overflowclass"  href="/wz/336344.html"  >评估风险:安全 Uniswap 交易与 LP 分析 - Openclaw Skills</a>
                                        <a class="wktparp flexRow overflowclass"  href="/wz/336344.html"  >
                                                                                            什么是 评估 Uniswap 风
                                                                                        
                                        </a>
                                    </div>
                                </div>
								
															
															
															
															
															
															
															
															
															
								
                                <div class="weekch-list">
                                										
																											<div class="weekch-con flexRow">
											<div class="weekch-icon flexRow"><b></b></div>
											<a  href="/wz/336343.html"  class="weekcha flexRow flexcenter overflowclass" >现金流预测:13周财务预测 - Openclaw Skills</a>
										</div>
										
																											<div class="weekch-con flexRow">
											<div class="weekch-icon flexRow"><b></b></div>
											<a  href="/wz/336342.html"  class="weekcha flexRow flexcenter overflowclass" >协作技能:自适应 AI 视角记忆 - Openclaw Skills</a>
										</div>
										
																											<div class="weekch-con flexRow">
											<div class="weekch-icon flexRow"><b></b></div>
											<a  href="/wz/336341.html"  class="weekcha flexRow flexcenter overflowclass" >Upsurge SearXNG:适用于 Openclaw Skills 的私人 AI 搜索雷达</a>
										</div>
										
																											<div class="weekch-con flexRow">
											<div class="weekch-icon flexRow"><b></b></div>
											<a  href="/wz/336340.html"  class="weekcha flexRow flexcenter overflowclass" >微信文章阅读器:将微信文章导出为 Markdown - Openclaw Skills</a>
										</div>
										
																											<div class="weekch-con flexRow">
											<div class="weekch-icon flexRow"><b></b></div>
											<a  href="/wz/336335.html"  class="weekcha flexRow flexcenter overflowclass" >荷兰语:地道的人格化 AI 本地化 - Openclaw Skills</a>
										</div>
										
																											<div class="weekch-con flexRow">
											<div class="weekch-icon flexRow"><b></b></div>
											<a  href="/wz/336334.html"  class="weekcha flexRow flexcenter overflowclass" >molt-rpg:AI 智能体 RPG 引擎与 A2A 通信 - Openclaw Skills</a>
										</div>
										
																											<div class="weekch-con flexRow">
											<div class="weekch-icon flexRow"><b></b></div>
											<a  href="/wz/336333.html"  class="weekcha flexRow flexcenter overflowclass" >VS Code / Cursor 节点:远程 IDE 自动化 - Openclaw Skills</a>
										</div>
										
																											<div class="weekch-con flexRow">
											<div class="weekch-icon flexRow"><b></b></div>
											<a  href="/wz/336332.html"  class="weekcha flexRow flexcenter overflowclass" >韩语自然语言写作:让 AI 内容听起来像真人 - Openclaw Skills</a>
										</div>
										
																											<div class="weekch-con flexRow">
											<div class="weekch-icon flexRow"><b></b></div>
											<a  href="/wz/336331.html"  class="weekcha flexRow flexcenter overflowclass" >content-pipeline: 端到端内容自动化 - Openclaw Skills</a>
										</div>
										
										
                                    
    
                                </div>
    
                            </div>
                           
                        </div>

                       
                        <div class="  dtl-wz">
                            <div class="jb-titles flexRow">
                                <div class="jbtle-left flexRow"><b></b><p>相关文章</p></div>
                                
                            </div>
                            <div class="blog-list">
							                                <a  href="/wz/359335.html"   class="bloga flexRow over"><p class="overflowclass">智能模型路由器:自动 Claude 模型切换 - Openclaw Skills</p><div class="blogtime"><span>04/</span>18</div></a>
							                                <a  href="/wz/359336.html"   class="bloga flexRow over"><p class="overflowclass">Rey Developer:自主编程最佳实践 - Openclaw Skills</p><div class="blogtime"><span>04/</span>18</div></a>
							                                <a  href="/wz/359378.html"   class="bloga flexRow over"><p class="overflowclass">MetaMask 钱包:AI 驱动的加密支付与 DeFi - Openclaw Skills</p><div class="blogtime"><span>04/</span>18</div></a>
							                                <a  href="/wz/359379.html"   class="bloga flexRow over"><p class="overflowclass">LinkedIn 海报生成器:专业算法优化 - Openclaw 技能</p><div class="blogtime"><span>04/</span>18</div></a>
							                                <a  href="/wz/359381.html"   class="bloga flexRow over"><p class="overflowclass">Human Security:高级交互保护 - Openclaw Skills</p><div class="blogtime"><span>04/</span>18</div></a>
							                                <a  href="/wz/359383.html"   class="bloga flexRow over"><p class="overflowclass">GitHub 个人主页 README 生成器:自定义开发者主页 - Openclaw Skills</p><div class="blogtime"><span>04/</span>18</div></a>
							                                <a  href="/wz/359386.html"   class="bloga flexRow over"><p class="overflowclass">Fiverr 卖家:自动化自由职业服务与销售 - Openclaw Skills</p><div class="blogtime"><span>04/</span>18</div></a>
							                                <a  href="/wz/359387.html"   class="bloga flexRow over"><p class="overflowclass">邮件营销文案撰写专家:高转化序列 - Openclaw Skills</p><div class="blogtime"><span>04/</span>18</div></a>
							                                <a  href="/wz/359389.html"   class="bloga flexRow over"><p class="overflowclass">数字产品创作助手:构建并扩展数字资产 - Openclaw Skills</p><div class="blogtime"><span>04/</span>18</div></a>
							                                <a  href="/wz/359390.html"   class="bloga flexRow over"><p class="overflowclass">DeepSeek Trader:混合 AI 加密货币信号引擎 - Openclaw Skills</p><div class="blogtime"><span>04/</span>18</div></a>
								
                                
                            </div>

                        </div>

                        <div class="cdr-ai">
                        <div class="jb-titles flexRow">
                            <div class="jbtle-left flexRow"><b></b><p>AI精选 </p></div>
							<a class="jbtitle-more flexRow" href="/category/list_344_1.html"  title=""><span>更多</span><b></b></a>
                        </div>
						                        <div class="ai-list">
                            <div class="ail-top flexRow">
																                                <a  href="/wz/367811.html"  title="" class="ailta ">
                                                                        <img src="https://images.jiaoben.net/uploads/20260418/logo_69e2db78622301.jpg" >
                                                                        <p ><span>地中海时尚生活肖像提示</span></p></a>
																								                                <a  href="/wz/367770.html"  title="" class="ailta ">
                                                                        <img src="https://images.jiaoben.net/uploads/20260418/logo_69e2d9b9bdbef1.jpg" >
                                                                        <p ><span>结构仿生提示词下的时尚编辑摄</span></p></a>
																																																																																																																																																                               
                            </div>
                            <div class="ail-down">
																																																						<a class="ali-con flexRow"  href="/wz/367731.html"  title="">
										<div class="alicon-left flexRow"><span>精选</span></div>
										<p class="aliconp overflowclass">模型清洁迷你我比例模型提示</p>
									</a>
																																<a class="ali-con flexRow"  href="/wz/367730.html"  title="">
										<div class="alicon-left flexRow"><span>精选</span></div>
										<p class="aliconp overflowclass">Ana de Armas 护肤品影响者肖像提示</p>
									</a>
																																<a class="ali-con flexRow"  href="/wz/367722.html"  title="">
										<div class="alicon-left flexRow"><span>精选</span></div>
										<p class="aliconp overflowclass">吉普车引擎盖上的超逼真电影肖像</p>
									</a>
																																<a class="ali-con flexRow"  href="/wz/367711.html"  title="">
										<div class="alicon-left flexRow"><span>精选</span></div>
										<p class="aliconp overflowclass">单色粉色影棚时尚肖像</p>
									</a>
																																<a class="ali-con flexRow"  href="/wz/367710.html"  title="">
										<div class="alicon-left flexRow"><span>精选</span></div>
										<p class="aliconp overflowclass">超现实电影感时尚肖像 (Billie Eilish)</p>
									</a>
																																<a class="ali-con flexRow"  href="/wz/367699.html"  title="">
										<div class="alicon-left flexRow"><span>精选</span></div>
										<p class="aliconp overflowclass">Nano Banana Pro 发布公告</p>
									</a>
																																<a class="ali-con flexRow"  href="/wz/366175.html"  title="">
										<div class="alicon-left flexRow"><span>精选</span></div>
										<p class="aliconp overflowclass">赛博朋克 K-Pop 动画</p>
									</a>
																																<a class="ali-con flexRow"  href="/wz/366174.html"  title="">
										<div class="alicon-left flexRow"><span>精选</span></div>
										<p class="aliconp overflowclass">冰川星球大逃亡</p>
									</a>
															                               
                            </div>
                        </div>

                    </div>
    
						<div class="cdr-blog">
							<div class="jb-titles flexRow">
								<div class="jbtle-left flexRow"><b></b><p>脚本推荐</p></div>
								
							</div>
							<div class="blog-list">
															<a href="/wz/zt-49225.html" title="" class="bloga flexRow over"><p class="overflowclass">SeeDance 2.0 Video Creator专区</p></a>
															<a href="/wz/zt-49224.html" title="" class="bloga flexRow over"><p class="overflowclass">OpenClaw AI专区</p></a>
															<a href="/wz/zt-49223.html" title="" class="bloga flexRow over"><p class="overflowclass">cowork专区</p></a>
															<a href="/wz/zt-49222.html" title="" class="bloga flexRow over"><p class="overflowclass">claude code skills专区</p></a>
								
					  
							</div>

						</div>

                    </div>
                </div>
            </div>
            
        </div>


    </main>
     <script>
        $(function() {
            // “+ 收藏”按钮点击事件
            $(document).on('click', '.htmitem-right, .ztop-right', function(e) {
                // 仅针对包含 “+ 收藏” 文字的按钮
                if ($(this).text().indexOf('+ 收藏') === -1) return;
                
                e.preventDefault();
                
                const id = $(this).data('id');
                if (!id) {
                    layer.msg('该项暂无有效ID,无法收藏');
                    return;
                }

                // 构造收藏 URL: 当前域名 + /wz/zt- + id + /
                const bookmarkUrl = window.location.origin + '/wz/zt-' + id + '.html';
                
                // 获取收藏标题 (优先从同级元素获取话题名称,否则使用页面标题)
                let bookmarkTitle = $(this).closest('.htl-item, .zttopd').find('a:first, span.overflowclass').text().trim() || document.title;
                if (bookmarkTitle.startsWith('#')) bookmarkTitle = bookmarkTitle.substring(1);

                // 浏览器收藏逻辑 (带 Fallback)
                try {
                    if (window.sidebar && window.sidebar.addPanel) { 
                        // Firefox < 23
                        window.sidebar.addPanel(bookmarkTitle, bookmarkUrl, "");
                    } else if (window.external && ('AddFavorite' in window.external)) { 
                        // IE
                        window.external.AddFavorite(bookmarkUrl, bookmarkTitle);
                    } else {
                        // Chrome, Safari, Firefox 23+, etc.
                        const isMac = /Mac/i.test(navigator.userAgent);
                        const keyStr = isMac ? 'Command + D' : 'Ctrl + D';
                        
                        layer.confirm('由于浏览器安全限制,请使用 <b>' + keyStr + '</b> 手动添加收藏。<br><br>收藏地址:<br><small>' + bookmarkUrl + '</small>', {
                            title: '收藏提示',
                            btn: ['复制链接', '知道了'],
                            yes: function(index) {
                                copyToClipboard(bookmarkUrl).then(() => {
                                    layer.msg('链接已复制,请手动添加到收藏夹');
                                }).catch(() => {
                                    layer.msg('复制失败,请手动选择复制');
                                });
                                layer.close(index);
                            }
                        });
                    }
                } catch (err) {
                    layer.msg('收藏失败,请手动添加');
                }
            });

            // 兼容非 HTTPS 的复制函数
            function copyToClipboard(text) {
                if (navigator.clipboard && window.isSecureContext) {
                    return navigator.clipboard.writeText(text);
                } else {
                    let textArea = document.createElement("textarea");
                    textArea.value = text;
                    textArea.style.position = "fixed";
                    textArea.style.left = "-999999px";
                    textArea.style.top = "-999999px";
                    document.body.appendChild(textArea);
                    textArea.focus();
                    textArea.select();
                    return new Promise((res, rej) => {
                        document.execCommand('copy') ? res() : rej();
                        textArea.remove();
                    });
                }
            }
        });
    </script>
<footer>
        <div class="foot ">
            <div class="foot-top flexRow">
                <div class="foot-left">
                    <div class="ftl-top flexRow"><span class="flexRow flexcenter">脚本</span>在线</div>
                    <p class="ftl-down">
                        智能赋能梦想,脚本构筑现实。我们致力于链接AI智能指令
                        与传统自动化,为您提供一站式、高效率的脚 本资产与生成
                        服务。
                    </p>
                </div>
                <div class="foot-right flexRow">
                    <div class="ftr-list flexColumn">
                        <p>核心板块</p>
                        <span>AI脚本库</span>
                        <span>自动化仓库</span>
                        <span>脚本实验室</span>
                    </div>
                    <div class="ftr-list flexColumn">
                        <p>关于我们</p>
                        <a href="/category/list_229_1.html"   >最新游戏</a>
                        <span>商务合作</span>
                        <span>隐私政策</span>
                    </div>
                    <div class="ftr-list flexColumn">
                        <p>社区支持</p>
                        <span >API文档</span>
                        <a href="/category/list_334_1.html"   >攻略资讯</a>
                        <span>违规举报</span>
                    </div>
                </div>
            </div>
            <div class="foot-down flexColumn">
                <p>© 2026  jiaoben.net | 脚本在线 | 联系:jiaobennet2026@163.com</p>
                <p>备案:<a style="color: #7F7F7F;" href="https://beian.miit.gov.cn/" rel="nofollow" target="_blank">湘ICP备18025217号-11</a> </p>
            </div>
        </div>
    </footer>

    <div style="display:none;">
			<script type="text/javascript">
		  var _paq = window._paq = window._paq || [];
		  _paq.push(['trackPageView']);
		  _paq.push(['enableLinkTracking']);

		  (function() {
			var u="//tongji.zhangwan.net/";
			_paq.push(['setTrackerUrl', u+'matomo.php']);
			_paq.push(['setSiteId', '29']);

			// Add this code below within the Matomo JavaScript tracker code
			// Important: the tracker url includes the /matomo.php
			var secondaryTrackerUrl = u+'matomo.php';
			var secondaryWebsiteId = 27;
			// Also send all of the tracking data to this other Matomo server, in website ID 77
			_paq.push(['addTracker', secondaryTrackerUrl, secondaryWebsiteId]);
			// That's it!
			var d=document, g=d.createElement('script'), s=d.getElementsByTagName('script')[0];
			g.type='text/javascript'; g.async=true; g.src=u+'matomo.js'; s.parentNode.insertBefore(g,s);
		  })();
		</script>
	    <script>
        var _hmt = _hmt || [];
        (function() {
            var hm = document.createElement("script");
            hm.src = "https://hm.baidu.com/hm.js?5d3cfe1f36b1988029fe82a0d475b20d";
            var s = document.getElementsByTagName("script")[0];
            s.parentNode.insertBefore(hm, s);
        })();
    </script>
	
</div>  </body>
</html>