souleyez 2.43.0__py3-none-any.whl → 2.43.2__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.
- souleyez/__init__.py +1 -1
- souleyez/docs/README.md +2 -2
- souleyez/docs/architecture/decisions/001-local-llm-over-cloud.md +2 -2
- souleyez/docs/architecture/decisions/002-master-password-approach.md +15 -11
- souleyez/docs/architecture/overview.md +5 -6
- souleyez/docs/security/credential-encryption.md +25 -7
- souleyez/docs/security/threat-model.md +1 -1
- souleyez/docs/user-guide/configuration.md +1 -1
- souleyez/docs/user-guide/dependencies.md +1 -1
- souleyez/docs/user-guide/getting-started.md +100 -90
- souleyez/docs/user-guide/installation.md +20 -31
- souleyez/main.py +1 -1
- souleyez/ui/tool_setup.py +71 -6
- souleyez/ui/tutorial.py +16 -0
- souleyez-2.43.2.dist-info/METADATA +269 -0
- {souleyez-2.43.0.dist-info → souleyez-2.43.2.dist-info}/RECORD +20 -20
- souleyez-2.43.0.dist-info/METADATA +0 -265
- {souleyez-2.43.0.dist-info → souleyez-2.43.2.dist-info}/WHEEL +0 -0
- {souleyez-2.43.0.dist-info → souleyez-2.43.2.dist-info}/entry_points.txt +0 -0
- {souleyez-2.43.0.dist-info → souleyez-2.43.2.dist-info}/licenses/LICENSE +0 -0
- {souleyez-2.43.0.dist-info → souleyez-2.43.2.dist-info}/top_level.txt +0 -0
souleyez/ui/tool_setup.py
CHANGED
|
@@ -797,22 +797,87 @@ def _install_snap_tool(console, tool: Dict) -> bool:
|
|
|
797
797
|
|
|
798
798
|
def _install_git_tool(console, tool: Dict) -> bool:
|
|
799
799
|
"""Install a tool from git (requires sudo for /opt)."""
|
|
800
|
+
import re
|
|
801
|
+
|
|
800
802
|
name = tool['name']
|
|
801
803
|
cmd = tool['install']
|
|
802
804
|
|
|
803
|
-
console.print(f" {name}..."
|
|
805
|
+
console.print(f" {name}...")
|
|
806
|
+
|
|
807
|
+
# Parse the command to handle existing directories properly
|
|
808
|
+
# Commands are typically: git clone <url> <dir> && pip install ... && ln -sf ...
|
|
809
|
+
commands = [c.strip() for c in cmd.split('&&')]
|
|
810
|
+
|
|
811
|
+
clone_cmd = None
|
|
812
|
+
post_clone_cmds = []
|
|
813
|
+
target_dir = None
|
|
814
|
+
|
|
815
|
+
for i, c in enumerate(commands):
|
|
816
|
+
if 'git clone' in c:
|
|
817
|
+
clone_cmd = c
|
|
818
|
+
post_clone_cmds = commands[i + 1:]
|
|
819
|
+
# Extract target directory from clone command
|
|
820
|
+
# Pattern: git clone <url> <directory>
|
|
821
|
+
match = re.search(r'git clone\s+\S+\s+(\S+)', c)
|
|
822
|
+
if match:
|
|
823
|
+
target_dir = match.group(1)
|
|
824
|
+
break
|
|
825
|
+
|
|
826
|
+
# If we found a git clone command and target directory
|
|
827
|
+
if clone_cmd and target_dir:
|
|
828
|
+
dir_exists = Path(target_dir).exists()
|
|
829
|
+
|
|
830
|
+
if dir_exists:
|
|
831
|
+
console.print(f" [dim]Directory {target_dir} exists, updating...[/dim]")
|
|
832
|
+
# Try to update with git pull
|
|
833
|
+
pull_cmd = f"sudo git -C {target_dir} pull"
|
|
834
|
+
success, _, stderr = _run_command(pull_cmd, console, capture=True)
|
|
835
|
+
|
|
836
|
+
if not success and "not a git repository" in stderr.lower():
|
|
837
|
+
# Directory exists but isn't a git repo - remove and re-clone
|
|
838
|
+
console.print(f" [dim]Not a git repo, re-cloning...[/dim]")
|
|
839
|
+
rm_cmd = f"sudo rm -rf {target_dir}"
|
|
840
|
+
_run_command(rm_cmd, console, capture=True)
|
|
841
|
+
success, _, stderr = _run_command(clone_cmd, console, capture=True)
|
|
842
|
+
if not success:
|
|
843
|
+
console.print(f"[red]✗[/red]")
|
|
844
|
+
if stderr:
|
|
845
|
+
console.print(f" [dim]{stderr[:80]}[/dim]")
|
|
846
|
+
return False
|
|
847
|
+
elif not success:
|
|
848
|
+
# Pull failed for other reasons, try to continue anyway
|
|
849
|
+
console.print(f" [yellow]⚠ git pull failed, continuing with existing files[/yellow]")
|
|
850
|
+
else:
|
|
851
|
+
# Directory doesn't exist, run the clone
|
|
852
|
+
success, _, stderr = _run_command(clone_cmd, console, capture=True)
|
|
853
|
+
if not success:
|
|
854
|
+
console.print(f"[red]✗[/red]")
|
|
855
|
+
if stderr:
|
|
856
|
+
console.print(f" [dim]{stderr[:80]}[/dim]")
|
|
857
|
+
return False
|
|
858
|
+
|
|
859
|
+
# Run post-clone commands (pip install, symlink, etc.)
|
|
860
|
+
for post_cmd in post_clone_cmds:
|
|
861
|
+
post_cmd = post_cmd.strip()
|
|
862
|
+
if not post_cmd:
|
|
863
|
+
continue
|
|
864
|
+
success, _, stderr = _run_command(post_cmd, console, capture=True)
|
|
865
|
+
if not success:
|
|
866
|
+
console.print(f"[red]✗[/red]")
|
|
867
|
+
if stderr:
|
|
868
|
+
console.print(f" [dim]{stderr[:80]}[/dim]")
|
|
869
|
+
return False
|
|
870
|
+
|
|
871
|
+
console.print(f" [green]✓[/green]")
|
|
872
|
+
return True
|
|
804
873
|
|
|
805
|
-
#
|
|
874
|
+
# Fallback: run the full command as-is (no git clone detected)
|
|
806
875
|
success, _, stderr = _run_command(cmd, console, capture=True)
|
|
807
876
|
|
|
808
877
|
if success:
|
|
809
878
|
console.print("[green]✓[/green]")
|
|
810
879
|
return True
|
|
811
880
|
else:
|
|
812
|
-
# Check if directory already exists
|
|
813
|
-
if "already exists" in stderr:
|
|
814
|
-
console.print("[green]✓ (already installed)[/green]")
|
|
815
|
-
return True
|
|
816
881
|
console.print(f"[red]✗[/red]")
|
|
817
882
|
if stderr:
|
|
818
883
|
console.print(f" [dim]{stderr[:80]}[/dim]")
|
souleyez/ui/tutorial.py
CHANGED
|
@@ -292,6 +292,14 @@ def _show_tutorial_complete():
|
|
|
292
292
|
click.echo(click.style("⚠️ NEVER scan systems without permission!", fg='red', bold=True))
|
|
293
293
|
click.echo()
|
|
294
294
|
|
|
295
|
+
# Always disable auto-chaining (it's a PRO feature, tutorial enabled for demo)
|
|
296
|
+
try:
|
|
297
|
+
from souleyez.core.tool_chaining import ToolChaining
|
|
298
|
+
chaining = ToolChaining()
|
|
299
|
+
chaining.disable_chaining()
|
|
300
|
+
except Exception:
|
|
301
|
+
pass
|
|
302
|
+
|
|
295
303
|
# Offer to clean up tutorial data
|
|
296
304
|
click.echo()
|
|
297
305
|
if click.confirm("Clean up tutorial engagement and jobs?", default=True):
|
|
@@ -316,6 +324,14 @@ def _cleanup_tutorial_data():
|
|
|
316
324
|
try:
|
|
317
325
|
from souleyez.storage.engagements import EngagementManager
|
|
318
326
|
from souleyez.engine.background import list_jobs, delete_job, kill_job
|
|
327
|
+
from souleyez.core.tool_chaining import ToolChaining
|
|
328
|
+
|
|
329
|
+
# Disable auto-chaining (it's a PRO feature, tutorial enabled it for demo)
|
|
330
|
+
try:
|
|
331
|
+
chaining = ToolChaining()
|
|
332
|
+
chaining.disable_chaining()
|
|
333
|
+
except Exception:
|
|
334
|
+
pass
|
|
319
335
|
|
|
320
336
|
em = EngagementManager()
|
|
321
337
|
|
|
@@ -0,0 +1,269 @@
|
|
|
1
|
+
Metadata-Version: 2.4
|
|
2
|
+
Name: souleyez
|
|
3
|
+
Version: 2.43.2
|
|
4
|
+
Summary: AI-Powered Penetration Testing Platform with 40+ integrated tools
|
|
5
|
+
Author-email: CyberSoul Security <contact@cybersoulsecurity.com>
|
|
6
|
+
Maintainer-email: CyberSoul Security <contact@cybersoulsecurity.com>
|
|
7
|
+
License: MIT
|
|
8
|
+
Project-URL: Homepage, https://github.com/cyber-soul-security/SoulEyez
|
|
9
|
+
Project-URL: Documentation, https://github.com/cyber-soul-security/SoulEyez#readme
|
|
10
|
+
Project-URL: Repository, https://github.com/cyber-soul-security/SoulEyez.git
|
|
11
|
+
Project-URL: Issues, https://github.com/cyber-soul-security/SoulEyez/issues
|
|
12
|
+
Keywords: pentesting,security,hacking,penetration-testing,cybersecurity,nmap,metasploit
|
|
13
|
+
Classifier: Development Status :: 4 - Beta
|
|
14
|
+
Classifier: Environment :: Console
|
|
15
|
+
Classifier: Environment :: Console :: Curses
|
|
16
|
+
Classifier: Intended Audience :: Developers
|
|
17
|
+
Classifier: Intended Audience :: Information Technology
|
|
18
|
+
Classifier: Intended Audience :: System Administrators
|
|
19
|
+
Classifier: License :: OSI Approved :: MIT License
|
|
20
|
+
Classifier: Operating System :: POSIX :: Linux
|
|
21
|
+
Classifier: Operating System :: MacOS
|
|
22
|
+
Classifier: Programming Language :: Python :: 3
|
|
23
|
+
Classifier: Programming Language :: Python :: 3.8
|
|
24
|
+
Classifier: Programming Language :: Python :: 3.9
|
|
25
|
+
Classifier: Programming Language :: Python :: 3.10
|
|
26
|
+
Classifier: Programming Language :: Python :: 3.11
|
|
27
|
+
Classifier: Programming Language :: Python :: 3.12
|
|
28
|
+
Classifier: Programming Language :: Python :: 3.13
|
|
29
|
+
Classifier: Topic :: Security
|
|
30
|
+
Classifier: Topic :: System :: Networking
|
|
31
|
+
Requires-Python: >=3.8
|
|
32
|
+
Description-Content-Type: text/markdown
|
|
33
|
+
License-File: LICENSE
|
|
34
|
+
Requires-Dist: anthropic>=0.40.0
|
|
35
|
+
Requires-Dist: click>=8.0.0
|
|
36
|
+
Requires-Dist: cryptography>=3.4.0
|
|
37
|
+
Requires-Dist: defusedxml>=0.7.0
|
|
38
|
+
Requires-Dist: impacket>=0.11.0
|
|
39
|
+
Requires-Dist: markdown>=3.4.0
|
|
40
|
+
Requires-Dist: msgpack>=1.0.0
|
|
41
|
+
Requires-Dist: ollama>=0.1.0
|
|
42
|
+
Requires-Dist: psycopg2-binary>=2.9.0
|
|
43
|
+
Requires-Dist: psutil>=5.9.0
|
|
44
|
+
Requires-Dist: python-json-logger>=2.0.0
|
|
45
|
+
Requires-Dist: requests>=2.28.0
|
|
46
|
+
Requires-Dist: rich>=10.0.0
|
|
47
|
+
Requires-Dist: wcwidth>=0.2.0
|
|
48
|
+
Provides-Extra: dev
|
|
49
|
+
Requires-Dist: pytest>=7.0.0; extra == "dev"
|
|
50
|
+
Dynamic: license-file
|
|
51
|
+
|
|
52
|
+
# SoulEyez — AI-Powered Penetration Testing Platform
|
|
53
|
+
|
|
54
|
+
[](https://github.com/cyber-soul-security/souleyez/actions/workflows/python-ci.yml)
|
|
55
|
+
[](https://codecov.io/gh/cyber-soul-security/souleyez)
|
|
56
|
+
[](https://www.python.org/downloads/)
|
|
57
|
+
[](https://github.com/psf/black)
|
|
58
|
+
[](https://github.com/PyCQA/bandit)
|
|
59
|
+
|
|
60
|
+
---
|
|
61
|
+
|
|
62
|
+
## What is SoulEyez?
|
|
63
|
+
|
|
64
|
+
**SoulEyez is your penetration testing command center.** Instead of juggling dozens of terminal windows and text files, SoulEyez gives you one organized place to:
|
|
65
|
+
|
|
66
|
+
- **Run security scans** — Execute tools like Nmap, Gobuster, SQLMap with simple commands
|
|
67
|
+
- **Auto-discover next steps** — When one scan finds something interesting, SoulEyez automatically suggests (or runs) the next logical tool
|
|
68
|
+
- **Stay organized** — Keep all your targets, findings, and credentials in one searchable database
|
|
69
|
+
- **Generate reports** — Export professional reports when you're done
|
|
70
|
+
|
|
71
|
+
---
|
|
72
|
+
|
|
73
|
+
## Who is this for?
|
|
74
|
+
|
|
75
|
+
- **Security professionals** conducting authorized penetration tests
|
|
76
|
+
- **CTF players** who want better organization during competitions
|
|
77
|
+
- **Students** learning penetration testing methodology
|
|
78
|
+
|
|
79
|
+
> **Important:** Only use SoulEyez on systems you have explicit authorization to test. Unauthorized scanning or exploitation is illegal.
|
|
80
|
+
|
|
81
|
+
---
|
|
82
|
+
|
|
83
|
+
## Features
|
|
84
|
+
|
|
85
|
+
### Core Capabilities
|
|
86
|
+
|
|
87
|
+
- 🎯 **Interactive Dashboard** — Real-time engagement monitoring with live updates
|
|
88
|
+
- 🔗 **Smart Tool Chaining** — Automatic follow-up scans based on discoveries
|
|
89
|
+
- 📊 **Findings Management** — Track and categorize vulnerabilities by severity
|
|
90
|
+
- 🔑 **Credential Vault** — Encrypted storage for discovered credentials
|
|
91
|
+
- 🌐 **Network Mapping** — Host discovery and service enumeration
|
|
92
|
+
- 📈 **Progress Tracking** — Monitor scan completion and tool execution
|
|
93
|
+
- 💾 **SQLite Storage** — Local database for all engagement data
|
|
94
|
+
- 🔄 **Background Jobs** — Queue-based tool execution with status monitoring
|
|
95
|
+
|
|
96
|
+
### Integrated Tools (40+)
|
|
97
|
+
|
|
98
|
+
- **Reconnaissance**: nmap, masscan, theHarvester, whois, dnsrecon
|
|
99
|
+
- **Web Testing**: nikto, gobuster, ffuf, sqlmap, nuclei, wpscan
|
|
100
|
+
- **Enumeration**: enum4linux-ng, smbmap, crackmapexec, snmpwalk
|
|
101
|
+
- **Exploitation**: Metasploit integration, searchsploit
|
|
102
|
+
- **Password Attacks**: hydra, hashcat, john
|
|
103
|
+
- **Post-Exploitation**: impacket suite, bloodhound
|
|
104
|
+
|
|
105
|
+
### Pentest Workflow & Intelligence
|
|
106
|
+
|
|
107
|
+
- 📁 **Evidence Vault** — Unified artifact collection organized by PTES phases
|
|
108
|
+
- 🎯 **Attack Surface Dashboard** — Track what's exploited vs pending with priority scoring
|
|
109
|
+
- 💣 **Exploit Suggestions** — Automatic CVE/Metasploit recommendations for discovered services
|
|
110
|
+
- 🔗 **Correlation Engine** — Cross-phase attack tracking and gap analysis
|
|
111
|
+
- 📝 **Report Generator** — Professional reports in Markdown/HTML/PDF formats
|
|
112
|
+
- ✅ **Deliverable Tracking** — Manage testing requirements and acceptance criteria
|
|
113
|
+
- 📸 **Screenshot Management** — Organized visual evidence by methodology phase
|
|
114
|
+
|
|
115
|
+
### SIEM Integration
|
|
116
|
+
|
|
117
|
+
- 🛡️ **SIEM Connectors** — Connect to Wazuh, Splunk, and other SIEM platforms
|
|
118
|
+
- ✓ **Detection Validation** — Verify if your attacks triggered SIEM alerts
|
|
119
|
+
- 🔍 **Vulnerability Management** — View CVEs from SIEM vulnerability data
|
|
120
|
+
- ⚖️ **Gap Analysis** — Compare passive (SIEM) vs active (scan) findings
|
|
121
|
+
- 🗺️ **MITRE ATT&CK Reports** — Detection coverage heatmaps by technique
|
|
122
|
+
- 📡 **Real-time Alerts** — Monitor SIEM alerts during live engagements
|
|
123
|
+
|
|
124
|
+
### FREE vs PRO
|
|
125
|
+
|
|
126
|
+
| Feature | FREE | PRO |
|
|
127
|
+
|---------|------|-----|
|
|
128
|
+
| Core features (scans, findings, credentials) | ✅ | ✅ |
|
|
129
|
+
| Report generation | ✅ | ✅ |
|
|
130
|
+
| AI-powered suggestions & auto-chaining | ❌ | ✅ |
|
|
131
|
+
| Metasploit integration & exploit suggestions | ❌ | ✅ |
|
|
132
|
+
| SIEM integration & detection validation | ❌ | ✅ |
|
|
133
|
+
| MITRE ATT&CK reports | ❌ | ✅ |
|
|
134
|
+
|
|
135
|
+
---
|
|
136
|
+
|
|
137
|
+
## Quick Start
|
|
138
|
+
|
|
139
|
+
### Step 1: Install Prerequisites
|
|
140
|
+
|
|
141
|
+
```bash
|
|
142
|
+
sudo apt install pipx # Install pipx
|
|
143
|
+
pipx ensurepath # Add pipx apps to your PATH
|
|
144
|
+
source ~/.bashrc # Reload shell (Kali: use ~/.zshrc)
|
|
145
|
+
```
|
|
146
|
+
|
|
147
|
+
### Step 2: Install SoulEyez
|
|
148
|
+
|
|
149
|
+
```bash
|
|
150
|
+
pipx install souleyez
|
|
151
|
+
```
|
|
152
|
+
|
|
153
|
+
### Step 3: Launch SoulEyez
|
|
154
|
+
|
|
155
|
+
```bash
|
|
156
|
+
souleyez interactive
|
|
157
|
+
```
|
|
158
|
+
|
|
159
|
+
### Step 4: First-Time Setup
|
|
160
|
+
|
|
161
|
+
On your first run, the setup wizard guides you through:
|
|
162
|
+
|
|
163
|
+
1. **Vault Password** — Create a master password that encrypts sensitive data
|
|
164
|
+
2. **First Engagement** — Set up your first project and select engagement type
|
|
165
|
+
3. **Tool Check** — Detect and optionally install missing security tools
|
|
166
|
+
4. **AI Setup** — Configure Ollama for AI features (optional)
|
|
167
|
+
5. **Tutorial** — Option to run the interactive tutorial (recommended)
|
|
168
|
+
|
|
169
|
+
### Step 5: You're Ready!
|
|
170
|
+
|
|
171
|
+
Once setup completes, you'll see the main menu.
|
|
172
|
+
|
|
173
|
+
---
|
|
174
|
+
|
|
175
|
+
## System Requirements
|
|
176
|
+
|
|
177
|
+
| Component | Minimum | Recommended |
|
|
178
|
+
|-----------|---------|-------------|
|
|
179
|
+
| **OS** | Ubuntu 22.04+ | Kali Linux |
|
|
180
|
+
| **Python** | 3.9+ | 3.11+ |
|
|
181
|
+
| **RAM** | 4GB | 8GB+ |
|
|
182
|
+
| **Disk** | 10GB | 50GB+ |
|
|
183
|
+
|
|
184
|
+
### Supported Operating Systems
|
|
185
|
+
|
|
186
|
+
| OS | Status | Notes |
|
|
187
|
+
|----|--------|-------|
|
|
188
|
+
| **Kali Linux** | ✅ Recommended | All pentesting tools pre-installed |
|
|
189
|
+
| **Ubuntu 22.04+** | ✅ Supported | Tools installed via `souleyez setup` |
|
|
190
|
+
| **Parrot OS** | ✅ Supported | Security-focused distro |
|
|
191
|
+
| **Debian 12+** | ✅ Supported | Stable base system |
|
|
192
|
+
| **macOS/Windows** | ❌ Not Supported | Use Linux in a VM |
|
|
193
|
+
|
|
194
|
+
---
|
|
195
|
+
|
|
196
|
+
## Common Commands
|
|
197
|
+
|
|
198
|
+
| Command | What it does |
|
|
199
|
+
|---------|--------------|
|
|
200
|
+
| `souleyez interactive` | Launch the main interface |
|
|
201
|
+
| `souleyez dashboard` | Real-time monitoring view |
|
|
202
|
+
| `souleyez doctor` | Check if everything is set up correctly |
|
|
203
|
+
| `souleyez setup` | Install/update pentesting tools |
|
|
204
|
+
| `souleyez --help` | Show all available commands |
|
|
205
|
+
|
|
206
|
+
---
|
|
207
|
+
|
|
208
|
+
## Security & Encryption
|
|
209
|
+
|
|
210
|
+
SoulEyez encrypts all stored credentials using **Fernet (AES-128-CBC + HMAC-SHA256)** with PBKDF2 key derivation (600k iterations).
|
|
211
|
+
|
|
212
|
+
- Master password is never stored (cannot be recovered if lost)
|
|
213
|
+
- Credentials encrypted at rest with industry-standard cryptography
|
|
214
|
+
- Sensitive data is masked in the UI until explicitly revealed
|
|
215
|
+
|
|
216
|
+
See [SECURITY.md](SECURITY.md) for complete security guidelines.
|
|
217
|
+
|
|
218
|
+
---
|
|
219
|
+
|
|
220
|
+
## Documentation
|
|
221
|
+
|
|
222
|
+
- **[Getting Started](souleyez/docs/user-guide/getting-started.md)** — Your first engagement in 10 minutes
|
|
223
|
+
- **[Installation Guide](souleyez/docs/user-guide/installation.md)** — Detailed setup instructions
|
|
224
|
+
- **[Workflows](souleyez/docs/user-guide/workflows.md)** — Complete pentesting workflows
|
|
225
|
+
- **[Auto-Chaining](souleyez/docs/user-guide/auto-chaining.md)** — Automatic follow-up scans
|
|
226
|
+
- **[Configuration](souleyez/docs/user-guide/configuration.md)** — All configuration options
|
|
227
|
+
- **[Troubleshooting](souleyez/docs/user-guide/troubleshooting.md)** — Common issues and fixes
|
|
228
|
+
|
|
229
|
+
---
|
|
230
|
+
|
|
231
|
+
## Troubleshooting
|
|
232
|
+
|
|
233
|
+
| Problem | Solution |
|
|
234
|
+
|---------|----------|
|
|
235
|
+
| "command not found: souleyez" | Run `pipx ensurepath` then restart terminal |
|
|
236
|
+
| "Tool not found" errors | Run `souleyez setup` to install missing tools |
|
|
237
|
+
| Forgot vault password | Data is encrypted — start fresh with `rm -rf ~/.souleyez` |
|
|
238
|
+
| Something seems broken | Run `souleyez doctor` to diagnose |
|
|
239
|
+
|
|
240
|
+
---
|
|
241
|
+
|
|
242
|
+
## Glossary
|
|
243
|
+
|
|
244
|
+
New to pentesting? Here are some common terms:
|
|
245
|
+
|
|
246
|
+
| Term | Meaning |
|
|
247
|
+
|------|---------|
|
|
248
|
+
| **Engagement** | A project or assessment — contains all data for one test |
|
|
249
|
+
| **Target/Host** | A computer, server, or device you're testing |
|
|
250
|
+
| **Finding** | A security issue or vulnerability you discovered |
|
|
251
|
+
| **Credential** | Username/password combo found during testing |
|
|
252
|
+
|
|
253
|
+
---
|
|
254
|
+
|
|
255
|
+
## Support & Feedback
|
|
256
|
+
|
|
257
|
+
- **Issues**: https://github.com/cyber-soul-security/souleyez/issues
|
|
258
|
+
- **Security Issues**: cysoul.secit@gmail.com (see [SECURITY.md](SECURITY.md))
|
|
259
|
+
- **General**: cysoul.secit@gmail.com
|
|
260
|
+
|
|
261
|
+
---
|
|
262
|
+
|
|
263
|
+
## License
|
|
264
|
+
|
|
265
|
+
See [LICENSE](LICENSE) for details.
|
|
266
|
+
|
|
267
|
+
---
|
|
268
|
+
|
|
269
|
+
**Version**: 2.43.1 | **Maintainer**: [CyberSoul Security](https://www.cybersoulsecurity.com)
|
|
@@ -1,10 +1,10 @@
|
|
|
1
|
-
souleyez/__init__.py,sha256=
|
|
1
|
+
souleyez/__init__.py,sha256=gRBM6ZPuADiYdI6E0r86KR1HscJbPeQhY-7CE96bD7g,24
|
|
2
2
|
souleyez/config.py,sha256=av357I3GYRWAklv8Dto-9-5Db699Wq5znez7zo7241Q,11595
|
|
3
3
|
souleyez/devtools.py,sha256=rptmUY4a5eVvYjdEc6273MSagL-D9xibPOFgohVqUno,3508
|
|
4
4
|
souleyez/feature_flags.py,sha256=mo6YAq07lc6sR3lEFKmIwTKxXZ2JPxwa5X97uR_mu50,4642
|
|
5
5
|
souleyez/history.py,sha256=gzs5I_j-3OigIP6yfmBChdqxaFmyUIxvTpzWUPe_Q6c,2853
|
|
6
6
|
souleyez/log_config.py,sha256=MMhPAJOqgXDfuE-xm5g0RxAfWndcmbhFHvIEMm1a_Wo,5830
|
|
7
|
-
souleyez/main.py,sha256=
|
|
7
|
+
souleyez/main.py,sha256=flY4UaR4CvW-go2jSfS_ZgQeKwZCTgnrTstU2ExdyeE,129100
|
|
8
8
|
souleyez/scanner.py,sha256=U3IWHRrJ5aQ32dSHiVAHB60w1R_z0E0QxfM99msYNlw,3124
|
|
9
9
|
souleyez/security.py,sha256=S84m1QmnKz_6NgH2I6IBIAorMHxRPNYVFSnks5xjihQ,2479
|
|
10
10
|
souleyez/ui.py,sha256=15pfsqoDPnojAqr5S0TZHJE2ZkSHzkHpNVfVvsRj66A,34301
|
|
@@ -104,15 +104,15 @@ souleyez/detection/__init__.py,sha256=QIhvXjFdjrquQ6A0VQ7GZQkK_EXB59t8Dv9PKXhEUe
|
|
|
104
104
|
souleyez/detection/attack_signatures.py,sha256=akgWwiIkh6WYnghCuLhRV0y6FS0SQ0caGF8tZUc49oA,6965
|
|
105
105
|
souleyez/detection/mitre_mappings.py,sha256=xejE80YK-g8kKaeQoo-vBl8P3t8RTTItbfN0NaVZw6s,20558
|
|
106
106
|
souleyez/detection/validator.py,sha256=-AJ7QSJ3-6jFKLnPG_Rc34IXyF4JPyI82BFUgTA9zw0,15641
|
|
107
|
-
souleyez/docs/README.md,sha256=
|
|
107
|
+
souleyez/docs/README.md,sha256=QRjWqLX46JBuvlW6ev9SaAogvsgwTtyHnXB_0uE0908,7187
|
|
108
108
|
souleyez/docs/api-reference/cli-commands.md,sha256=lTLFnILN3YRVdqCaag7WgsYXfDGglb1TuPexkxDsVdE,12917
|
|
109
109
|
souleyez/docs/api-reference/engagement-api.md,sha256=nd-EvQMtiJrobg2bzFEADp853HP1Uhb9dmgok0_-neE,11672
|
|
110
110
|
souleyez/docs/api-reference/integration-guide.md,sha256=c96uX79ukHyYotLa54wZ20Kx-EUZnrKegTeGkfLD-pw,16285
|
|
111
111
|
souleyez/docs/api-reference/parser-formats.md,sha256=DRyASQ0O6ZWGgyrYKqMPC9XFYL5dwvWjuG_q0WRjY8k,15367
|
|
112
|
-
souleyez/docs/architecture/overview.md,sha256=
|
|
112
|
+
souleyez/docs/architecture/overview.md,sha256=gYqXTSV_abXbAFz8Mv_RIJto-spNR--ft7Rdwdvy8tg,43402
|
|
113
113
|
souleyez/docs/architecture/decisions/000-template.md,sha256=Db8xSIOogP1qdJ5SgBVEJZUh2un4EtCEwfs53-XGDvY,4467
|
|
114
|
-
souleyez/docs/architecture/decisions/001-local-llm-over-cloud.md,sha256=
|
|
115
|
-
souleyez/docs/architecture/decisions/002-master-password-approach.md,sha256=
|
|
114
|
+
souleyez/docs/architecture/decisions/001-local-llm-over-cloud.md,sha256=LXf2d05ucnidl0vZrTL6vndPNKSnoRMR_CLt10pnLt0,14562
|
|
115
|
+
souleyez/docs/architecture/decisions/002-master-password-approach.md,sha256=8HZii9ROyst87HQiFF5sBlCrBX81ZR2JAEa-U9BMxP8,14781
|
|
116
116
|
souleyez/docs/architecture/decisions/003-database-schema-design.md,sha256=fUxsbVkpibVyZR4982J2Oeqx92a8oP9GQWr6jpuMjMY,20469
|
|
117
117
|
souleyez/docs/database/MIGRATIONS.md,sha256=bO92DEQxcl921T5Cd7QeEH4aEB1OexPccmtW-wrLosg,10584
|
|
118
118
|
souleyez/docs/database/SCHEMA.md,sha256=7k57iKslqEYAkwdf7McIqy_ME1rY30d5X7g-lyb0KO8,10590
|
|
@@ -121,20 +121,20 @@ souleyez/docs/developer-guide/test_coverage_plan.md,sha256=5m6p8iki89cb6u9WWhFkT
|
|
|
121
121
|
souleyez/docs/developer-guide/ui-design-system.md,sha256=xzznuNmwzU-mTRwG496TgKlFOa9K3fsAJbzT8qmvLu0,22327
|
|
122
122
|
souleyez/docs/images/README.md,sha256=Wek2mbJnGtLOCURvCmSGP2bS182OLgTbvxoC0b25gRo,4535
|
|
123
123
|
souleyez/docs/security/best-practices.md,sha256=cy9jy6zDMcUbPithoNv9qd4ur9WrIQPNUyeJhH5IB5g,18240
|
|
124
|
-
souleyez/docs/security/credential-encryption.md,sha256=
|
|
124
|
+
souleyez/docs/security/credential-encryption.md,sha256=shjNq8I9ycOohPTQ0U5LgEJk9vTmdiKat9X7VzGbsYQ,19060
|
|
125
125
|
souleyez/docs/security/password-protected-commands.md,sha256=ubTrZeLSCGKUsY3NW5ZP1w1SqGvtW27yTIojIdsX6CM,5878
|
|
126
126
|
souleyez/docs/security/secure-defaults.md,sha256=IEH0lTrThNokDCY8jMOWW5AEpqDd8T8p1NxCPS1jaXU,16605
|
|
127
|
-
souleyez/docs/security/threat-model.md,sha256=
|
|
127
|
+
souleyez/docs/security/threat-model.md,sha256=vwJ0k4EDi_MZNKFwzr6E3tfDr__dJCANpRAvp_mdE9Q,13594
|
|
128
128
|
souleyez/docs/user-guide/ai-integration.md,sha256=erC3Svg6XosKhT1BoHRQ98PUp71OdNQ6bkJIh7shN_Y,8859
|
|
129
129
|
souleyez/docs/user-guide/attack-surface.md,sha256=9QabVuuPkCNNDgAXx_Yerbtmnk61lPkU8Gjl_M6-rG8,12924
|
|
130
130
|
souleyez/docs/user-guide/auto-chaining.md,sha256=UjQ8J8rBgukQIikIrH3U7XoX0WF8EHO_a9i3qDomsXg,21144
|
|
131
|
-
souleyez/docs/user-guide/configuration.md,sha256=
|
|
131
|
+
souleyez/docs/user-guide/configuration.md,sha256=igWZgm18fdVv5oMJTi-N_IDC_01nfrzPamcQd3cVWH8,14650
|
|
132
132
|
souleyez/docs/user-guide/deliverables-screenshots.md,sha256=D5ATXKZRhwXu8OsGMEEUzbXW3hJl-qTh4wsUPx8gNUA,15148
|
|
133
|
-
souleyez/docs/user-guide/dependencies.md,sha256=
|
|
133
|
+
souleyez/docs/user-guide/dependencies.md,sha256=O7_YjUK19D8npNBHG2diqtm8zUPjtc3NObspG3xcsrs,7470
|
|
134
134
|
souleyez/docs/user-guide/evidence-vault.md,sha256=PNg7cIUlVXr41iMJTi66j4qUV2fkrPATljunx0pD5sI,9454
|
|
135
135
|
souleyez/docs/user-guide/exploit-suggestions.md,sha256=Qv9CPwDe9ypKoeUG3XAL6dtg4YA5PmlE5DA6JVHK4Nk,17971
|
|
136
|
-
souleyez/docs/user-guide/getting-started.md,sha256=
|
|
137
|
-
souleyez/docs/user-guide/installation.md,sha256=
|
|
136
|
+
souleyez/docs/user-guide/getting-started.md,sha256=_2jLTstG6hqjnQGCgu8jMPDRDLunJg-PZWLsWRUdvpQ,21074
|
|
137
|
+
souleyez/docs/user-guide/installation.md,sha256=45aWFh3MeZvzSXs8y-vN1C2nJAdt3D-ponnlqlQYkis,14243
|
|
138
138
|
souleyez/docs/user-guide/metasploit-integration.md,sha256=kSCai2PO4kiv3BEUSXa6mIC3vCdqIA70GyLVQH_Kaj4,10026
|
|
139
139
|
souleyez/docs/user-guide/rbac.md,sha256=DBILwrok4Qfeal9E49XgqJz88GPIdjMwDBpMDTtkWTc,21071
|
|
140
140
|
souleyez/docs/user-guide/report-generation.md,sha256=7Qe47jfPxmZ4U1uuM3kggPLQ6JM7_TCOOhYIvYen4Ao,20754
|
|
@@ -364,15 +364,15 @@ souleyez/ui/team_dashboard.py,sha256=ejM_44nbJbEIPxxxdEK7SCPcqQtcuJLjoO-C53qED2Y
|
|
|
364
364
|
souleyez/ui/template_selector.py,sha256=qQJkFNnVjYctb-toeYlupP_U1asGrJWYi5-HR89Ab9g,19103
|
|
365
365
|
souleyez/ui/terminal.py,sha256=Sw9ma1-DZclJE1sENjTZ3Q7r-Ct1NiB3Lpmv-RZW5tE,2372
|
|
366
366
|
souleyez/ui/timeline_view.py,sha256=Ze8Mev9VE4_ECdNFEJwZK2V42EBguR83uCCdwAbJqmc,11111
|
|
367
|
-
souleyez/ui/tool_setup.py,sha256=
|
|
368
|
-
souleyez/ui/tutorial.py,sha256=
|
|
367
|
+
souleyez/ui/tool_setup.py,sha256=HkRTjzN7FHUs_XKtNYnphkdXb5kC4P6ghpI8TeCuEjU,36375
|
|
368
|
+
souleyez/ui/tutorial.py,sha256=XxF06vNVbuzHjkbHbft6fDPj6RSH0tqr4FZ3K8DPSrY,14800
|
|
369
369
|
souleyez/ui/tutorial_state.py,sha256=Thf7_qCj4VKjG7UqgJqa9kjIqiFUU-7Q7kG4v-u2B4A,8123
|
|
370
370
|
souleyez/ui/wazuh_vulns_view.py,sha256=3vJJEmrjgS2wD6EDB7ZV7WxgytBHTm-1WqNDjp7lVEI,21830
|
|
371
371
|
souleyez/utils/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
|
372
372
|
souleyez/utils/tool_checker.py,sha256=kQcXJVY5NiO-orQAUnpHhpQvR5UOBNHJ0PaT0fBxYoQ,30782
|
|
373
|
-
souleyez-2.43.
|
|
374
|
-
souleyez-2.43.
|
|
375
|
-
souleyez-2.43.
|
|
376
|
-
souleyez-2.43.
|
|
377
|
-
souleyez-2.43.
|
|
378
|
-
souleyez-2.43.
|
|
373
|
+
souleyez-2.43.2.dist-info/licenses/LICENSE,sha256=J7vDD5QMF4w2oSDm35eBgosATE70ah1M40u9W4EpTZs,1090
|
|
374
|
+
souleyez-2.43.2.dist-info/METADATA,sha256=rHIKOIVd8r-PbXcYXPfcU4PGkIVeP9Y713u6avbtQtQ,10425
|
|
375
|
+
souleyez-2.43.2.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
|
|
376
|
+
souleyez-2.43.2.dist-info/entry_points.txt,sha256=bN5W1dhjDZJl3TKclMjRpfQvGPmyrJLwwDuCj_X39HE,48
|
|
377
|
+
souleyez-2.43.2.dist-info/top_level.txt,sha256=afAMzS9p4lcdBNxhGo6jl3ipQE9HUvvNIPOdjtPjr_Q,9
|
|
378
|
+
souleyez-2.43.2.dist-info/RECORD,,
|