quantalogic 0.2.27__py3-none-any.whl → 0.2.30__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.
quantalogic/main.py CHANGED
@@ -23,9 +23,52 @@ from quantalogic.agent_config import ( # noqa: E402
23
23
  )
24
24
  from quantalogic.task_runner import task_runner # noqa: E402
25
25
 
26
+ # Platform-specific imports
27
+ try:
28
+ if sys.platform == 'win32':
29
+ import msvcrt # Built-in Windows module
30
+ else:
31
+ import termios
32
+ import tty
33
+ except ImportError as e:
34
+ logger.warning(f"Could not import platform-specific module: {e}")
35
+ # Fall back to basic terminal handling if imports fail
36
+ msvcrt = None
37
+ termios = None
38
+ tty = None
39
+
26
40
  AGENT_MODES = ["code", "basic", "interpreter", "full", "code-basic", "search", "search-full"]
27
41
 
28
42
 
43
+ def setup_terminal():
44
+ """Configure terminal settings based on platform."""
45
+ if sys.platform == 'win32':
46
+ if msvcrt:
47
+ return None # Windows terminal is already configured
48
+ logger.warning("msvcrt module not available on Windows")
49
+ return None
50
+ else:
51
+ if termios and tty:
52
+ try:
53
+ fd = sys.stdin.fileno()
54
+ old_settings = termios.tcgetattr(fd)
55
+ tty.setraw(fd)
56
+ return old_settings
57
+ except (termios.error, AttributeError) as e:
58
+ logger.warning(f"Failed to configure terminal: {e}")
59
+ return None
60
+ return None
61
+
62
+
63
+ def restore_terminal(old_settings):
64
+ """Restore terminal settings based on platform."""
65
+ if sys.platform != 'win32' and termios and old_settings:
66
+ try:
67
+ termios.tcsetattr(sys.stdin.fileno(), termios.TCSADRAIN, old_settings)
68
+ except (termios.error, AttributeError) as e:
69
+ logger.warning(f"Failed to restore terminal settings: {e}")
70
+
71
+
29
72
  @click.group(invoke_without_command=True)
30
73
  @click.option(
31
74
  "--compact-every-n-iteration",
@@ -181,8 +224,12 @@ def task(
181
224
 
182
225
 
183
226
  def main():
184
- """Main Entry point"""
185
- cli()
227
+ """Main entry point."""
228
+ old_settings = setup_terminal()
229
+ try:
230
+ cli() # type: ignore
231
+ finally:
232
+ restore_terminal(old_settings)
186
233
 
187
234
 
188
235
  if __name__ == "__main__":
@@ -1,14 +1,27 @@
1
- """Tool for executing bash commands and capturing their output."""
1
+ """Tool for executing bash commands with interactive input support."""
2
2
 
3
3
  import os
4
+ import select
5
+ import signal
4
6
  import subprocess
7
+ import sys
5
8
  from typing import Dict, Optional, Union
6
9
 
10
+ from loguru import logger
11
+
12
+ # Platform-specific imports
13
+ try:
14
+ if sys.platform != 'win32':
15
+ import pty
16
+ except ImportError as e:
17
+ logger.warning(f"Could not import platform-specific module: {e}")
18
+ pty = None
19
+
7
20
  from quantalogic.tools.tool import Tool, ToolArgument
8
21
 
9
22
 
10
23
  class ExecuteBashCommandTool(Tool):
11
- """Tool for executing bash commands and capturing their output."""
24
+ """Tool for executing bash commands with real-time I/O handling."""
12
25
 
13
26
  name: str = "execute_bash_tool"
14
27
  description: str = "Executes a bash command and returns its output."
@@ -35,82 +48,153 @@ class ExecuteBashCommandTool(Tool):
35
48
  required=False,
36
49
  example="60",
37
50
  ),
38
- # Removed the `env` argument from ToolArgument since it doesn't support `dict` type
39
51
  ]
