Az - Strumenti di enumerazione

Tip

Impara e pratica il hacking AWS:HackTricks Training AWS Red Team Expert (ARTE)
Impara e pratica il hacking GCP: HackTricks Training GCP Red Team Expert (GRTE) Impara e pratica il hacking Azure: HackTricks Training Azure Red Team Expert (AzRTE)

Supporta HackTricks

Installare PowerShell su Linux

Tip

Su Linux dovrai installare PowerShell Core:

sudo apt-get update
sudo apt-get install -y wget apt-transport-https software-properties-common

# Ubuntu 20.04
wget -q https://packages.microsoft.com/config/ubuntu/20.04/packages-microsoft-prod.deb

# Update repos
sudo apt-get update
sudo add-apt-repository universe

# Install & start powershell
sudo apt-get install -y powershell
pwsh

# Az cli
curl -sL https://aka.ms/InstallAzureCLIDeb | sudo bash

Installare PowerShell su MacOS

Istruzioni tratte dalla documentation:

  1. Installa brew se non è ancora installato:
/bin/bash -c "$(curl -fsSL https://raw.githubusercontent.com/Homebrew/install/HEAD/install.sh)"
  1. Installa l’ultima versione stabile di PowerShell:
brew install powershell/tap/powershell
  1. Esegui PowerShell:
pwsh
  1. Aggiornamento:
brew update
brew upgrade powershell

Principali strumenti di enumerazione

az cli

Azure Command-Line Interface (CLI) è uno strumento multipiattaforma scritto in Python per gestire e amministrare (la maggior parte delle) risorse Azure e Entra ID. Si connette ad Azure ed esegue comandi amministrativi tramite la riga di comando o script.

Segui questo link per le installation instructions¡.

I comandi in Azure CLI sono strutturati secondo il formato: az <service> <action> <parameters>

Debug | MitM az cli

Usando il parametro --debug è possibile vedere tutte le richieste che lo strumento az sta inviando:

az account management-group list --output table --debug

Per effettuare un MitM sul tool e controllare manualmente tutte le richieste che invia puoi fare:

export ADAL_PYTHON_SSL_NO_VERIFY=1
export AZURE_CLI_DISABLE_CONNECTION_VERIFICATION=1
export HTTPS_PROXY="http://127.0.0.1:8080"
export HTTP_PROXY="http://127.0.0.1:8080"

# If this is not enough
# Download the certificate from Burp and convert it into .pem format
# And export the following env variable
openssl x509 -in ~/Downloads/cacert.der -inform DER -out ~/Downloads/cacert.pem -outform PEM
export REQUESTS_CA_BUNDLE=/Users/user/Downloads/cacert.pem
Correzione di “CA cert does not include key usage extension”

Perché si verifica l’errore

When Azure CLI authenticates, it makes HTTPS requests (via MSAL → Requests → OpenSSL). If you’re intercepting TLS with Burp, Burp generates “on the fly” certificates for sites like login.microsoftonline.com and signs them with Burp’s CA.

On newer stacks (Python 3.13 + OpenSSL 3), CA validation is stricter:

  • Un certificato CA deve includere Basic Constraints: CA:TRUE e una estensione Key Usage che permetta la firma dei certificati (keyCertSign, e tipicamente cRLSign).

Burp’s default CA (PortSwigger CA) is old and typically lacks the Key Usage extension, so OpenSSL rejects it even if you “trust it”.

That produces errors like:

  • CA cert does not include key usage extension
  • CERTIFICATE_VERIFY_FAILED
  • self-signed certificate in certificate chain

Quindi devi:

  1. Create a modern CA (with proper Key Usage).
  2. Make Burp use it to sign intercepted certs.
  3. Trust that CA in macOS.
  4. Point Azure CLI / Requests to that CA bundle.

Passo-passo: configurazione funzionante

0) Prerequisiti

  • Burp in esecuzione localmente (proxy su 127.0.0.1:8080)
  • Azure CLI installato (Homebrew)
  • Disponi di sudo (per aggiungere la CA al keychain di sistema)

1) Create a standards-compliant Burp CA (PEM + KEY)

Crea un file di configurazione OpenSSL che imposti esplicitamente le estensioni della CA:

mkdir -p ~/burp-ca && cd ~/burp-ca

cat > burp-ca.cnf <<'EOF'
[ req ]
default_bits       = 2048
prompt             = no
default_md         = sha256
distinguished_name = dn
x509_extensions    = v3_ca

