parishad 0.1.4__py3-none-any.whl → 0.1.5__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.
parishad/__init__.py CHANGED
@@ -5,7 +5,7 @@ Parishad orchestrates multiple local language models into a structured "council"
5
5
  that achieves higher reliability than a single model under strict compute budgets.
6
6
  """
7
7
 
8
- __version__ = "0.1.4"
8
+ __version__ = "0.1.5"
9
9
 
10
10
  from .orchestrator.engine import Parishad, ParishadEngine, PipelineConfig
11
11
  from .models.runner import ModelRunner, ModelConfig
parishad/cli/main.py CHANGED
@@ -189,6 +189,11 @@ def cli(ctx):
189
189
  config - View or modify configuration
190
190
  sthapana - स्थापना (Setup) - Configure your Parishad Sabha
191
191
  """
192
+ if ctx.invoked_subcommand != "init":
193
+ # Check backend installation (skip for init/config commands if needed, but safer to just check)
194
+ from ..utils.installer import check_and_install_backend
195
+ check_and_install_backend()
196
+
192
197
  if ctx.invoked_subcommand is None:
193
198
  # First run - ask for permissions
194
199
  if is_first_run():
@@ -3,7 +3,7 @@
3
3
  # Uses 2 model slots: mid + big
4
4
 
5
5
  name: "parishad-core"
6
- version: "0.1.4"
6
+ version: "0.1.5"
7
7
  description: "Balanced 8-role pipeline: Madhya Sabha with extended council"
8
8
 
9
9
  # Role definitions
@@ -3,7 +3,7 @@
3
3
  # Uses 3 model slots: small + mid + big
4
4
 
5
5
  name: "parishad-extended"
6
- version: "0.1.4"
6
+ version: "0.1.5"
7
7
  description: "Maha Sabha: Full 10-role council including Lateral Thinker (Vidushak)"
8
8
 
9
9
  # Role definitions
@@ -3,7 +3,7 @@
3
3
  # Laghu Sabha matches standard structure but uses smaller/faster models
4
4
 
5
5
  name: "parishad-fast"
6
- version: "0.1.4"
6
+ version: "0.1.5"
7
7
  description: "Fast 5-role pipeline: Analyze -> Plan -> Execute -> Check -> Judge"
8
8
 
9
9
  # Role definitions
