universal-mcp 0.1.24rc2__py3-none-any.whl → 0.1.24rc4__py3-none-any.whl
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.
- universal_mcp/agentr/README.md +201 -0
- universal_mcp/agentr/__init__.py +6 -0
- universal_mcp/agentr/agentr.py +30 -0
- universal_mcp/{utils/agentr.py → agentr/client.py} +19 -3
- universal_mcp/agentr/integration.py +104 -0
- universal_mcp/agentr/registry.py +91 -0
- universal_mcp/agentr/server.py +51 -0
- universal_mcp/agents/__init__.py +6 -0
- universal_mcp/agents/auto.py +576 -0
- universal_mcp/agents/base.py +88 -0
- universal_mcp/agents/cli.py +27 -0
- universal_mcp/agents/codeact/__init__.py +243 -0
- universal_mcp/agents/codeact/sandbox.py +27 -0
- universal_mcp/agents/codeact/test.py +15 -0
- universal_mcp/agents/codeact/utils.py +61 -0
- universal_mcp/agents/hil.py +104 -0
- universal_mcp/agents/llm.py +10 -0
- universal_mcp/agents/react.py +58 -0
- universal_mcp/agents/simple.py +40 -0
- universal_mcp/agents/utils.py +111 -0
- universal_mcp/analytics.py +5 -7
- universal_mcp/applications/__init__.py +42 -75
- universal_mcp/applications/application.py +1 -1
- universal_mcp/applications/sample/app.py +245 -0
- universal_mcp/cli.py +10 -3
- universal_mcp/config.py +33 -7
- universal_mcp/exceptions.py +4 -0
- universal_mcp/integrations/__init__.py +0 -15
- universal_mcp/integrations/integration.py +9 -91
- universal_mcp/servers/__init__.py +2 -14
- universal_mcp/servers/server.py +10 -51
- universal_mcp/tools/__init__.py +3 -0
- universal_mcp/tools/adapters.py +20 -11
- universal_mcp/tools/manager.py +29 -56
- universal_mcp/tools/registry.py +41 -0
- universal_mcp/tools/tools.py +22 -1
- universal_mcp/types.py +10 -0
- universal_mcp/utils/common.py +245 -0
- universal_mcp/utils/openapi/api_generator.py +46 -18
- universal_mcp/utils/openapi/cli.py +445 -19
- universal_mcp/utils/openapi/openapi.py +284 -21
- universal_mcp/utils/openapi/postprocessor.py +275 -0
- universal_mcp/utils/openapi/preprocessor.py +1 -1
- universal_mcp/utils/openapi/test_generator.py +287 -0
- universal_mcp/utils/prompts.py +188 -341
- universal_mcp/utils/testing.py +190 -2
- {universal_mcp-0.1.24rc2.dist-info → universal_mcp-0.1.24rc4.dist-info}/METADATA +17 -3
- universal_mcp-0.1.24rc4.dist-info/RECORD +71 -0
- universal_mcp/applications/sample_tool_app.py +0 -80
- universal_mcp/client/agents/__init__.py +0 -4
- universal_mcp/client/agents/base.py +0 -38
- universal_mcp/client/agents/llm.py +0 -115
- universal_mcp/client/agents/react.py +0 -67
- universal_mcp/client/cli.py +0 -181
- universal_mcp-0.1.24rc2.dist-info/RECORD +0 -53
- {universal_mcp-0.1.24rc2.dist-info → universal_mcp-0.1.24rc4.dist-info}/WHEEL +0 -0
- {universal_mcp-0.1.24rc2.dist-info → universal_mcp-0.1.24rc4.dist-info}/entry_points.txt +0 -0
- {universal_mcp-0.1.24rc2.dist-info → universal_mcp-0.1.24rc4.dist-info}/licenses/LICENSE +0 -0
universal_mcp/utils/common.py
CHANGED
@@ -1,3 +1,38 @@
|
|
1
|
+
import hashlib
|
2
|
+
import importlib
|
3
|
+
import importlib.util
|
4
|
+
import inspect
|
5
|
+
import io
|
6
|
+
import os
|
7
|
+
import subprocess
|
8
|
+
import sys
|
9
|
+
import zipfile
|
10
|
+
from pathlib import Path
|
11
|
+
|
12
|
+
import httpx
|
13
|
+
from loguru import logger
|
14
|
+
|
15
|
+
from universal_mcp.applications.application import BaseApplication
|
16
|
+
from universal_mcp.config import AppConfig
|
17
|
+
|
18
|
+
# --- Global Constants and Setup ---
|
19
|
+
|
20
|
+
UNIVERSAL_MCP_HOME = Path.home() / ".universal-mcp" / "packages"
|
21
|
+
REMOTE_CACHE_DIR = UNIVERSAL_MCP_HOME / "remote_cache"
|
22
|
+
|
23
|
+
if not UNIVERSAL_MCP_HOME.exists():
|
24
|
+
UNIVERSAL_MCP_HOME.mkdir(parents=True, exist_ok=True)
|
25
|
+
if not REMOTE_CACHE_DIR.exists():
|
26
|
+
REMOTE_CACHE_DIR.mkdir(exist_ok=True)
|
27
|
+
|
28
|
+
# set python path to include the universal-mcp home directory
|
29
|
+
if str(UNIVERSAL_MCP_HOME) not in sys.path:
|
30
|
+
sys.path.append(str(UNIVERSAL_MCP_HOME))
|
31
|
+
|
32
|
+
|
33
|
+
# --- Default Name Generators ---
|
34
|
+
|
35
|
+
|
1
36
|
def get_default_repository_path(slug: str) -> str:
|
2
37
|
"""
|
3
38
|
Convert a repository slug to a repository URL.
|
@@ -31,3 +66,213 @@ def get_default_class_name(slug: str) -> str:
|
|
31
66
|
slug = slug.strip().lower()
|
32
67
|
class_name = "".join(part.capitalize() for part in slug.split("-")) + "App"
|
33
68
|
return class_name
|
69
|
+
|
70
|
+
|
71
|
+
# --- Installation and Loading Helpers ---
|
72
|
+
|
73
|
+
|
74
|
+
def install_or_upgrade_package(package_name: str, repository_path: str):
|
75
|
+
"""
|
76
|
+
Helper to install a package via pip from the universal-mcp GitHub repository.
|
77
|
+
"""
|
78
|
+
uv_path = os.getenv("UV_PATH")
|
79
|
+
uv_executable = str(Path(uv_path) / "uv") if uv_path else "uv"
|
80
|
+
logger.info(f"Using uv executable: {uv_executable}")
|
81
|
+
cmd = [
|
82
|
+
uv_executable,
|
83
|
+
"pip",
|
84
|
+
"install",
|
85
|
+
"--upgrade",
|
86
|
+
repository_path,
|
87
|
+
"--target",
|
88
|
+
str(UNIVERSAL_MCP_HOME),
|
89
|
+
]
|
90
|
+
logger.debug(f"Installing package '{package_name}' with command: {' '.join(cmd)}")
|
91
|
+
try:
|
92
|
+
result = subprocess.run(cmd, capture_output=True, text=True, check=True)
|
93
|
+
if result.stdout:
|
94
|
+
logger.info(f"Command stdout: {result.stdout}")
|
95
|
+
if result.stderr:
|
96
|
+
logger.warning(f"Command stderr: {result.stderr}")
|
97
|
+
except subprocess.CalledProcessError as e:
|
98
|
+
logger.error(f"Installation failed for '{package_name}': {e}")
|
99
|
+
logger.error(f"Command stdout:\n{e.stdout}")
|
100
|
+
logger.error(f"Command stderr:\n{e.stderr}")
|
101
|
+
raise ModuleNotFoundError(f"Installation failed for package '{package_name}'") from e
|
102
|
+
else:
|
103
|
+
logger.debug(f"Package {package_name} installed successfully")
|
104
|
+
|
105
|
+
|
106
|
+
def install_dependencies_from_path(project_root: Path, target_install_dir: Path):
|
107
|
+
"""
|
108
|
+
Installs dependencies from pyproject.toml or requirements.txt found in project_root.
|
109
|
+
"""
|
110
|
+
uv_path = os.getenv("UV_PATH")
|
111
|
+
uv_executable = str(Path(uv_path) / "uv") if uv_path else "uv"
|
112
|
+
cmd = []
|
113
|
+
|
114
|
+
if (project_root / "pyproject.toml").exists():
|
115
|
+
logger.info(f"Found pyproject.toml in {project_root}, installing dependencies.")
|
116
|
+
cmd = [uv_executable, "pip", "install", ".", "--target", str(target_install_dir)]
|
117
|
+
elif (project_root / "requirements.txt").exists():
|
118
|
+
logger.info(f"Found requirements.txt in {project_root}, installing dependencies.")
|
119
|
+
cmd = [
|
120
|
+
uv_executable,
|
121
|
+
"pip",
|
122
|
+
"install",
|
123
|
+
"-r",
|
124
|
+
"requirements.txt",
|
125
|
+
"--target",
|
126
|
+
str(target_install_dir),
|
127
|
+
]
|
128
|
+
else:
|
129
|
+
logger.debug(f"No dependency file found in {project_root}. Skipping dependency installation.")
|
130
|
+
return
|
131
|
+
|
132
|
+
try:
|
133
|
+
result = subprocess.run(cmd, capture_output=True, text=True, check=True, cwd=project_root)
|
134
|
+
if result.stdout:
|
135
|
+
logger.info(f"Dependency installation stdout:\n{result.stdout}")
|
136
|
+
if result.stderr:
|
137
|
+
logger.warning(f"Dependency installation stderr:\n{result.stderr}")
|
138
|
+
except subprocess.CalledProcessError as e:
|
139
|
+
logger.error(f"Dependency installation failed for project at '{project_root}': {e}")
|
140
|
+
logger.error(f"Command stdout:\n{e.stdout}")
|
141
|
+
logger.error(f"Command stderr:\n{e.stderr}")
|
142
|
+
raise RuntimeError(f"Failed to install dependencies for {project_root}") from e
|
143
|
+
|
144
|
+
|
145
|
+
def _load_class_from_project_root(project_root: Path, config: AppConfig) -> type[BaseApplication]:
|
146
|
+
"""Internal helper to load an application class from a local project directory."""
|
147
|
+
logger.debug(f"Attempting to load '{config.name}' from project root: {project_root}")
|
148
|
+
src_path = project_root / "src"
|
149
|
+
if not src_path.is_dir():
|
150
|
+
raise FileNotFoundError(f"Required 'src' directory not found in project at {project_root}")
|
151
|
+
|
152
|
+
install_dependencies_from_path(project_root, UNIVERSAL_MCP_HOME)
|
153
|
+
|
154
|
+
if str(src_path) not in sys.path:
|
155
|
+
sys.path.insert(0, str(src_path))
|
156
|
+
logger.debug(f"Added to sys.path: {src_path}")
|
157
|
+
|
158
|
+
module_path_str = get_default_module_path(config.name)
|
159
|
+
class_name_str = get_default_class_name(config.name)
|
160
|
+
|
161
|
+
try:
|
162
|
+
module = importlib.import_module(module_path_str)
|
163
|
+
importlib.reload(module) # Reload to pick up changes
|
164
|
+
app_class = getattr(module, class_name_str)
|
165
|
+
return app_class
|
166
|
+
except (ModuleNotFoundError, AttributeError) as e:
|
167
|
+
logger.error(f"Failed to load module/class '{module_path_str}.{class_name_str}': {e}")
|
168
|
+
raise
|
169
|
+
|
170
|
+
|
171
|
+
# --- Application Loaders ---
|
172
|
+
|
173
|
+
|
174
|
+
def load_app_from_package(config: AppConfig) -> type[BaseApplication]:
|
175
|
+
"""Loads an application from a pip-installable package."""
|
176
|
+
logger.debug(f"Loading '{config.name}' as a package.")
|
177
|
+
slug = config.name
|
178
|
+
repository_path = get_default_repository_path(slug)
|
179
|
+
package_name = get_default_package_name(slug)
|
180
|
+
install_or_upgrade_package(package_name, repository_path)
|
181
|
+
|
182
|
+
module_path_str = get_default_module_path(slug)
|
183
|
+
class_name_str = get_default_class_name(slug)
|
184
|
+
module = importlib.import_module(module_path_str)
|
185
|
+
return getattr(module, class_name_str)
|
186
|
+
|
187
|
+
|
188
|
+
def load_app_from_local_folder(config: AppConfig) -> type[BaseApplication]:
|
189
|
+
"""Loads an application from a local folder path."""
|
190
|
+
project_path = Path(config.source_path).resolve()
|
191
|
+
return _load_class_from_project_root(project_path, config)
|
192
|
+
|
193
|
+
|
194
|
+
def load_app_from_remote_zip(config: AppConfig) -> type[BaseApplication]:
|
195
|
+
"""Downloads, caches, and loads an application from a remote .zip file."""
|
196
|
+
url_hash = hashlib.sha256(config.source_path.encode()).hexdigest()[:16]
|
197
|
+
project_path = REMOTE_CACHE_DIR / f"{config.name}-{url_hash}"
|
198
|
+
|
199
|
+
if not project_path.exists():
|
200
|
+
logger.info(f"Downloading remote project for '{config.name}' from {config.source_path}")
|
201
|
+
project_path.mkdir(parents=True, exist_ok=True)
|
202
|
+
response = httpx.get(config.source_path, follow_redirects=True, timeout=120)
|
203
|
+
response.raise_for_status()
|
204
|
+
with zipfile.ZipFile(io.BytesIO(response.content)) as z:
|
205
|
+
z.extractall(project_path)
|
206
|
+
logger.info(f"Extracted remote project to {project_path}")
|
207
|
+
|
208
|
+
return _load_class_from_project_root(project_path, config)
|
209
|
+
|
210
|
+
|
211
|
+
def load_app_from_remote_file(config: AppConfig) -> type[BaseApplication]:
|
212
|
+
"""Downloads, caches, and loads an application from a remote Python file."""
|
213
|
+
logger.debug(f"Loading '{config.name}' as a remote file from {config.source_path}")
|
214
|
+
url_hash = hashlib.sha256(config.source_path.encode()).hexdigest()[:16]
|
215
|
+
cached_file_path = REMOTE_CACHE_DIR / f"{config.name}-{url_hash}.py"
|
216
|
+
|
217
|
+
if not cached_file_path.exists():
|
218
|
+
logger.info(f"Downloading remote file for '{config.name}' from {config.source_path}")
|
219
|
+
try:
|
220
|
+
response = httpx.get(config.source_path, follow_redirects=True, timeout=60)
|
221
|
+
response.raise_for_status()
|
222
|
+
cached_file_path.write_text(response.text, encoding="utf-8")
|
223
|
+
logger.info(f"Cached remote file to {cached_file_path}")
|
224
|
+
except httpx.HTTPStatusError as e:
|
225
|
+
logger.error(f"Failed to download remote file: {e.response.status_code} {e.response.reason_phrase}")
|
226
|
+
raise
|
227
|
+
except Exception as e:
|
228
|
+
logger.error(f"An unexpected error occurred during download: {e}")
|
229
|
+
raise
|
230
|
+
|
231
|
+
if not cached_file_path.stat().st_size > 0:
|
232
|
+
raise ImportError(f"Remote file at {cached_file_path} is empty.")
|
233
|
+
|
234
|
+
module_name = f"remote_app_{config.name}_{url_hash}"
|
235
|
+
spec = importlib.util.spec_from_file_location(module_name, cached_file_path)
|
236
|
+
if spec is None or spec.loader is None:
|
237
|
+
raise ImportError(f"Could not create module spec for {cached_file_path}")
|
238
|
+
|
239
|
+
module = importlib.util.module_from_spec(spec)
|
240
|
+
sys.modules[module_name] = module
|
241
|
+
spec.loader.exec_module(module)
|
242
|
+
|
243
|
+
for name, obj in inspect.getmembers(module, inspect.isclass):
|
244
|
+
if obj.__module__ == module_name and issubclass(obj, BaseApplication) and obj is not BaseApplication:
|
245
|
+
logger.debug(f"Found application class '{name}' defined in remote file for '{config.name}'.")
|
246
|
+
return obj
|
247
|
+
|
248
|
+
raise ImportError(f"No class inheriting from BaseApplication found in remote file {config.source_path}")
|
249
|
+
|
250
|
+
|
251
|
+
def load_app_from_local_file(config: AppConfig) -> type[BaseApplication]:
|
252
|
+
"""Loads an application from a local Python file."""
|
253
|
+
logger.debug(f"Loading '{config.name}' as a local file from {config.source_path}")
|
254
|
+
local_file_path = Path(config.source_path).resolve()
|
255
|
+
|
256
|
+
if not local_file_path.is_file():
|
257
|
+
raise FileNotFoundError(f"Local file not found at: {local_file_path}")
|
258
|
+
|
259
|
+
if not local_file_path.stat().st_size > 0:
|
260
|
+
raise ImportError(f"Local file at {local_file_path} is empty.")
|
261
|
+
|
262
|
+
path_hash = hashlib.sha256(str(local_file_path).encode()).hexdigest()[:16]
|
263
|
+
module_name = f"local_app_{config.name}_{path_hash}"
|
264
|
+
|
265
|
+
spec = importlib.util.spec_from_file_location(module_name, local_file_path)
|
266
|
+
if spec is None or spec.loader is None:
|
267
|
+
raise ImportError(f"Could not create module spec for {local_file_path}")
|
268
|
+
|
269
|
+
module = importlib.util.module_from_spec(spec)
|
270
|
+
sys.modules[module_name] = module
|
271
|
+
spec.loader.exec_module(module)
|
272
|
+
|
273
|
+
for name, obj in inspect.getmembers(module, inspect.isclass):
|
274
|
+
if obj.__module__ == module_name and issubclass(obj, BaseApplication) and obj is not BaseApplication:
|
275
|
+
logger.debug(f"Found application class '{name}' in local file for '{config.name}'.")
|
276
|
+
return obj
|
277
|
+
|
278
|
+
raise ImportError(f"No class inheriting from BaseApplication found in local file {config.source_path}")
|
@@ -6,7 +6,7 @@ from pathlib import Path
|
|
6
6
|
|
7
7
|
from loguru import logger
|
8
8
|
|
9
|
-
from universal_mcp.utils.openapi.openapi import generate_api_client, load_schema
|
9
|
+
from universal_mcp.utils.openapi.openapi import generate_api_client, generate_schemas_file, load_schema
|
10
10
|
|
11
11
|
|
12
12
|
def echo(message: str, err: bool = False) -> None:
|
@@ -81,18 +81,17 @@ def generate_api_from_schema(
|
|
81
81
|
output_path: Path | None = None,
|
82
82
|
class_name: str | None = None,
|
83
83
|
filter_config_path: str | None = None,
|
84
|
-
) -> tuple[Path, Path]:
|
84
|
+
) -> tuple[Path, Path] | dict:
|
85
85
|
"""
|
86
|
-
Generate API client from OpenAPI schema and write to app.py
|
86
|
+
Generate API client from OpenAPI schema and write to app.py and schemas.py.
|
87
87
|
|
88
88
|
Steps:
|
89
89
|
1. Parse and validate the OpenAPI schema.
|
90
|
-
2. Generate client code.
|
90
|
+
2. Generate client code and schemas.
|
91
91
|
3. Ensure output directory exists.
|
92
|
-
4. Write code to
|
93
|
-
5. Copy/overwrite intermediate
|
94
|
-
6. Format the final
|
95
|
-
7. Collect tools and generate README.md.
|
92
|
+
4. Write code to intermediate files and perform basic import checks.
|
93
|
+
5. Copy/overwrite intermediate files to app.py and schemas.py.
|
94
|
+
6. Format the final files with Black.
|
96
95
|
"""
|
97
96
|
# Local imports for logging and file operations
|
98
97
|
|
@@ -106,10 +105,13 @@ def generate_api_from_schema(
|
|
106
105
|
logger.error("Failed to load or validate schema: %s", e)
|
107
106
|
raise
|
108
107
|
|
109
|
-
# 2. Generate client code
|
108
|
+
# 2. Generate client code and schemas
|
110
109
|
try:
|
111
110
|
code = generate_api_client(schema, class_name, filter_config_path)
|
112
111
|
logger.info("API client code generated.")
|
112
|
+
|
113
|
+
schemas_code = generate_schemas_file(schema, class_name, filter_config_path)
|
114
|
+
logger.info("Schemas code generated.")
|
113
115
|
except Exception as e:
|
114
116
|
logger.error("Code generation failed: %s", e)
|
115
117
|
raise
|
@@ -117,7 +119,7 @@ def generate_api_from_schema(
|
|
117
119
|
# If no output_path provided, return raw code
|
118
120
|
if not output_path:
|
119
121
|
logger.debug("No output_path provided, returning code as string.")
|
120
|
-
return {"code": code}
|
122
|
+
return {"code": code, "schemas_code": schemas_code}
|
121
123
|
|
122
124
|
# 3. Ensure output directory exists
|
123
125
|
target_dir = output_path
|
@@ -125,25 +127,37 @@ def generate_api_from_schema(
|
|
125
127
|
logger.info("Creating output directory: %s", target_dir)
|
126
128
|
target_dir.mkdir(parents=True, exist_ok=True)
|
127
129
|
|
128
|
-
# 4. Write to intermediate
|
130
|
+
# 4. Write to intermediate files and perform basic checks
|
129
131
|
gen_file = target_dir / "app_generated.py"
|
132
|
+
schemas_gen_file = target_dir / "schemas_generated.py"
|
133
|
+
|
130
134
|
logger.info("Writing generated code to intermediate file: %s", gen_file)
|
131
135
|
with open(gen_file, "w") as f:
|
132
136
|
f.write(code)
|
133
137
|
|
134
|
-
|
135
|
-
|
138
|
+
logger.info("Writing schemas code to intermediate file: %s", schemas_gen_file)
|
139
|
+
with open(schemas_gen_file, "w") as f:
|
140
|
+
f.write(schemas_code)
|
141
|
+
|
142
|
+
# Test schemas file first (no relative imports)
|
143
|
+
if not test_correct_output(schemas_gen_file):
|
144
|
+
logger.error("Generated schemas validation failed for '%s'. Aborting generation.", schemas_gen_file)
|
136
145
|
logger.info("Next steps:")
|
137
146
|
logger.info(" 1) Review your OpenAPI schema for potential mismatches.")
|
138
147
|
logger.info(
|
139
148
|
" 2) Inspect '%s' for syntax or logic errors in the generated code.",
|
140
|
-
|
149
|
+
schemas_gen_file,
|
141
150
|
)
|
142
151
|
logger.info(" 3) Correct the issues and re-run the command.")
|
143
152
|
return {"error": "Validation failed. See logs above for detailed instructions."}
|
144
153
|
|
145
|
-
#
|
154
|
+
# Skip testing app file since it has relative imports - just do a basic syntax check
|
155
|
+
logger.info("Skipping detailed validation for app file due to relative imports.")
|
156
|
+
|
157
|
+
# 5. Copy to final files (overwrite if exists)
|
146
158
|
app_file = target_dir / "app.py"
|
159
|
+
schemas_file = target_dir / "schemas.py"
|
160
|
+
|
147
161
|
if app_file.exists():
|
148
162
|
logger.warning("Overwriting existing file: %s", app_file)
|
149
163
|
else:
|
@@ -151,14 +165,28 @@ def generate_api_from_schema(
|
|
151
165
|
shutil.copy(gen_file, app_file)
|
152
166
|
logger.info("App file written to: %s", app_file)
|
153
167
|
|
154
|
-
|
168
|
+
if schemas_file.exists():
|
169
|
+
logger.warning("Overwriting existing file: %s", schemas_file)
|
170
|
+
else:
|
171
|
+
logger.info("Creating new file: %s", schemas_file)
|
172
|
+
shutil.copy(schemas_gen_file, schemas_file)
|
173
|
+
logger.info("Schemas file written to: %s", schemas_file)
|
174
|
+
|
175
|
+
# 6. Format the final files with Black
|
155
176
|
format_with_black(app_file)
|
177
|
+
format_with_black(schemas_file)
|
156
178
|
|
157
|
-
# Cleanup intermediate
|
179
|
+
# Cleanup intermediate files
|
158
180
|
try:
|
159
181
|
os.remove(gen_file)
|
160
182
|
logger.debug("Cleaned up intermediate file: %s", gen_file)
|
161
183
|
except Exception as e:
|
162
184
|
logger.warning("Could not remove intermediate file %s: %s", gen_file, e)
|
163
185
|
|
164
|
-
|
186
|
+
try:
|
187
|
+
os.remove(schemas_gen_file)
|
188
|
+
logger.debug("Cleaned up intermediate schemas file: %s", schemas_gen_file)
|
189
|
+
except Exception as e:
|
190
|
+
logger.warning("Could not remove intermediate schemas file %s: %s", schemas_gen_file, e)
|
191
|
+
|
192
|
+
return app_file, schemas_file
|