[ dn ]
C  = US
O  = Burp Custom CA
CN = Burp Custom Root CA

[ v3_ca ]
basicConstraints = critical,CA:TRUE
keyUsage = critical,keyCertSign,cRLSign
subjectKeyIdentifier = hash
authorityKeyIdentifier = keyid:always,issuer
EOF

Genera il certificato CA + la chiave privata:

openssl req -x509 -new -nodes \
-days 3650 \
-keyout burp-ca.key \
-out burp-ca.pem \
-config burp-ca.cnf

Controllo rapido (DEVI vedere Key Usage):

openssl x509 -in burp-ca.pem -noout -text | egrep -A3 "Basic Constraints|Key Usage"

Dovrebbe includere qualcosa del tipo:

  • CA:TRUE
  • Key Usage: ... Certificate Sign, CRL Sign

2) Convertire in PKCS#12 (formato di importazione per Burp)

Burp ha bisogno del certificato + della chiave privata; il modo più semplice è PKCS#12:

openssl pkcs12 -export \
-out burp-ca.p12 \
-inkey burp-ca.key \
-in burp-ca.pem \
-name "Burp Custom Root CA"

Ti verrà chiesto di impostare una password per l’export (impostane una; Burp la richiederà).

3) Importa la CA in Burp e riavvia Burp

In Burp:

  • Proxy → Options
  • Find Import / export CA certificate
  • Click Import CA certificate
  • Choose PKCS#12
  • Select burp-ca.p12
  • Enter the password
  • Restart Burp completely (important)

Perché riavviare? Burp potrebbe continuare a usare la vecchia CA fino al riavvio.

4) Imposta la nuova CA come attendibile nel keychain di sistema di macOS

Questo permette alle app di sistema e a molti stack TLS di considerare attendibile la CA.

sudo security add-trusted-cert \
-d -r trustRoot \
-k /Library/Keychains/System.keychain \
~/burp-ca/burp-ca.pem

(Se preferisci la GUI: Keychain Access → System → Certificates → import → set “Always Trust”.)

5) Configura le variabili d’ambiente per il proxy

export HTTPS_PROXY="http://127.0.0.1:8080"
export HTTP_PROXY="http://127.0.0.1:8080"

6) Configurare Requests/Azure CLI affinché si fidino della tua Burp CA

Azure CLI usa Python Requests internamente; configura entrambe le seguenti opzioni:

export REQUESTS_CA_BUNDLE="$HOME/burp-ca/burp-ca.pem"
export SSL_CERT_FILE="$HOME/burp-ca/burp-ca.pem"

Note:

  • REQUESTS_CA_BUNDLE è usato da Requests.
  • SSL_CERT_FILE aiuta per altri client TLS e casi limite.
  • Di solito non è necessario il vecchio ADAL_PYTHON_SSL_NO_VERIFY / AZURE_CLI_DISABLE_CONNECTION_VERIFICATION una volta che la CA è corretta.

7) Verifica che Burp stia effettivamente firmando con la tua nuova CA (controllo critico)

Questo conferma che la tua catena di intercettazione è corretta:

openssl s_client -connect login.microsoftonline.com:443 \
-proxy 127.0.0.1:8080 </dev/null 2>/dev/null \
| openssl x509 -noout -issuer

L’issuer previsto contiene il nome della tua CA, ad esempio:

O=Burp Custom CA, CN=Burp Custom Root CA

Se vedi ancora PortSwigger CA, Burp non sta usando la CA che hai importato → ricontrolla l’importazione e riavvia.

8) Verificare che Python Requests funzioni tramite Burp

python3 - <<'EOF'
import requests
requests.get("https://login.microsoftonline.com")
print("OK")
EOF

Atteso: OK

9) Test di Azure CLI

az account get-access-token --resource=https://management.azure.com/

Se sei già autenticato, dovrebbe restituire JSON con un accessToken.

Az PowerShell

Azure PowerShell è un modulo con cmdlet per gestire le risorse Azure direttamente dalla riga di comando di PowerShell.

Segui questo link per le installation instructions.

I comandi in Azure PowerShell AZ Module sono strutturati come: <Action>-Az<Service> <parameters>

Debug | MitM Az PowerShell

Usando il parametro -Debug è possibile vedere tutte le richieste che lo strumento sta inviando:

Get-AzResourceGroup -Debug

Per effettuare un MitM sullo strumento e verificare manualmente tutte le richieste che invia, puoi impostare le variabili d’ambiente HTTPS_PROXY e HTTP_PROXY secondo la docs.