parishad/data/models.json CHANGED
@@ -1,5 +1,5 @@
1
1
  {
2
- "version": "0.1.4",
2
+ "version": "0.1.5",
3
3
  "updated": "2024-12-30",
4
4
  "sources": {
5
5
  "ollama": {
@@ -21,7 +21,7 @@ class RoleSpec:
21
21
  name: str
22
22
  class_name: str
23
23
  slot: str
24
- version: str = "0.1.4"
24
+ version: str = "0.1.5"
25
25
  budget_tokens: int = 1000
26
26
  dependencies: list[str] = field(default_factory=list)
27
27
  max_tokens: Optional[int] = None
@@ -110,7 +110,7 @@ def load_pipeline_config(name: str, config_dir: Optional[Path] = None) -> list[R
110
110
  name=role_name.lower(), # Always store as lowercase for consistent lookups
111
111
  class_name=role_config.get("class", role_name.capitalize()),
112
112
  slot=role_config.get("slot", "mid"),
113
- version=role_config.get("version", "0.1.4"),
113
+ version=role_config.get("version", "0.1.5"),
114
114
  budget_tokens=role_config.get("budget_tokens", 1000),
115
115
  dependencies=role_config.get("dependencies", []),
116
116
  max_tokens=role_config.get("max_tokens"),
@@ -0,0 +1,86 @@
1
+
2
+ import subprocess
3
+ import sys
4
+ import platform
5
+ import os
6
+ import importlib.util
7
+ from rich.console import Console
8
+
9
+ console = Console()
10
+
11
+ def check_and_install_backend():
12
+ """
13
+ Check if llama-cpp-python is installed.
14
+ If not, automatically install it using pre-built wheels or optimal settings.
15
+ """
16
+ if importlib.util.find_spec("llama_cpp") is not None:
17
+ return
18
+
19
+ console.print("\n[bold yellow]⚠️ Core backend (llama-cpp-python) is missing.[/bold yellow]")
20
+ console.print("[dim]Parishad needs this to run local models.[/dim]")
21
+
22
+ system = platform.system()
23
+
24
+ # 1. Windows: The main pain point. Use pre-built wheels.
25
+ if system == "Windows":
26
+ console.print("\n[cyan]🪟 Windows detected. Scanning for NVIDIA GPU...[/cyan]")
27
+
28
+ use_cuda = False
29
+ try:
30
+ # Simple check for nvcc
31
+ subprocess.run(["nvcc", "--version"], check=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
32
+ console.print("[green]✓ CUDA Toolkit detected (nvcc found).[/green]")
33
+ use_cuda = True
34
+ except (subprocess.CalledProcessError, FileNotFoundError):
35
+ console.print("[yellow]! CUDA not found. Defaulting to CPU.[/yellow]")
36
+ console.print("[dim](If you have an NVIDIA GPU, install CUDA Toolkit 12.x for 10x speed)[/dim]")
37
+
38
+ console.print(f"\n[bold green]🚀 Auto-installing optimized backend for {'CUDA 12.x' if use_cuda else 'CPU'}...[/bold green]")
39
+ console.print("[dim]This may take a minute...[/dim]\n")
40
+
41
+ cmd = [sys.executable, "-m", "pip", "install", "llama-cpp-python"]
42
+ cmd.extend(["--prefer-binary", "--extra-index-url"])
43
+
44
+ if use_cuda:
45
+ # Use cu124 wheels (compatible with most modern 12.x)
46
+ cmd.append("https://abetlen.github.io/llama-cpp-python/whl/cu124")
47
+ else:
48
+ cmd.append("https://abetlen.github.io/llama-cpp-python/whl/cpu")
49
+
50
+ try:
51
+ subprocess.check_call(cmd)
52
+ console.print("\n[bold green]✓ Backend installed successfully![/bold green]")
53
+ except subprocess.CalledProcessError:
54
+ console.print("\n[bold red]❌ Installation failed.[/bold red]")
55
+ console.print("Please copy-paste this command manually:")
56
+ console.print(f" {' '.join(cmd)}")
57
+ sys.exit(1)
58
+
59
+ # 2. Mac: Enable Metal
60
+ elif system == "Darwin":
61
+ console.print("\n[cyan]🍎 Mac detected. Installing with Metal (GPU) support...[/cyan]")
62
+
63
+ env = os.environ.copy()
64
+ env["CMAKE_ARGS"] = "-DGGML_METAL=on"
65
+
66
+ cmd = [sys.executable, "-m", "pip", "install", "llama-cpp-python"]
67
+
68
+ try:
69
+ subprocess.check_call(cmd, env=env)
70
+ console.print("\n[bold green]✓ Backend installed successfully![/bold green]")
71
+ except subprocess.CalledProcessError:
72
+ console.print("\n[bold red]❌ Installation failed.[/bold red]")
73
+ sys.exit(1)
74
+
75
+ # 3. Linux: Standard install
76
+ else:
77
+ console.print("\n[cyan]🐧 Linux detected. Installing from PyPI...[/cyan]")
78
+ cmd = [sys.executable, "-m", "pip", "install", "llama-cpp-python"]
79
+ try:
80
+ subprocess.check_call(cmd)
81
+ console.print("\n[bold green]✓ Backend installed successfully![/bold green]")
82
+ except subprocess.CalledProcessError:
83
+ sys.exit(1)
84
+
85
+ # clear some space
86
+ print()
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: parishad
3
- Version: 0.1.4
3
+ Version: 0.1.5
4
4
  Summary: A cost-aware, local-first council of heterogeneous LLMs for reliable reasoning, coding, and factual correctness
5
5
  Project-URL: Homepage, https://github.com/parishad-council/parishad
6
6
  Project-URL: Documentation, https://github.com/parishad-council/parishad#readme
@@ -1,4 +1,4 @@
1
- parishad/__init__.py,sha256=ZhtPIWut7lisg3Kie8Dk86EHTPax5nGifzaPT-ksK7I,1199
1
+ parishad/__init__.py,sha256=Qe1HpLgNjNNMZve7X2UZO0RhLpDQkHhtqSYOespV22s,1199
2
2
  parishad/__main__.py,sha256=0qrXs91zon0xM17c5HTrkiSBZwiRfMJV2jOo0qP7MJ8,146
3
3
  parishad/checker/__init__.py,sha256=m-Vl5emTwJWumsIbLY7g5pslU9m1uTcJNAxnGJPbkJU,540
4
4
  parishad/checker/deterministic.py,sha256=reXH8aew_pBGn85MRMQcHRzi6fWU_JaGniimYUqsly0,20477
@@ -6,16 +6,16 @@ parishad/checker/ensemble.py,sha256=ozJwmQFNY4ojcYB3I0o5-3xUk43tdDqHm-jGVgO6Bhg,
6
6
  parishad/checker/retrieval.py,sha256=jQ5Zf38Y1rcBrhmAOyNs4sTHFwF98Iqugsw1rGLHPks,16974
7
7
  parishad/cli/__init__.py,sha256=iI_jctu7iGt7SZMfdkAQ75eFORLjy4soWC9DMzV8WaI,67
8
8
  parishad/cli/code.py,sha256=P3sLqIXNLH_9cfxHZU-doPygCg_0KgffWwxDMpDMxdA,118649
9
- parishad/cli/main.py,sha256=vmCV1O1u5fqWmMIjjzECeMOgUayGoI8n_oCaRgmf_Nw,38267
9
+ parishad/cli/main.py,sha256=qTegCLubN38iYivhrvdJFz-akwyWAKEOegq9XioTeuY,38513
10
10
  parishad/cli/prarambh.py,sha256=4vvRzJHWC6ECPdL4IKv5laZDy4v3ZYDq4vjqu3Hll30,4296
11
11
  parishad/cli/sthapana.py,sha256=Sxk-TA-WCKW2CSPBQPhhEgaON60HKVDUaMorFjc-BNQ,13534
12
12
  parishad/config/modes.py,sha256=eh4B5ZUUPN6HqYAj5hLudTqkyxBHKhIsx_Q_BvSduGk,4066
13
- parishad/config/pipeline.core.yaml,sha256=jq7hIpxjDmUiS-NWRZyIRj1ElNGpllAdEXFSbBPepsE,2960
14
- parishad/config/pipeline.extended.yaml,sha256=BOcAc_TFNdEfDOSe9AKVAzZLc7gCMY1Mhv1oVFUimf4,4187
15
- parishad/config/pipeline.fast.yaml,sha256=UIurOFIipModXsRpAM92whrzgmDxKAUhArjIMzLuOCo,2050
13
+ parishad/config/pipeline.core.yaml,sha256=BKvMUfwoZRahRqp70kI-5YBoNiSsT8n94Kaup8w8l6Q,2960
14
+ parishad/config/pipeline.extended.yaml,sha256=T2vlv9lz-XNKiDZVAcZrMKIuCOHtEKVUbVj06vaVspE,4187
15
+ parishad/config/pipeline.fast.yaml,sha256=72Sp7k2Zvf3c1yjIGx29uwtNw5Y-yp4SewVPQF7S488,2050
16
16
  parishad/config/user_config.py,sha256=aKgiILWKDc3_OYaZz-u9a4Pm1PP1EULeX-q6KqMbcho,3165
17
17
  parishad/data/catalog.py,sha256=hnhyHlAuETzXf1hlP_snXYhjq2nZG9Ab2OGXeMyYlDY,4623
18
- parishad/data/models.json,sha256=xoft6sV0DF5ptqUd5mP4QQfc7jMuWT_Q95TllFRBTUo,19388
18
+ parishad/data/models.json,sha256=P8xk1byW70QbBoGwfGkDhYmoBulU1oH8baLKTbOTp5I,19388
19
19
  parishad/memory/__init__.py,sha256=AJEa0RNcqjep_3mkYniuhK-ZUj1mshCk0rPTrCQrxhY,2687
20
20
  parishad/models/__init__.py,sha256=v0CqeJ69qwkUw4nC63VH6QOx4v8Mce1_akb-1VvzTa4,3682
21
21
  parishad/models/costs.py,sha256=2ngHV1HsDkuUsTK8QCJGqXlJUWOlVVgoO72K8oJ0ZrA,11393
@@ -34,7 +34,7 @@ parishad/models/backends/ollama.py,sha256=nyk7rxDXn6Cw03S6Z9Cm3SxaZp09m-1qf6JE1T
34
34
  parishad/models/backends/openai_api.py,sha256=9CmBvhQEcPX0R1RtQnHWVcTdH9wMT6Pu1acF2vy8C2o,6041
35
35
  parishad/models/backends/transformers_hf.py,sha256=z-nw18yY62BorAawrand59GgD_0dmnYqibQGcP6sadQ,6619
36
36
  parishad/orchestrator/__init__.py,sha256=a52VEdW_98XwD3FseRu_9_sKagFs6z5PtXS_o4j2fbs,413
37
- parishad/orchestrator/config_loader.py,sha256=7rWHpJ7PzCb_A8A3sFZV2foVTJqqRpnM74kVni4ZJjc,6975
37
+ parishad/orchestrator/config_loader.py,sha256=JwE1867HU9L3aTorxO9hPvTGFtDJJloMwfpbp75uJ0g,6975
38
38
  parishad/orchestrator/engine.py,sha256=WAKcHqG20tRqt-Hg62iR-TOswmgc0Y0OclSuSlZe0lA,45644
39
39
  parishad/orchestrator/exceptions.py,sha256=jLNkoKvhuKny2upGv04L7Dj4SAi0umVRC0RAukX5BBM,391
40
40
  parishad/roles/__init__.py,sha256=OF8Zb-yNP9nX0gS9gnYkt0QoG_KyHYwtw_OiWplFnxc,1171
@@ -57,12 +57,13 @@ parishad/tools/retrieval.py,sha256=WGoji7n5pKgww3iBNN68UelSCOePxLIf33hQXu3RGlA,2
57
57
  parishad/tools/shell.py,sha256=RFESJun8TmaB97yaWl9LpsTrr-flR0EoqTs1wast7Xc,3258
58
58
  parishad/utils/__init__.py,sha256=vRipAnXqboRXUMY2RvUuYVemwKxUDxgovjyyazvTYbo,218
59
59
  parishad/utils/hardware.py,sha256=UngDKW8g-8ztEnCKiYTRX5AZBhoopts_n7nH_hSk3fU,3475
60
+ parishad/utils/installer.py,sha256=fKLimRQBNk-o4ApDmkaHEK31maLQW-sgjwB7ywFKx2w,3483
60
61
  parishad/utils/logging.py,sha256=TT16YB6cOhBPyo9a6dZRww3SjStrZKihdtq9hwqBXJo,2144
61
62
  parishad/utils/scanner.py,sha256=8wxaNgH3i_T4AdyBuLr9L4KcQ_AORguA6xvnOIyem8k,5841
62
63
  parishad/utils/text.py,sha256=S_3Ox4T3C87XfyXdR2b3JMatpCiOozaqPUbVic7OIFM,1617
63
64
  parishad/utils/tracing.py,sha256=x35BmMO9M83dVCy73kYqkOFE4zKMrUFe_RuV8qIWJaM,4304
64
- parishad-0.1.4.dist-info/METADATA,sha256=G9FqrfIPHdzDZMuhADC2kdDE_uZ8j9ys0h63-lmxdrI,11081
65
- parishad-0.1.4.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
66
- parishad-0.1.4.dist-info/entry_points.txt,sha256=cCF4Bg5sLxlLMJhnOnWNua3XYzAGlL5ri-55y0fWPek,51
67
- parishad-0.1.4.dist-info/licenses/LICENSE,sha256=Xow-fDHX9pzrvBkPHImvQa-Uc1g6BDbz9IE4jPfB6D0,1073
68
- parishad-0.1.4.dist-info/RECORD,,
65
+ parishad-0.1.5.dist-info/METADATA,sha256=arx-ShPOOFtNy9K-7tJKHfx213PBPxY-JKdiAMjDHTM,11081
66
+ parishad-0.1.5.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
67
+ parishad-0.1.5.dist-info/entry_points.txt,sha256=cCF4Bg5sLxlLMJhnOnWNua3XYzAGlL5ri-55y0fWPek,51
68
+ parishad-0.1.5.dist-info/licenses/LICENSE,sha256=Xow-fDHX9pzrvBkPHImvQa-Uc1g6BDbz9IE4jPfB6D0,1073
69
+ parishad-0.1.5.dist-info/RECORD,,