40
52
 
41
- def execute(
53
+ def _execute_windows(
42
54
  self,
43
55
  command: str,
44
- working_dir: Optional[str] = None,
45
- timeout: Union[int, str, None] = 60,
46
- env: Optional[Dict[str, str]] = None,
56
+ cwd: str,
57
+ timeout_seconds: int,
58
+ env_vars: Dict[str, str],
47
59
  ) -> str:
48
- """Executes a bash command and returns its output.
49
-
50
- Args:
51
- command (str): The bash command to execute.
52
- working_dir (str, optional): Working directory for command execution. Defaults to the current directory.
53
- timeout (int or str, optional): Maximum execution time in seconds. Defaults to 60 seconds.
54
- env (dict, optional): Environment variables to set for the command execution. Defaults to the current environment.
55
-
56
- Returns:
57
- str: The command output or error message.
58
-
59
- Raises:
60
- subprocess.TimeoutExpired: If the command execution exceeds the timeout.
61
- subprocess.CalledProcessError: If the command returns a non-zero exit status.
62
- ValueError: If the timeout cannot be converted to an integer.
63
- """
64
- # Convert timeout to integer, defaulting to 60 if None or invalid
60
+ """Execute command on Windows platform."""
65
61
  try:
66
- timeout_seconds = int(timeout) if timeout else 60
67
- except (ValueError, TypeError):
68
- timeout_seconds = 60
69
-
70
- # Use the current working directory if no working directory is specified
71
- cwd = working_dir if working_dir else os.getcwd()
62
+ # On Windows, use subprocess with pipes
63
+ process = subprocess.Popen(
64
+ command,
65
+ shell=True,
66
+ stdin=subprocess.PIPE,
67
+ stdout=subprocess.PIPE,
68
+ stderr=subprocess.PIPE,
69
+ cwd=cwd,
70
+ env=env_vars,
71
+ text=True,
72
+ encoding='utf-8'
73
+ )
72
74
 
73
- # Use the current environment if no custom environment is specified
74
- env_vars = os.environ.copy()
75
- if env:
76
- env_vars.update(env)
75
+ try:
76
+ stdout, stderr = process.communicate(timeout=timeout_seconds)
77
+ return_code = process.returncode
78
+
79
+ if return_code != 0 and stderr:
80
+ logger.warning(f"Command failed with error: {stderr}")
81
+
82
+ formatted_result = (
83
+ "<command_output>"
84
+ f" <stdout>{stdout.strip()}</stdout>"
85
+ f" <returncode>{return_code}</returncode>"
86
+ f"</command_output>"
87
+ )
88
+ return formatted_result
89
+
90
+ except subprocess.TimeoutExpired:
91
+ process.kill()
92
+ return f"Command timed out after {timeout_seconds} seconds."
93
+
94
+ except Exception as e:
95
+ return f"Unexpected error executing command: {str(e)}"
77
96
 
97
+ def _execute_unix(
98
+ self,
99
+ command: str,
100
+ cwd: str,
101
+ timeout_seconds: int,
102
+ env_vars: Dict[str, str],
103
+ ) -> str:
104
+ """Execute command on Unix platform."""
78
105
  try:
79
- # Execute the command with specified timeout, working directory, and environment
80
- result = subprocess.run(
106
+ master, slave = pty.openpty()
107
+ proc = subprocess.Popen(
81
108
  command,
82
109
  shell=True,
110
+ stdin=slave,
111
+ stdout=slave,
112
+ stderr=subprocess.STDOUT,
83
113
  cwd=cwd,
84
- capture_output=True,
85
- text=True,
86
- timeout=timeout_seconds,
87
114
  env=env_vars,
115
+ preexec_fn=os.setsid,
116
+ close_fds=True,
88
117
  )
89
-
90
- formated_result = (
118
+ os.close(slave)
119
+
120
+ stdout_buffer = []
121
+ break_loop = False
122
+
123
+ try:
124
+ while True:
125
+ rlist, _, _ = select.select([master, sys.stdin], [], [], timeout_seconds)
126
+ if not rlist:
127
+ if proc.poll() is not None:
128
+ break # Process completed but select timed out
129
+ raise subprocess.TimeoutExpired(command, timeout_seconds)
130
+
131
+ for fd in rlist:
132
+ if fd == master:
133
+ data = os.read(master, 1024).decode()
134
+ if not data:
135
+ break_loop = True
136
+ break
137
+ stdout_buffer.append(data)
138
+ sys.stdout.write(data)
139
+ sys.stdout.flush()
140
+ elif fd == sys.stdin:
141
+ user_input = os.read(sys.stdin.fileno(), 1024)
142
+ os.write(master, user_input)
143
+
144
+ if break_loop or proc.poll() is not None:
145
+ while True:
146
+ data = os.read(master, 1024).decode()
147
+ if not data:
148
+ break
149
+ stdout_buffer.append(data)
150
+ sys.stdout.write(data)
151
+ sys.stdout.flush()
152
+ break
153
+
154
+ except subprocess.TimeoutExpired:
155
+ os.killpg(os.getpgid(proc.pid), signal.SIGTERM)
156
+ return f"Command timed out after {timeout_seconds} seconds."
157
+ except EOFError:
158
+ pass # Process exited normally
159
+ finally:
160
+ os.close(master)
161
+ proc.wait()
162
+
163
+ stdout_content = ''.join(stdout_buffer)
164
+ return_code = proc.returncode
165
+ formatted_result = (
91
166
  "<command_output>"
92
- f" <stdout>"
93
- f"{result.stdout.strip()}"
94
- f" </stdout>"
95
- f" <stderr>"
96
- f"{result.stderr.strip()}"
97
- f" </stderr>"
98
- f" <returncode>"
99
- f" {result.returncode}"
100
- f" </returncode>"
167
+ f" <stdout>{stdout_content.strip()}</stdout>"
168
+ f" <returncode>{return_code}</returncode>"
101
169
  f"</command_output>"
102
170
  )
103
-
104
- return formated_result
105
-
106
- except subprocess.TimeoutExpired:
107
- return f"Command timed out after {timeout_seconds} seconds."
108
- except subprocess.CalledProcessError as e:
109
- return f"Command failed with error: {e.stderr.strip()}"
171
+ return formatted_result
110
172
  except Exception as e:
111
173
  return f"Unexpected error executing command: {str(e)}"
112
174
 
175
+ def execute(
176
+ self,
177
+ command: str,
178
+ working_dir: Optional[str] = None,
179
+ timeout: Union[int, str, None] = 60,
180
+ env: Optional[Dict[str, str]] = None,
181
+ ) -> str:
182
+ """Executes a bash command with interactive input handling."""
183
+ timeout_seconds = int(timeout) if timeout else 60
184
+ cwd = working_dir or os.getcwd()
185
+ env_vars = os.environ.copy()
186
+ if env:
187
+ env_vars.update(env)
188
+
189
+ if sys.platform == 'win32':
190
+ return self._execute_windows(command, cwd, timeout_seconds, env_vars)
191
+ else:
192
+ if not pty:
193
+ logger.warning("PTY module not available, falling back to Windows-style execution")
194
+ return self._execute_windows(command, cwd, timeout_seconds, env_vars)
195
+ return self._execute_unix(command, cwd, timeout_seconds, env_vars)
196
+
113
197
 
114
198
  if __name__ == "__main__":
115
199
  tool = ExecuteBashCommandTool()
116
- print(tool.to_markdown())
200
+ print(tool.to_markdown())
@@ -65,7 +65,6 @@ class ReplaceInFileTool(Tool):
65
65
  )
66
66
  need_validation: bool = True
67
67
 
68
- # Adjust this threshold to allow more or less approximate matching
69
68
  SIMILARITY_THRESHOLD: float = 0.85
70
69
 
71
70
  arguments: list[ToolArgument] = [
@@ -124,6 +123,15 @@ class ReplaceInFileTool(Tool):
124
123
  ),
125
124
  ]
126
125
 
126
+ def normalize_whitespace(self, text: str) -> str:
127
+ """Normalize leading whitespace by converting tabs to spaces."""
128
+ return '\n'.join([self._normalize_line(line) for line in text.split('\n')])
129
+
130
+ def _normalize_line(self, line: str) -> str:
131
+ """Normalize leading whitespace in a single line."""
132
+ leading_ws = len(line) - len(line.lstrip())
133
+ return line.replace('\t', ' ', leading_ws) # Convert tabs to 4 spaces only in leading whitespace
134
+
127
135
  def parse_diff(self, diff: str) -> list[SearchReplaceBlock]:
128
136
  """Parses the diff string into a list of SearchReplaceBlock instances."""
129
137
  if not diff or not diff.strip():
@@ -250,6 +258,7 @@ class ReplaceInFileTool(Tool):
250
258
  except Exception as e:
251
259
  return f"Error: Failed to write changes to '{path}': {str(e) or 'Unknown error'}"
252
260
 
261
+ # Maintain original success message format
253
262
  message = [f"Successfully modified '{path}'"]
254
263
  for idx, block in enumerate(blocks, 1):
255
264
  status = "Exact match" if block.similarity is None else f"Similar match ({block.similarity:.1%})"
@@ -267,26 +276,27 @@ class ReplaceInFileTool(Tool):
267
276
  return f"Error: Unexpected error occurred - {error_msg or 'Unknown error'}"
268
277
 
269
278
  def find_similar_match(self, search: str, content: str) -> Tuple[float, str]:
270
- """Finds the most similar substring in content compared to search."""
271
- if not search or not content:
272
- return 0.0, ""
273
-
274
- search_lines = search.splitlines()
275
- content_lines = content.splitlines()
279
+ """Finds the most similar substring in content compared to search with whitespace normalization."""
280
+ norm_search = self.normalize_whitespace(search)
281
+ content_lines = content.split('\n')
282
+ norm_content = self.normalize_whitespace(content)
283
+ norm_content_lines = norm_content.split('\n')
276
284
 
277
- if len(search_lines) > len(content_lines):
285
+ if len(norm_content_lines) < len(norm_search.split('\n')):
278
286
  return 0.0, ""
279
287
 
280
288
  max_similarity = 0.0
281
289
  best_match = ""
290
+ search_line_count = len(norm_search.split('\n'))
282
291
 
283
- for i in range(len(content_lines) - len(search_lines) + 1):
284
- candidate = "\n".join(content_lines[i : i + len(search_lines)])
285
- similarity = difflib.SequenceMatcher(None, search, candidate).ratio()
292
+ for i in range(len(norm_content_lines) - search_line_count + 1):
293
+ candidate_norm = '\n'.join(norm_content_lines[i:i+search_line_count])
294
+ similarity = difflib.SequenceMatcher(None, norm_search, candidate_norm).ratio()
286
295
 
287
296
  if similarity > max_similarity:
288
297
  max_similarity = similarity
289
- best_match = candidate
298
+ # Get original lines (non-normalized) for accurate replacement
299
+ best_match = '\n'.join(content_lines[i:i+search_line_count])
290
300
 
291
301
  return max_similarity, best_match
292
302
 
@@ -297,4 +307,4 @@ class ReplaceInFileTool(Tool):
297
307
 
298
308
  if __name__ == "__main__":
299
309
  tool = ReplaceInFileTool()
300
- print(tool.to_markdown())
310
+ print(tool.to_markdown())
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: quantalogic
3
- Version: 0.2.27
3
+ Version: 0.2.30
4
4
  Summary: QuantaLogic ReAct Agents
5
5
  Author: Raphaël MANSUY
6
6
  Author-email: raphael.mansuy@gmail.com
@@ -63,8 +63,10 @@ Description-Content-Type: text/markdown
63
63
  [![Documentation](https://img.shields.io/badge/docs-latest-brightgreen.svg)](https://quantalogic.github.io/quantalogic/)
64
64
 
65
65
 
66
+
66
67
  QuantaLogic is a ReAct (Reasoning & Action) framework for building advanced AI agents.
67
68
 
69
+
68
70
  It seamlessly integrates large language models (LLMs) with a robust tool system, enabling agents to understand, reason about, and execute complex tasks through natural language interaction.
69
71
 
70
72
  The `cli` version include coding capabilities comparable to Aider.
@@ -10,7 +10,7 @@ quantalogic/event_emitter.py,sha256=jqot2g4JRXc88K6PW837Oqxbf7shZfO-xdPaUWmzupk,
10
10
  quantalogic/generative_model.py,sha256=az_kqWdEBQRROvvYZu6d68JQ4nzDbQG23gADeHLMypc,16761
11
11
  quantalogic/get_model_info.py,sha256=YCBZ8qynlq_iLUc--xBrQxacFZL9RHZPv5cdVwjukcw,602
12
12
  quantalogic/interactive_text_editor.py,sha256=_pNPnUG3Y3_YX0R9-kx0vcaUWU0AAC350jpJ5UjrTuE,6986
13
- quantalogic/main.py,sha256=YYP0DSnzlLpbyQPlQxbq-ZKIoA5ezv0kjy5LsQlT6bI,5227
13
+ quantalogic/main.py,sha256=A0ruAGy1ptYH46VHrhIFZeVUQajrIK18Zvri0Itcmi0,6765
14
14
  quantalogic/memory.py,sha256=zbtRuM05jaS2lJll-92dt5JfYVLERnF_m_9xqp2x-k0,6304
15
15
  quantalogic/model_names.py,sha256=UZlz25zG9B2dpfwdw_e1Gw5qFsKQ7iME9FJh9Ts4u6s,938
16
16
  quantalogic/prompts.py,sha256=CW4CRgW1hTpXeWdeJNbPaRPUeUm-xKuGHJrT8mOtvkw,3602
@@ -33,7 +33,7 @@ quantalogic/tools/download_http_file_tool.py,sha256=wTfanbXjIRi5-qrbluuLvNmDNhvm
33
33
  quantalogic/tools/duckduckgo_search_tool.py,sha256=xVaEb_SUK5NL3lwMQXj1rGQYYvNT-td-qaB9QCes27Q,7014
34
34
  quantalogic/tools/edit_whole_content_tool.py,sha256=nXmpAvojvqvAcqNMy1kUKZ1ocboky_ZcnCR4SNCSPgw,2360
35
35
  quantalogic/tools/elixir_tool.py,sha256=fzPPtAW-Koy9KB0r5k2zV1f1U0WphL-LXPPOBkeNkug,7652
36
- quantalogic/tools/execute_bash_command_tool.py,sha256=fnx-zSPpxR2EofaleygAorrR21gRs43jBWh7IBAoNKw,4131
36
+ quantalogic/tools/execute_bash_command_tool.py,sha256=kl3RSOZCOc-U52dwd0h6BxXvjMlAX7D0Bo2-HkCOcxo,6908
37
37
  quantalogic/tools/generate_database_report_tool.py,sha256=QbZjtmegGEOEZAIa-CSeBo5O9dYBZTk_PWrumyFUg1Q,1890
38
38
  quantalogic/tools/grep_app_tool.py,sha256=BDxygwx7WCbqbiP2jmSRnIsoIUVYG5A4SKzId524ys4,19957
39
39
  quantalogic/tools/input_question_tool.py,sha256=UoTlNhdmdr-eyiVtVCG2qJe_R4bU_ag-DzstSdmYkvM,1848
@@ -57,7 +57,7 @@ quantalogic/tools/python_tool.py,sha256=70HLbfU2clOBgj4axDOtIKzXwEBMNGEAX1nGSf-K
57
57
  quantalogic/tools/read_file_block_tool.py,sha256=FTcDAUOOPQOvWRjnRI6nMI1Upus90klR4PC0pbPP_S8,5266
58
58
  quantalogic/tools/read_file_tool.py,sha256=l6k-SOIV9krpXAmUTkxzua51S-KHgzGqkcDlD5AD8K0,2710
59
59
  quantalogic/tools/read_html_tool.py,sha256=Vq2rHY8a36z1-4rN6c_kYjPUTQ4I2UT154PMpaoWSkA,11139
60
- quantalogic/tools/replace_in_file_tool.py,sha256=n63s09Y8RXOKGjxfWw0D6F6JpQ6ERSJxVJOzmceVXLk,12953
60
+ quantalogic/tools/replace_in_file_tool.py,sha256=AM2XSF5WMI48gOyAGsnUOeW-jlyorWV182Yw_BA26_o,13719
61
61
  quantalogic/tools/ripgrep_tool.py,sha256=sRzHaWac9fa0cCGhECJN04jw_Ko0O3u45KDWzMIYcvY,14291
62
62
  quantalogic/tools/search_definition_names.py,sha256=Qj9ex226vHs8Jf-kydmTh7B_R8O5buIsJpQu3CvYw7k,18601
63
63
  quantalogic/tools/serpapi_search_tool.py,sha256=sX-Noch77kGP2XiwislPNFyy3_4TH6TwMK6C81L3q9Y,5316
@@ -85,8 +85,8 @@ quantalogic/version_check.py,sha256=cttR1lR3OienGLl7NrK1Te1fhDkqSjCci7HC1vFUTSY,
85
85
  quantalogic/welcome_message.py,sha256=IXMhem8h7srzNUwvw8G_lmEkHU8PFfote021E_BXmVk,3039
86
86
  quantalogic/xml_parser.py,sha256=uMLQNHTRCg116FwcjRoquZmSwVtE4LEH-6V2E3RD-dA,11466
87
87
  quantalogic/xml_tool_parser.py,sha256=Vz4LEgDbelJynD1siLOVkJ3gLlfHsUk65_gCwbYJyGc,3784
88
- quantalogic-0.2.27.dist-info/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
89
- quantalogic-0.2.27.dist-info/METADATA,sha256=a2770Es_XksLjabRKUzbpKVp9BVrHaob7MdUVnGH7YE,20532
90
- quantalogic-0.2.27.dist-info/WHEEL,sha256=Nq82e9rUAnEjt98J6MlVmMCZb-t9cYE2Ir1kpBmnWfs,88
91
- quantalogic-0.2.27.dist-info/entry_points.txt,sha256=h74O_Q3qBRCrDR99qvwB4BpBGzASPUIjCfxHq6Qnups,183
92
- quantalogic-0.2.27.dist-info/RECORD,,
88
+ quantalogic-0.2.30.dist-info/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
89
+ quantalogic-0.2.30.dist-info/METADATA,sha256=hjKqynOMQvyUjApchHNiYJDF5i0owdznI2gmo3TmKrs,20534
90
+ quantalogic-0.2.30.dist-info/WHEEL,sha256=Nq82e9rUAnEjt98J6MlVmMCZb-t9cYE2Ir1kpBmnWfs,88
91
+ quantalogic-0.2.30.dist-info/entry_points.txt,sha256=h74O_Q3qBRCrDR99qvwB4BpBGzASPUIjCfxHq6Qnups,183
92
+ quantalogic-0.2.30.dist-info/RECORD,,