Microsoft Graph PowerShell

Microsoft Graph PowerShell è un SDK cross-platform che consente l’accesso a tutte le Microsoft Graph APIs, inclusi servizi come SharePoint, Exchange e Outlook, utilizzando un unico endpoint. Supporta PowerShell 7+, l’autenticazione moderna tramite MSAL, identità esterne e query avanzate. Con un focus sul principio del minimo privilegio, garantisce operazioni sicure e riceve aggiornamenti regolari per allinearsi alle più recenti funzionalità delle Microsoft Graph API.

Segui questo link per le installation instructions.

I comandi in Microsoft Graph PowerShell sono strutturati come: <Action>-Mg<Service> <parameters>

Debug Microsoft Graph PowerShell

Usando il parametro -Debug è possibile vedere tutte le richieste che lo strumento invia:

Get-MgUser -Debug

AzureAD Powershell

Il modulo Azure Active Directory (AD), ora deprecato, fa parte di Azure PowerShell per la gestione delle risorse Azure AD. Fornisce cmdlets per attività come la gestione di utenti, gruppi e registrazioni di applicazioni in Entra ID.

Tip

Questo è stato sostituito da Microsoft Graph PowerShell

Segui questo link per le istruzioni di installazione.

Strumenti automatizzati per Recon & Compliance

turbot azure plugins

Turbot con steampipe e powerpipe permette di raccogliere informazioni da Azure e Entra ID, eseguire controlli di compliance e individuare misconfigurazioni. I moduli Azure attualmente più raccomandati da eseguire sono:

# Install
brew install turbot/tap/powerpipe
brew install turbot/tap/steampipe
steampipe plugin install azure
steampipe plugin install azuread

# Config creds via env vars or az cli default creds will be used
export AZURE_ENVIRONMENT="AZUREPUBLICCLOUD"
export AZURE_TENANT_ID="<tenant-id>"
export AZURE_SUBSCRIPTION_ID="<subscription-id>"
export AZURE_CLIENT_ID="<client-id>"
export AZURE_CLIENT_SECRET="<secret>"

# Run steampipe-mod-azure-insights
cd /tmp
mkdir dashboards
cd dashboards
powerpipe mod init
powerpipe mod install github.com/turbot/steampipe-mod-azure-insights
steampipe service start
powerpipe server
# Go to http://localhost:9033 in a browser

Prowler

Prowler è uno strumento di sicurezza open source per eseguire security best practices assessments, audits, incident response, continuous monitoring, hardening e forensics readiness su AWS, Azure, Google Cloud e Kubernetes.

Permette fondamentalmente di eseguire centinaia di checks su un ambiente Azure per trovare security misconfigurations e raccogliere i risultati in json (e altri formati di testo) o visualizzarli sul web.

# Create a application with Reader role and set the tenant ID, client ID and secret in prowler so it access the app

# Launch web with docker-compose
export DOCKER_DEFAULT_PLATFORM=linux/amd64
curl -LO https://raw.githubusercontent.com/prowler-cloud/prowler/refs/heads/master/docker-compose.yml
curl -LO https://raw.githubusercontent.com/prowler-cloud/prowler/refs/heads/master/.env
## If using an old docker-compose version, change the "env_file" params to: env_file: ".env"
docker compose up -d
# Access the web and configure the access to run a scan from it

# Prowler cli
python3 -m pip install prowler --break-system-packages
docker run --rm toniblyx/prowler:v4-latest azure --list-checks
docker run --rm toniblyx/prowler:v4-latest azure --list-services
docker run --rm toniblyx/prowler:v4-latest azure --list-compliance
docker run --rm -e "AZURE_CLIENT_ID=<client-id>" -e "AZURE_TENANT_ID=<tenant-id>" -e "AZURE_CLIENT_SECRET=<secret>" toniblyx/prowler:v4-latest azure --sp-env-auth
## It also support other authentication types, check: prowler azure --help

Monkey365

Permette di eseguire automaticamente revisioni della configurazione di sicurezza delle sottoscrizioni Azure e di Microsoft Entra ID.

I report HTML sono memorizzati nella directory ./monkey-reports nella cartella del repository github.

git clone https://github.com/silverhack/monkey365
Get-ChildItem -Recurse monkey365 | Unblock-File
cd monkey365
Import-Module ./monkey365
mkdir /tmp/monkey365-scan
cd /tmp/monkey365-scan

Get-Help Invoke-Monkey365
Get-Help Invoke-Monkey365 -Detailed

