paddleocr-skills 1.0.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/README.md +220 -0
- package/bin/paddleocr-skills.js +20 -0
- package/lib/copy.js +39 -0
- package/lib/installer.js +70 -0
- package/lib/prompts.js +67 -0
- package/lib/python.js +75 -0
- package/lib/verify.js +121 -0
- package/package.json +42 -0
- package/templates/.env.example +12 -0
- package/templates/paddleocr-vl/references/paddleocr-vl/layout_schema.md +64 -0
- package/templates/paddleocr-vl/references/paddleocr-vl/output_format.md +154 -0
- package/templates/paddleocr-vl/references/paddleocr-vl/vl_model_spec.md +157 -0
- package/templates/paddleocr-vl/scripts/paddleocr-vl/_lib.py +780 -0
- package/templates/paddleocr-vl/scripts/paddleocr-vl/configure.py +270 -0
- package/templates/paddleocr-vl/scripts/paddleocr-vl/optimize_file.py +226 -0
- package/templates/paddleocr-vl/scripts/paddleocr-vl/requirements-optimize.txt +8 -0
- package/templates/paddleocr-vl/scripts/paddleocr-vl/requirements.txt +7 -0
- package/templates/paddleocr-vl/scripts/paddleocr-vl/smoke_test.py +199 -0
- package/templates/paddleocr-vl/scripts/paddleocr-vl/vl_caller.py +232 -0
- package/templates/paddleocr-vl/skills/paddleocr-vl/SKILL.md +481 -0
- package/templates/ppocrv5/references/ppocrv5/agent_policy.md +258 -0
- package/templates/ppocrv5/references/ppocrv5/normalized_schema.md +257 -0
- package/templates/ppocrv5/references/ppocrv5/provider_api.md +140 -0
- package/templates/ppocrv5/scripts/ppocrv5/_lib.py +635 -0
- package/templates/ppocrv5/scripts/ppocrv5/configure.py +346 -0
- package/templates/ppocrv5/scripts/ppocrv5/ocr_caller.py +684 -0
- package/templates/ppocrv5/scripts/ppocrv5/requirements.txt +4 -0
- package/templates/ppocrv5/scripts/ppocrv5/smoke_test.py +139 -0
- package/templates/ppocrv5/skills/ppocrv5/SKILL.md +272 -0
|
@@ -0,0 +1,199 @@
|
|
|
1
|
+
#!/usr/bin/env python3
|
|
2
|
+
# -*- coding: utf-8 -*-
|
|
3
|
+
"""
|
|
4
|
+
Smoke Test for PaddleOCR-VL
|
|
5
|
+
|
|
6
|
+
Verifies that VL_API_URL and VL_TOKEN are correctly configured
|
|
7
|
+
and that the API is accessible.
|
|
8
|
+
|
|
9
|
+
Usage:
|
|
10
|
+
python scripts/paddleocr-vl/smoke_test.py
|
|
11
|
+
python scripts/paddleocr-vl/smoke_test.py --test-url "URL" # Optional custom test
|
|
12
|
+
"""
|
|
13
|
+
|
|
14
|
+
import argparse
|
|
15
|
+
import json
|
|
16
|
+
import sys
|
|
17
|
+
from pathlib import Path
|
|
18
|
+
|
|
19
|
+
# Add current directory to Python path
|
|
20
|
+
script_dir = Path(__file__).parent
|
|
21
|
+
sys.path.insert(0, str(script_dir))
|
|
22
|
+
|
|
23
|
+
|
|
24
|
+
def main():
|
|
25
|
+
parser = argparse.ArgumentParser(description='PaddleOCR-VL smoke test')
|
|
26
|
+
parser.add_argument(
|
|
27
|
+
'--test-url',
|
|
28
|
+
help='Optional: Custom document URL for testing'
|
|
29
|
+
)
|
|
30
|
+
parser.add_argument(
|
|
31
|
+
'--skip-api-test',
|
|
32
|
+
action='store_true',
|
|
33
|
+
help='Skip API connectivity test, only check configuration'
|
|
34
|
+
)
|
|
35
|
+
args = parser.parse_args()
|
|
36
|
+
|
|
37
|
+
print("=" * 60)
|
|
38
|
+
print("PaddleOCR-VL - Smoke Test")
|
|
39
|
+
print("=" * 60)
|
|
40
|
+
print()
|
|
41
|
+
|
|
42
|
+
# Check configuration
|
|
43
|
+
print("\n[1/3] Checking configuration...")
|
|
44
|
+
|
|
45
|
+
from _lib import Config
|
|
46
|
+
|
|
47
|
+
try:
|
|
48
|
+
Config.load_env()
|
|
49
|
+
|
|
50
|
+
# Get config values
|
|
51
|
+
api_url = Config.get_vl_api_url()
|
|
52
|
+
token = Config.get_vl_token()
|
|
53
|
+
timeout_ms = Config.get_timeout_ms()
|
|
54
|
+
max_retry = Config.get_max_retry()
|
|
55
|
+
cache_ttl = Config.get_cache_ttl_sec()
|
|
56
|
+
|
|
57
|
+
print(f"+ VL_API_URL: {api_url}")
|
|
58
|
+
|
|
59
|
+
# Mask token for display
|
|
60
|
+
if len(token) > 12:
|
|
61
|
+
masked_token = token[:8] + "..." + token[-4:]
|
|
62
|
+
else:
|
|
63
|
+
masked_token = "***"
|
|
64
|
+
print(f"+ VL_TOKEN: {masked_token}")
|
|
65
|
+
print(f"+ Timeout: {timeout_ms}ms")
|
|
66
|
+
print(f"+ Max Retry: {max_retry}")
|
|
67
|
+
print(f"+ Cache TTL: {cache_ttl}s")
|
|
68
|
+
print()
|
|
69
|
+
|
|
70
|
+
except Exception as e:
|
|
71
|
+
print(f"\nConfiguration error: {e}")
|
|
72
|
+
return 1
|
|
73
|
+
|
|
74
|
+
# Check imports and dependencies
|
|
75
|
+
print("[2/3] Checking dependencies...")
|
|
76
|
+
print()
|
|
77
|
+
|
|
78
|
+
try:
|
|
79
|
+
import httpx
|
|
80
|
+
print(f"+ httpx: {httpx.__version__}")
|
|
81
|
+
|
|
82
|
+
from dotenv import load_dotenv
|
|
83
|
+
print("+ python-dotenv: installed")
|
|
84
|
+
|
|
85
|
+
from _lib import VLClient, QualityEvaluator, SimpleCache
|
|
86
|
+
print("+ VLClient: OK")
|
|
87
|
+
print("+ QualityEvaluator: OK")
|
|
88
|
+
print("+ SimpleCache: OK")
|
|
89
|
+
print()
|
|
90
|
+
|
|
91
|
+
except ImportError as e:
|
|
92
|
+
print(f"X Dependency error: {e}")
|
|
93
|
+
print()
|
|
94
|
+
print("Please install dependencies:")
|
|
95
|
+
print(" pip install -r scripts/paddleocr-vl/requirements.txt")
|
|
96
|
+
print()
|
|
97
|
+
return 1
|
|
98
|
+
|
|
99
|
+
# Test API connectivity
|
|
100
|
+
if args.skip_api_test:
|
|
101
|
+
print("[3/3] Skipping API connectivity test (--skip-api-test)")
|
|
102
|
+
print()
|
|
103
|
+
print("=" * 60)
|
|
104
|
+
print("Configuration Check Complete!")
|
|
105
|
+
print("=" * 60)
|
|
106
|
+
print()
|
|
107
|
+
print("Your PaddleOCR-VL is configured correctly.")
|
|
108
|
+
print()
|
|
109
|
+
print("To test with a real document, run:")
|
|
110
|
+
print(' python scripts/paddleocr-vl/vl_caller.py --file-url "URL"')
|
|
111
|
+
print()
|
|
112
|
+
return 0
|
|
113
|
+
|
|
114
|
+
print("[3/3] Testing API connectivity...")
|
|
115
|
+
print()
|
|
116
|
+
|
|
117
|
+
# Use provided test URL or default
|
|
118
|
+
test_url = args.test_url or "https://paddleocr.bj.bcebos.com/dataset/document_layout_sample.png"
|
|
119
|
+
|
|
120
|
+
print(f"Test document: {test_url}")
|
|
121
|
+
print("Calling PaddleOCR-VL API...")
|
|
122
|
+
print()
|
|
123
|
+
|
|
124
|
+
from _lib import make_api_request, QualityEvaluator
|
|
125
|
+
|
|
126
|
+
try:
|
|
127
|
+
result = make_api_request(
|
|
128
|
+
file_url=test_url,
|
|
129
|
+
timeout_ms=timeout_ms,
|
|
130
|
+
use_cache=False # Force fresh request for testing
|
|
131
|
+
)
|
|
132
|
+
|
|
133
|
+
if not result.get("ok", False):
|
|
134
|
+
error = result.get("error", {})
|
|
135
|
+
print(f"X API call failed: {error.get('message', 'Unknown error')}")
|
|
136
|
+
print(f" Error code: {error.get('code', 'UNKNOWN')}")
|
|
137
|
+
print()
|
|
138
|
+
return 1
|
|
139
|
+
|
|
140
|
+
print("+ API call successful!")
|
|
141
|
+
print()
|
|
142
|
+
|
|
143
|
+
# Evaluate quality
|
|
144
|
+
quality = QualityEvaluator.evaluate(result)
|
|
145
|
+
|
|
146
|
+
print("Response Quality:")
|
|
147
|
+
print(f" - Overall Confidence: {quality['overall_confidence']:.2f} / 1.00")
|
|
148
|
+
print(f" - Quality Level: {quality['quality_level']}")
|
|
149
|
+
|
|
150
|
+
if quality.get('region_stats'):
|
|
151
|
+
stats = quality['region_stats']
|
|
152
|
+
print(f" - Regions Detected: {stats.get('total_regions', 0)}")
|
|
153
|
+
|
|
154
|
+
if stats.get('by_type'):
|
|
155
|
+
print(" - Region Types:")
|
|
156
|
+
for region_type, count in sorted(stats['by_type'].items()):
|
|
157
|
+
print(f" {region_type}: {count}")
|
|
158
|
+
|
|
159
|
+
if quality.get('warnings'):
|
|
160
|
+
print("\n Warnings:")
|
|
161
|
+
for warning in quality['warnings']:
|
|
162
|
+
print(f" ! {warning}")
|
|
163
|
+
|
|
164
|
+
print()
|
|
165
|
+
|
|
166
|
+
# Show sample content
|
|
167
|
+
result_data = result.get("result", {})
|
|
168
|
+
full_text = result_data.get("full_text", "")
|
|
169
|
+
|
|
170
|
+
if full_text:
|
|
171
|
+
preview_length = min(200, len(full_text))
|
|
172
|
+
print(f"Content Preview ({preview_length} chars):")
|
|
173
|
+
print(f" {full_text[:preview_length]}...")
|
|
174
|
+
print()
|
|
175
|
+
|
|
176
|
+
except Exception as e:
|
|
177
|
+
print(f"X API call failed: {e}")
|
|
178
|
+
print()
|
|
179
|
+
return 1
|
|
180
|
+
|
|
181
|
+
# Success
|
|
182
|
+
print("=" * 60)
|
|
183
|
+
print("All Tests Passed!")
|
|
184
|
+
print("=" * 60)
|
|
185
|
+
print()
|
|
186
|
+
print("Your PaddleOCR-VL setup is working correctly.")
|
|
187
|
+
print()
|
|
188
|
+
print("Next steps:")
|
|
189
|
+
print(' - Parse documents: python scripts/paddleocr-vl/vl_caller.py --file-url "URL"')
|
|
190
|
+
print(' - Show quality info: Add --show-quality flag')
|
|
191
|
+
print(' - Pretty JSON: Add --pretty flag')
|
|
192
|
+
print()
|
|
193
|
+
|
|
194
|
+
return 0
|
|
195
|
+
|
|
196
|
+
|
|
197
|
+
if __name__ == '__main__':
|
|
198
|
+
exit_code = main()
|
|
199
|
+
sys.exit(exit_code)
|
|
@@ -0,0 +1,232 @@
|
|
|
1
|
+
#!/usr/bin/env python3
|
|
2
|
+
"""
|
|
3
|
+
PaddleOCR-VL Document Parser
|
|
4
|
+
|
|
5
|
+
High-quality document parsing with layout analysis.
|
|
6
|
+
Returns complete API response without filtering.
|
|
7
|
+
|
|
8
|
+
Usage:
|
|
9
|
+
python scripts/paddleocr-vl/vl_caller.py --file-url "URL"
|
|
10
|
+
python scripts/paddleocr-vl/vl_caller.py --file-path "document.pdf"
|
|
11
|
+
python scripts/paddleocr-vl/vl_caller.py --file-path "doc.pdf" --pretty --show-quality
|
|
12
|
+
"""
|
|
13
|
+
|
|
14
|
+
import argparse
|
|
15
|
+
import json
|
|
16
|
+
import sys
|
|
17
|
+
from pathlib import Path
|
|
18
|
+
|
|
19
|
+
# Add current directory to Python path for imports
|
|
20
|
+
script_dir = Path(__file__).parent
|
|
21
|
+
sys.path.insert(0, str(script_dir))
|
|
22
|
+
|
|
23
|
+
from _lib import (
|
|
24
|
+
Config,
|
|
25
|
+
make_api_request,
|
|
26
|
+
format_error_output,
|
|
27
|
+
wrap_success_output,
|
|
28
|
+
QualityEvaluator,
|
|
29
|
+
setup_logging,
|
|
30
|
+
ERROR_CONFIG,
|
|
31
|
+
ERROR_AUTH,
|
|
32
|
+
ERROR_QUOTA,
|
|
33
|
+
ERROR_TIMEOUT,
|
|
34
|
+
ERROR_OVERLOADED,
|
|
35
|
+
)
|
|
36
|
+
|
|
37
|
+
|
|
38
|
+
def main():
|
|
39
|
+
parser = argparse.ArgumentParser(
|
|
40
|
+
description='PaddleOCR-VL - High-quality document parsing with layout analysis',
|
|
41
|
+
formatter_class=argparse.RawDescriptionHelpFormatter,
|
|
42
|
+
epilog="""
|
|
43
|
+
Examples:
|
|
44
|
+
# Parse document from URL
|
|
45
|
+
python scripts/paddleocr-vl/vl_caller.py --file-url "https://example.com/document.pdf"
|
|
46
|
+
|
|
47
|
+
# Parse local file
|
|
48
|
+
python scripts/paddleocr-vl/vl_caller.py --file-path "./invoice.pdf"
|
|
49
|
+
|
|
50
|
+
# Pretty print JSON output with quality metrics
|
|
51
|
+
python scripts/paddleocr-vl/vl_caller.py --file-path "doc.pdf" --pretty --show-quality
|
|
52
|
+
|
|
53
|
+
# Disable cache for fresh processing
|
|
54
|
+
python scripts/paddleocr-vl/vl_caller.py --file-url "URL" --no-cache
|
|
55
|
+
|
|
56
|
+
Notes:
|
|
57
|
+
- This script returns COMPLETE API response (all content)
|
|
58
|
+
- Claude will extract what the user needs from the full data
|
|
59
|
+
- No content is filtered or removed at script level
|
|
60
|
+
- Results are cached for 10 minutes by default
|
|
61
|
+
"""
|
|
62
|
+
)
|
|
63
|
+
|
|
64
|
+
# Input file (mutually exclusive)
|
|
65
|
+
input_group = parser.add_mutually_exclusive_group(required=True)
|
|
66
|
+
input_group.add_argument(
|
|
67
|
+
'--file-url',
|
|
68
|
+
help='URL to document (PDF, PNG, JPG, etc.)'
|
|
69
|
+
)
|
|
70
|
+
input_group.add_argument(
|
|
71
|
+
'--file-path',
|
|
72
|
+
help='Local file path'
|
|
73
|
+
)
|
|
74
|
+
|
|
75
|
+
# Output options
|
|
76
|
+
parser.add_argument(
|
|
77
|
+
'--pretty',
|
|
78
|
+
action='store_true',
|
|
79
|
+
help='Pretty print JSON output'
|
|
80
|
+
)
|
|
81
|
+
|
|
82
|
+
parser.add_argument(
|
|
83
|
+
'--output', '-o',
|
|
84
|
+
metavar='FILE',
|
|
85
|
+
help='Save result to JSON file (absolute or relative path)'
|
|
86
|
+
)
|
|
87
|
+
|
|
88
|
+
parser.add_argument(
|
|
89
|
+
'--show-quality',
|
|
90
|
+
action='store_true',
|
|
91
|
+
help='Show quality assessment and confidence scores'
|
|
92
|
+
)
|
|
93
|
+
|
|
94
|
+
parser.add_argument(
|
|
95
|
+
'--no-cache',
|
|
96
|
+
action='store_true',
|
|
97
|
+
help='Disable cache, force fresh API call'
|
|
98
|
+
)
|
|
99
|
+
|
|
100
|
+
# Advanced options
|
|
101
|
+
parser.add_argument(
|
|
102
|
+
'--timeout',
|
|
103
|
+
type=int,
|
|
104
|
+
default=30000,
|
|
105
|
+
help='Request timeout in milliseconds (default: 30000)'
|
|
106
|
+
)
|
|
107
|
+
|
|
108
|
+
parser.add_argument(
|
|
109
|
+
'--log-level',
|
|
110
|
+
choices=['DEBUG', 'INFO', 'WARNING', 'ERROR'],
|
|
111
|
+
default='INFO',
|
|
112
|
+
help='Set logging level (default: INFO)'
|
|
113
|
+
)
|
|
114
|
+
|
|
115
|
+
args = parser.parse_args()
|
|
116
|
+
|
|
117
|
+
# Setup logging
|
|
118
|
+
setup_logging(args.log_level)
|
|
119
|
+
|
|
120
|
+
# Load config from .env file
|
|
121
|
+
try:
|
|
122
|
+
api_url = Config.get_vl_api_url()
|
|
123
|
+
token = Config.get_vl_token()
|
|
124
|
+
timeout_ms = Config.get_timeout_ms()
|
|
125
|
+
max_retry = Config.get_max_retry()
|
|
126
|
+
cache_ttl_sec = Config.get_cache_ttl_sec()
|
|
127
|
+
except ValueError as e:
|
|
128
|
+
print(f"\nConfiguration error: {e}", file=sys.stderr)
|
|
129
|
+
sys.exit(2)
|
|
130
|
+
|
|
131
|
+
# Call API
|
|
132
|
+
try:
|
|
133
|
+
result = make_api_request(
|
|
134
|
+
file_path=args.file_path,
|
|
135
|
+
file_url=args.file_url,
|
|
136
|
+
timeout_ms=args.timeout,
|
|
137
|
+
use_cache=not args.no_cache
|
|
138
|
+
)
|
|
139
|
+
|
|
140
|
+
# Show quality assessment if requested
|
|
141
|
+
if args.show_quality and result.get("ok", False):
|
|
142
|
+
quality = QualityEvaluator.evaluate(result)
|
|
143
|
+
|
|
144
|
+
print("=" * 60)
|
|
145
|
+
print("QUALITY ASSESSMENT")
|
|
146
|
+
print("=" * 60)
|
|
147
|
+
print(f"Overall Confidence: {quality['overall_confidence']:.2f} / 1.00")
|
|
148
|
+
print(f"Quality Level: {quality['quality_level']}")
|
|
149
|
+
|
|
150
|
+
if quality.get('region_stats'):
|
|
151
|
+
stats = quality['region_stats']
|
|
152
|
+
print(f"\nRegions Detected: {stats.get('total_regions', 0)}")
|
|
153
|
+
if stats.get('by_type'):
|
|
154
|
+
print("Region Types:")
|
|
155
|
+
for region_type, count in stats['by_type'].items():
|
|
156
|
+
print(f" - {region_type}: {count}")
|
|
157
|
+
|
|
158
|
+
if stats.get('low_confidence_count', 0) > 0:
|
|
159
|
+
print(f"\nWarning: {stats['low_confidence_count']} regions have low confidence")
|
|
160
|
+
|
|
161
|
+
if quality.get('warnings'):
|
|
162
|
+
print("\nWarnings:")
|
|
163
|
+
for warning in quality['warnings']:
|
|
164
|
+
print(f" ⚠ {warning}")
|
|
165
|
+
|
|
166
|
+
print("=" * 60)
|
|
167
|
+
print()
|
|
168
|
+
|
|
169
|
+
# Ensure result is wrapped in standard format
|
|
170
|
+
output = wrap_success_output(result)
|
|
171
|
+
|
|
172
|
+
# Prepare JSON output
|
|
173
|
+
indent = 2 if args.pretty else None
|
|
174
|
+
json_output = json.dumps(output, indent=indent, ensure_ascii=False)
|
|
175
|
+
|
|
176
|
+
# Save to file if --output specified
|
|
177
|
+
if args.output:
|
|
178
|
+
try:
|
|
179
|
+
output_path = Path(args.output).resolve()
|
|
180
|
+
|
|
181
|
+
# Create directory if not exists
|
|
182
|
+
output_path.parent.mkdir(parents=True, exist_ok=True)
|
|
183
|
+
|
|
184
|
+
# Write file
|
|
185
|
+
with open(output_path, 'w', encoding='utf-8') as f:
|
|
186
|
+
f.write(json_output)
|
|
187
|
+
|
|
188
|
+
# Print success message to stderr (so it doesn't mix with JSON output)
|
|
189
|
+
print(f"Result saved to: {output_path}", file=sys.stderr)
|
|
190
|
+
|
|
191
|
+
except PermissionError:
|
|
192
|
+
print(f"Error: Permission denied to write to {output_path}", file=sys.stderr)
|
|
193
|
+
sys.exit(5)
|
|
194
|
+
except OSError as e:
|
|
195
|
+
print(f"Error: Cannot write to {output_path}: {e}", file=sys.stderr)
|
|
196
|
+
sys.exit(5)
|
|
197
|
+
else:
|
|
198
|
+
# No --output: print to stdout (original behavior)
|
|
199
|
+
print(json_output)
|
|
200
|
+
|
|
201
|
+
# Determine exit code based on result
|
|
202
|
+
if not result.get("ok", False):
|
|
203
|
+
error_code = result.get("error", {}).get("code", "UNKNOWN")
|
|
204
|
+
|
|
205
|
+
# Map error codes to exit codes (aligned with ppocrv5)
|
|
206
|
+
if error_code == ERROR_CONFIG:
|
|
207
|
+
sys.exit(1) # Configuration error
|
|
208
|
+
elif error_code in [ERROR_AUTH, ERROR_QUOTA]:
|
|
209
|
+
sys.exit(2) # Authentication or quota error
|
|
210
|
+
elif error_code in [ERROR_TIMEOUT, ERROR_OVERLOADED]:
|
|
211
|
+
sys.exit(3) # Timeout or service overload
|
|
212
|
+
else:
|
|
213
|
+
sys.exit(4) # Other errors
|
|
214
|
+
|
|
215
|
+
# Success
|
|
216
|
+
sys.exit(0)
|
|
217
|
+
|
|
218
|
+
except ValueError as e:
|
|
219
|
+
# Configuration errors
|
|
220
|
+
output = format_error_output(e, ERROR_CONFIG)
|
|
221
|
+
print(json.dumps(output, indent=2, ensure_ascii=False), file=sys.stderr)
|
|
222
|
+
sys.exit(1)
|
|
223
|
+
|
|
224
|
+
except Exception as e:
|
|
225
|
+
# Unexpected errors
|
|
226
|
+
output = format_error_output(e)
|
|
227
|
+
print(json.dumps(output, indent=2, ensure_ascii=False), file=sys.stderr)
|
|
228
|
+
sys.exit(4)
|
|
229
|
+
|
|
230
|
+
|
|
231
|
+
if __name__ == '__main__':
|
|
232
|
+
main()
|