File size: 11,007 Bytes
c75526e
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
#!/usr/bin/env python3
"""
Command-line interface for the OpenProblems Spatial Transcriptomics MCP Server.
"""

import asyncio
import click
import logging
import sys
from pathlib import Path

from .main import main as run_server


@click.group()
@click.version_option(version="0.1.0")
@click.option("--verbose", "-v", is_flag=True, help="Enable verbose logging")
@click.option("--config", "-c", type=click.Path(exists=True), help="Configuration file path")
def cli(verbose, config):
    """OpenProblems Spatial Transcriptomics MCP Server CLI."""
    if verbose:
        logging.basicConfig(level=logging.DEBUG)
    else:
        logging.basicConfig(level=logging.INFO)

    if config:
        # TODO: Load configuration from file
        click.echo(f"Using configuration from: {config}")


@cli.command()
@click.option("--host", default="localhost", help="Host to bind to (HTTP transport)")
@click.option("--port", default=8000, help="Port to bind to (HTTP transport)")
@click.option("--transport", default="stdio", type=click.Choice(["stdio", "http"]),
              help="Transport method")
def serve(host, port, transport):
    """Start the MCP server."""
    click.echo("πŸš€ Starting OpenProblems Spatial Transcriptomics MCP Server")
    click.echo(f"   Transport: {transport}")

    if transport == "http":
        click.echo(f"   Host: {host}")
        click.echo(f"   Port: {port}")
        click.echo("   Note: HTTP transport is not yet implemented")
        sys.exit(1)

    try:
        asyncio.run(run_server())
    except KeyboardInterrupt:
        click.echo("\nπŸ‘‹ Server stopped")
    except Exception as e:
        click.echo(f"❌ Server error: {e}", err=True)
        sys.exit(1)


@cli.command()
def test():
    """Run the test suite."""
    import subprocess

    click.echo("πŸ§ͺ Running test suite...")

    try:
        result = subprocess.run(["pytest", "tests/", "-v"],
                              capture_output=True, text=True)

        click.echo(result.stdout)
        if result.stderr:
            click.echo(result.stderr, err=True)

        if result.returncode == 0:
            click.echo("βœ… All tests passed!")
        else:
            click.echo("❌ Some tests failed")
            sys.exit(1)

    except FileNotFoundError:
        click.echo("❌ pytest not found. Install with: pip install pytest", err=True)
        sys.exit(1)


@cli.command()
def demo():
    """Run the interactive demo client."""
    click.echo("🎬 Starting MCP client demo...")

    try:
        import subprocess
        result = subprocess.run([sys.executable, "examples/simple_client.py"])
        sys.exit(result.returncode)
    except Exception as e:
        click.echo(f"❌ Demo error: {e}", err=True)
        sys.exit(1)


@cli.command()
@click.option("--check-tools", is_flag=True, help="Check if external tools are available")
@click.option("--check-deps", is_flag=True, help="Check Python dependencies")
def doctor(check_tools, check_deps):
    """Diagnose installation and configuration issues."""
    click.echo("πŸ” OpenProblems MCP Server Health Check")
    click.echo("=" * 50)

    all_good = True

    # Check Python imports
    click.echo("\nπŸ“¦ Python Dependencies:")
    dependencies = [
        ("mcp", "MCP Python SDK"),
        ("yaml", "PyYAML"),
        ("docker", "Docker Python client"),
        ("pandas", "Pandas"),
        ("numpy", "NumPy"),
    ]

    for module, description in dependencies:
        try:
            __import__(module)
            click.echo(f"  βœ… {description}")
        except ImportError:
            click.echo(f"  ❌ {description} - not installed")
            all_good = False

    # Check external tools
    if check_tools:
        click.echo("\nπŸ› οΈ  External Tools:")
        tools = [
            ("nextflow", "Nextflow workflow engine"),
            ("viash", "Viash component framework"),
            ("docker", "Docker containerization"),
            ("java", "Java runtime (required for Nextflow)"),
        ]

        import subprocess
        for tool, description in tools:
            try:
                result = subprocess.run([tool, "--version"],
                                      capture_output=True, timeout=10)
                if result.returncode == 0:
                    click.echo(f"  βœ… {description}")
                else:
                    click.echo(f"  ❌ {description} - not working properly")
                    all_good = False
            except (subprocess.TimeoutExpired, FileNotFoundError):
                click.echo(f"  ❌ {description} - not found")
                all_good = False

    # Check directories
    click.echo("\nπŸ“ Directory Structure:")
    directories = ["data", "work", "logs", "cache"]

    for directory in directories:
        path = Path(directory)
        if path.exists():
            if path.is_dir():
                click.echo(f"  βœ… {directory}/ - exists")
            else:
                click.echo(f"  ❌ {directory} - exists but not a directory")
                all_good = False
        else:
            click.echo(f"  ⚠️  {directory}/ - missing (will be created)")
            try:
                path.mkdir(exist_ok=True)
                click.echo(f"     Created {directory}/")
            except Exception as e:
                click.echo(f"     Failed to create: {e}")
                all_good = False

    # Check server module
    click.echo("\nπŸ–₯️  Server Module:")
    try:
        from . import main
        click.echo("  βœ… MCP server module - importable")

        # Test basic functionality
        import asyncio
        async def test_handlers():
            try:
                resources = await main.handle_list_resources()
                tools = await main.handle_list_tools()
                click.echo(f"  βœ… Server handlers - working ({len(resources)} resources, {len(tools)} tools)")
            except Exception as e:
                click.echo(f"  ❌ Server handlers - error: {e}")
                return False
            return True

        handler_ok = asyncio.run(test_handlers())
        all_good = all_good and handler_ok

    except ImportError as e:
        click.echo(f"  ❌ MCP server module - import error: {e}")
        all_good = False

    # Summary
    click.echo("\n" + "=" * 50)
    if all_good:
        click.echo("βœ… All checks passed! Your setup is ready.")
    else:
        click.echo("❌ Some issues found. Please fix them before running the server.")
        click.echo("\nFor help, see: docs/SETUP.md")
        sys.exit(1)