# Scan with user creds (browser will be run)
Invoke-Monkey365 -TenantId <tenant-id> -Instance Azure -Collect All -ExportTo HTML

# Scan with App creds
$SecureClientSecret = ConvertTo-SecureString "<secret>" -AsPlainText -Force
Invoke-Monkey365 -TenantId <tenant-id> -ClientId <client-id> -ClientSecret $SecureClientSecret -Instance Azure -Collect All -ExportTo HTML

ScoutSuite

Scout Suite raccoglie dati di configurazione per ispezione manuale e mette in evidenza le aree a rischio. È uno strumento di security-auditing multi-cloud, che consente la valutazione della postura di sicurezza degli ambienti cloud.

virtualenv -p python3 venv
source venv/bin/activate
pip install scoutsuite
scout --help

# Use --cli flag to use az cli credentials
# Use --user-account to have scout prompt for user credentials
# Use --user-account-browser to launch a browser to login
# Use --service-principal to have scout prompt for app credentials

python scout.py azure --cli

Azure-MG-Sub-Governance-Reporting

È uno script PowerShell che ti aiuta a visualizzare tutte le risorse e le autorizzazioni all’interno di un Management Group e dell’Entra ID tenant e a individuare misconfigurazioni di sicurezza.

Funziona usando il modulo Az PowerShell, quindi qualsiasi autenticazione supportata da questo modulo è supportata dallo script.

import-module Az
.\AzGovVizParallel.ps1 -ManagementGroupId <management-group-id> [-SubscriptionIdWhitelist <subscription-id>]

Automated Post-Exploitation tools

ROADRecon

L’enumeration di ROADRecon fornisce informazioni sulla configurazione di Entra ID, come utenti, gruppi, ruoli, policy di accesso condizionale…

cd ROADTools
pipenv shell
# Login with user creds
roadrecon auth -u test@corp.onmicrosoft.com -p "Welcome2022!"
# Login with app creds
roadrecon auth --as-app --client "<client-id>" --password "<secret>" --tenant "<tenant-id>"
roadrecon gather
roadrecon gui

AzureHound

AzureHound è il collector di BloodHound per Microsoft Entra ID e Azure. È un singolo binario statico Go per Windows/Linux/macOS che comunica direttamente con:

  • Microsoft Graph (Entra ID directory, M365) e
  • Azure Resource Manager (ARM) control plane (subscriptions, resource groups, compute, storage, key vault, app services, AKS, etc.)

Caratteristiche principali

  • Funziona da qualsiasi punto di Internet pubblico contro le API del tenant (non è necessario accesso alla rete interna)
  • Genera JSON per l’ingestione in BloodHound CE per visualizzare i percorsi d’attacco tra identità e risorse cloud
  • User-Agent predefinito osservato: azurehound/v2.x.x

Opzioni di autenticazione

  • Username + password: -u -p
  • Refresh token: –refresh-token
  • JSON Web Token (access token): –jwt
  • Service principal secret: -a -s
  • Service principal certificate: -a –cert <cert.pem> –key <key.pem> [–keypass ]

Esempi

# Full tenant collection to file using different auth flows
## User creds
azurehound list -u "<user>@<tenant>" -p "<pass>" -t "<tenant-id|domain>" -o ./output.json

## Use an access token (JWT) from az cli for Graph
JWT=$(az account get-access-token --resource https://graph.microsoft.com -o tsv --query accessToken)
azurehound list --jwt "$JWT" -t "<tenant-id>" -o ./output.json

## Use a refresh token (e.g., from device code flow)
azurehound list --refresh-token "<refresh_token>" -t "<tenant-id>" -o ./output.json

## Service principal secret
azurehound list -a "<client-id>" -s "<secret>" -t "<tenant-id>" -o ./output.json

## Service principal certificate
azurehound list -a "<client-id>" --cert "/path/cert.pem" --key "/path/key.pem" -t "<tenant-id>" -o ./output.json

# Targeted discovery
azurehound list users -t "<tenant-id>" -o users.json
azurehound list groups -t "<tenant-id>" -o groups.json
azurehound list roles -t "<tenant-id>" -o roles.json
azurehound list role-assignments -t "<tenant-id>" -o role-assignments.json

# Azure resources via ARM
azurehound list subscriptions -t "<tenant-id>" -o subs.json
azurehound list resource-groups -t "<tenant-id>" -o rgs.json
azurehound list virtual-machines -t "<tenant-id>" -o vms.json
azurehound list key-vaults -t "<tenant-id>" -o kv.json
azurehound list storage-accounts -t "<tenant-id>" -o sa.json
azurehound list storage-containers -t "<tenant-id>" -o containers.json
azurehound list web-apps -t "<tenant-id>" -o webapps.json
azurehound list function-apps -t "<tenant-id>" -o funcapps.json

Cosa viene interrogato

  • Graph endpoints (esempi):
  • /v1.0/organization, /v1.0/users, /v1.0/groups, /v1.0/roleManagement/directory/roleDefinitions, directoryRoles, owners/members
  • ARM endpoints (esempi):
  • management.azure.com/subscriptions/…/providers/Microsoft.Storage/storageAccounts
  • …/Microsoft.KeyVault/vaults, …/Microsoft.Compute/virtualMachines, …/Microsoft.Web/sites, …/Microsoft.ContainerService/managedClusters

Comportamento preflight ed endpoint

  • Ogni azurehound list tipicamente esegue queste chiamate di test prima dell’enumerazione:
  1. Piattaforma di identity: login.microsoftonline.com
  2. Graph: GET https://graph.microsoft.com/v1.0/organization
  3. ARM: GET https://management.azure.com/subscriptions?api-version=…
  • Gli URL base degli ambienti cloud differiscono per Government/China/Germany. Vedi constants/environments.go nel repo.

Oggetti ARM-heavy (meno visibili in Activity/Resource logs)

  • La seguente lista di target usa prevalentemente letture del control plane ARM: automation-accounts, container-registries, function-apps, key-vaults, logic-apps, managed-clusters, management-groups, resource-groups, storage-accounts, storage-containers, virtual-machines, vm-scale-sets, web-apps.
  • Queste operazioni GET/list tipicamente non vengono scritte negli Activity Logs; le letture sul data-plane (es. *.blob.core.windows.net, *.vault.azure.net) sono coperte da Diagnostic Settings a livello di risorsa.

Note OPSEC e logging

  • Microsoft Graph Activity Logs non sono abilitati di default; abilitarli ed esportarli verso un SIEM per ottenere visibilità delle chiamate Graph. Aspettati la preflight GET /v1.0/organization del Graph con UA azurehound/v2.x.x.
  • I non-interactive sign-in logs di Entra ID registrano l’autenticazione della identity platform (login.microsoftonline.com) usata da AzureHound.
  • Le operazioni di lettura/list del control-plane ARM non vengono registrate negli Activity Logs; molte operazioni azurehound list contro risorse non appariranno lì. Solo il logging del data-plane (tramite Diagnostic Settings) catturerà le letture verso gli endpoint di servizio.
  • Defender XDR GraphApiAuditEvents (preview) può esporre chiamate Graph e identificatori di token ma potrebbe non includere UserAgent e avere retention limitata.

Suggerimento: quando enumeri per percorsi di privilegio, esporta users, groups, roles e role assignments, poi importa in BloodHound e usa le query cypher prebuilt per evidenziare Global Administrator/Privileged Role Administrator e escalation transitiva tramite nested groups e assegnazioni RBAC.

Avvia il web di BloodHound con curl -L https://ghst.ly/getbhce | docker compose -f - up e importa il file output.json. Poi, nella scheda EXPLORE, nella sezione CYPHER puoi vedere un’icona a forma di cartella che contiene query predefinite.

MicroBurst

MicroBurst include funzioni e script che supportano la discovery dei servizi Azure, l’auditing di configurazioni deboli e azioni di post-exploitation come credential dumping. È pensato per essere usato durante penetration tests dove è presente Azure.

Import-Module .\MicroBurst.psm1
Import-Module .\Get-AzureDomainInfo.ps1
Get-AzureDomainInfo -folder MicroBurst -Verbose

PowerZure

PowerZure è stato creato dalla necessità di un framework che possa effettuare sia reconnaissance che exploitation di Azure, EntraID e delle risorse associate.

Usa il modulo Az PowerShell, quindi qualsiasi autenticazione supportata da questo modulo è supportata dallo strumento.

# Login
Import-Module Az
Connect-AzAccount

# Clone and import PowerZure
git clone https://github.com/hausec/PowerZure
cd PowerZure
ipmo ./Powerzure.psd1
Invoke-Powerzure -h # Check all the options

# Info Gathering (read)
Get-AzureCurrentUser # Get current user
Get-AzureTarget # What can you access to
Get-AzureUser -All # Get all users
Get-AzureSQLDB -All # Get all SQL DBs
Get-AzureAppOwner # Owners of apps in Entra
Show-AzureStorageContent -All # List containers, shared and tables
Show-AzureKeyVaultContent -All # List all contents in key vaults


# Operational (write)
Set-AzureUserPassword -Password <password> -Username <username> # Change password
Set-AzureElevatedPrivileges # Get permissions from Global Administrator in EntraID to User Access Administrator in Azure RBAC.
New-AzureBackdoor -Username <username> -Password <password>
Invoke-AzureRunCommand -Command <command> -VMName <vmname>
[...]

GraphRunner

GraphRunner è un set di strumenti post-exploitation per interagire con la Microsoft Graph API. Fornisce vari strumenti per eseguire reconnaissance, persistence e esfiltrazione di dati da un account Microsoft Entra ID (Azure AD).

#A good place to start is to authenticate with the Get-GraphTokens module. This module will launch a device-code login, allowing you to authenticate the session from a browser session. Access and refresh tokens will be written to the global $tokens variable. To use them with other GraphRunner modules use the Tokens flag (Example. Invoke-DumpApps -Tokens $tokens)
Import-Module .\GraphRunner.ps1
Get-GraphTokens

#This module gathers information about the tenant including the primary contact info, directory sync settings, and user settings such as if users have the ability to create apps, create groups, or consent to apps.
Invoke-GraphRecon -Tokens $tokens -PermissionEnum

#A module to dump conditional access policies from a tenant.
Invoke-GraphRecon -Tokens $tokens -PermissionEnum

#A module to dump conditional access policies from a tenant.
Invoke-DumpCAPS -Tokens $tokens -ResolveGuids

#This module helps identify malicious app registrations. It will dump a list of Azure app registrations from the tenant including permission scopes and users that have consented to the apps. Additionally, it will list external apps that are not owned by the current tenant or by Microsoft's main app tenant. This is a good way to find third-party external apps that users may have consented to.
Invoke-DumpApps -Tokens $tokens

#Gather the full list of users from the directory.
Get-AzureADUsers -Tokens $tokens -OutFile users.txt

#Create a list of security groups along with their members.
Get-SecurityGroups -AccessToken $tokens.access_token

#Gets groups that may be able to be modified by the current user
Get-UpdatableGroups -Tokens $tokens

#Finds dynamic groups and displays membership rules
Get-DynamicGroups -Tokens $tokens

#Gets a list of SharePoint site URLs visible to the current user
Get-SharePointSiteURLs -Tokens $tokens

#This module attempts to locate mailboxes in a tenant that have allowed other users to read them. By providing a userlist the module will attempt to access the inbox of each user and display if it was successful. The access token needs to be scoped to Mail.Read.Shared or Mail.ReadWrite.Shared for this to work.
Invoke-GraphOpenInboxFinder -Tokens $tokens -Userlist users.txt

#This module attempts to gather a tenant ID associated with a domain.
Get-TenantID -Domain

#Runs Invoke-GraphRecon, Get-AzureADUsers, Get-SecurityGroups, Invoke-DumpCAPS, Invoke-DumpApps, and then uses the default_detectors.json file to search with Invoke-SearchMailbox, Invoke-SearchSharePointAndOneDrive, and Invoke-SearchTeams.
Invoke-GraphRunner -Tokens $tokens

Stormspotter

Stormspotter crea un “attack graph” delle risorse in una Azure subscription. Permette a red teams e pentesters di visualizzare l’attack surface e le pivot opportunities all’interno di un tenant, e potenzia i tuoi defenders per orientarsi rapidamente e stabilire le priorità nel lavoro di incident response.

Sfortunatamente, sembra non essere mantenuto.

# Start Backend
cd stormspotter\backend\
pipenv shell
python ssbackend.pyz

# Start Front-end
cd stormspotter\frontend\dist\spa\
quasar.cmd serve -p 9091 --history

# Run Stormcollector
cd stormspotter\stormcollector\
pipenv shell
az login -u test@corp.onmicrosoft.com -p Welcome2022!
python stormspotter\stormcollector\sscollector.pyz cli
# This will generate a .zip file to upload in the frontend (127.0.0.1:9091)

Riferimenti

Tip

Impara e pratica il hacking AWS:HackTricks Training AWS Red Team Expert (ARTE)
Impara e pratica il hacking GCP: HackTricks Training GCP Red Team Expert (GRTE) Impara e pratica il hacking Azure: HackTricks Training Azure Red Team Expert (AzRTE)

Supporta HackTricks