@cli.command()
def download_docs():
    """Download and cache documentation from OpenProblems, Nextflow, and Viash."""
    click.echo("πŸ“š Downloading documentation from OpenProblems, Nextflow, and Viash...")

    async def download():
        from .documentation_generator_simple import DocumentationGenerator

        try:
            generator = DocumentationGenerator()
            documentation = await generator.generate_all_documentation()

            click.echo("\nπŸ“Š Documentation download complete!")
            total_chars = 0
            for source, content in documentation.items():
                chars = len(content)
                total_chars += chars
                click.echo(f"   βœ… {source}: {chars:,} characters")

            click.echo(f"\nπŸŽ‰ Total: {total_chars:,} characters of documentation cached!")
            click.echo("   Documentation is now available in your MCP server resources.")

        except Exception as e:
            click.echo(f"❌ Failed to download documentation: {e}")
            sys.exit(1)

    asyncio.run(download())


@cli.command()
@click.argument("tool_name")
@click.argument("arguments", nargs=-1)
def tool(tool_name, arguments):
    """Execute a specific MCP tool directly."""
    click.echo(f"πŸ”§ Executing tool: {tool_name}")

    # Parse arguments (simple key=value format)
    tool_args = {}
    for arg in arguments:
        if "=" in arg:
            key, value = arg.split("=", 1)
            tool_args[key] = value
        else:
            click.echo(f"❌ Invalid argument format: {arg}")
            click.echo("   Use: key=value format")
            sys.exit(1)

    click.echo(f"   Arguments: {tool_args}")

    async def run_tool():
        from .main import handle_call_tool
        try:
            result = await handle_call_tool(tool_name, tool_args)
            click.echo("\nπŸ“„ Result:")
            for item in result:
                click.echo(item.text)
        except Exception as e:
            click.echo(f"❌ Tool execution failed: {e}", err=True)
            sys.exit(1)

    asyncio.run(run_tool())


@cli.command()
@click.option("--port", default=7860, help="Port for the web interface")
@click.option("--share", is_flag=True, help="Create a public link for sharing")
def web(port, share):
    """Launch the Gradio web interface for testing MCP tools."""
    click.echo("🌐 Starting OpenProblems MCP Server Web Interface...")
    click.echo(f"   Port: {port}")
    if share:
        click.echo("   Sharing: Enabled (creating public link)")

    try:
        from .gradio_interface import launch_gradio_interface
        launch_gradio_interface(share=share, server_port=port)
    except ImportError:
        click.echo("❌ Gradio not installed. Install with: pip install gradio", err=True)
        sys.exit(1)
    except Exception as e:
        click.echo(f"❌ Web interface error: {e}", err=True)
        sys.exit(1)


@cli.command()
def info():
    """Show server information and available tools/resources."""
    click.echo("πŸ“‹ OpenProblems Spatial Transcriptomics MCP Server")
    click.echo("   Version: 0.1.0")
    click.echo("   Protocol: Model Context Protocol (MCP)")
    click.echo("   Purpose: Spatial transcriptomics workflow automation")

    async def show_info():
        from .main import handle_list_resources, handle_list_tools

        try:
            resources = await handle_list_resources()
            tools = await handle_list_tools()

            click.echo(f"\nπŸ“š Available Resources ({len(resources)}):")
            for resource in resources:
                click.echo(f"  β€’ {resource.name}")
                click.echo(f"    URI: {resource.uri}")
                click.echo(f"    Description: {resource.description}")
                click.echo()

            click.echo(f"πŸ› οΈ  Available Tools ({len(tools)}):")
            for tool in tools:
                click.echo(f"  β€’ {tool.name}")
                click.echo(f"    Description: {tool.description}")
                required = tool.inputSchema.get("required", [])
                if required:
                    click.echo(f"    Required parameters: {', '.join(required)}")
                click.echo()

        except Exception as e:
            click.echo(f"❌ Error getting server info: {e}", err=True)

    asyncio.run(show_info())


def main():
    """Main CLI entry point."""
    cli()


if __name__ == "__main__":
    main()