tox_profile/tox_profile.py

1470 lines
54 KiB
Python
Raw Normal View History

# -*- mode: python; indent-tabs-mode: nil; py-indent-offset: 4; coding: utf-8 -*-
2022-09-30 22:09:14 +02:00
"""
2022-10-01 20:18:56 +02:00
Reads a tox profile and prints out information on what's in there to stderr.
Call it with one argument, the filename of the profile for the decrypt or info
commands, or the filename of the nodes file for the nodes command.
2022-10-04 13:53:29 +02:00
4 commands are supported:
2022-10-10 16:02:52 +02:00
--command info - default
2022-10-01 20:18:56 +02:00
prints info about what's in the Tox profile to stderr
--command nodes
assumes you are reading a json nodes file instead of a profile
2022-10-04 13:53:29 +02:00
2022-10-10 16:02:52 +02:00
--command decrypt
decrypts the profile and writes to the result to stdout
2022-10-04 13:53:29 +02:00
--command edits
edits fields in a Tox profile with --output to a file
2022-10-29 00:30:46 +02:00
--command onions
cleans or checks a /etc/tor/torrc file with --output to a file
2022-10-01 20:18:56 +02:00
"""
"""
2022-10-10 16:02:52 +02:00
--output Destination for info/decrypt/edit/nodes
2022-10-01 20:18:56 +02:00
--info default='info',
2022-10-04 13:53:29 +02:00
choices=[info, save, repr, yaml,json, pprint]
2022-10-01 20:18:56 +02:00
with --info=info prints info about the profile to stderr
2022-10-04 13:53:29 +02:00
yaml,json, pprint, repr - output format
2022-10-28 03:12:09 +02:00
nmap_dht - test DHT nodes with nmap
nmap_relay - test TCP_RELAY nodes with nmap
nmap_path - test PATH_NODE nodes with nmap
2022-10-02 07:24:58 +02:00
--indent for pprint/yaml/json default=2
2022-10-01 20:18:56 +02:00
2022-10-03 00:29:36 +02:00
--nodes
2022-10-27 07:34:31 +02:00
choices=[select_tcp, select_udp, nmap_tcp, select_version, nmap_udp, check, download]
2022-10-01 20:18:56 +02:00
select_udp - select udp nodes
select_tcp - select tcp nodes
2022-10-02 05:36:34 +02:00
nmap_udp - test UDP nodes with nmap
nmap_tcp - test TCP nodes with nmap
2022-10-01 20:18:56 +02:00
select_version - select nodes that are the latest version
download - download nodes from --download_nodes_url
2022-10-27 07:34:31 +02:00
check - check nodes from --download_nodes_url
2022-10-28 03:12:09 +02:00
clean - check nodes and save them as --output
2022-10-01 20:18:56 +02:00
--download_nodes_url https://nodes.tox.chat/json
2022-10-10 16:02:52 +02:00
--edit
2022-10-04 13:53:29 +02:00
help - print a summary of what fields can be edited
section,num,key,val - edit the field section,num,key with val
2022-10-29 00:30:46 +02:00
--onions experimental
config - check your /etc/tor/torrc configuration
test - test your /etc/tor/torrc configuration
2022-10-04 13:53:29 +02:00
2022-09-30 22:09:14 +02:00
"""
2022-09-24 04:55:48 +02:00
# originally from:
# https://stackoverflow.com/questions/30901873/what-format-are-tox-files-stored-in
2022-09-24 04:55:48 +02:00
2022-11-17 12:49:31 +01:00
import argparse
import json
import logging
import os
2022-11-17 12:49:31 +01:00
import shutil
import struct
2022-11-17 12:49:31 +01:00
import sys
import time
import warnings
2022-10-01 20:18:56 +02:00
from pprint import pprint
2022-11-17 12:49:31 +01:00
from socket import AF_INET, AF_INET6, inet_ntop
2022-09-24 04:14:56 +02:00
2022-10-28 03:12:09 +02:00
warnings.filterwarnings('ignore')
2022-10-29 07:47:03 +02:00
from wrapper_tests import support_testing as ts
2022-09-24 04:14:56 +02:00
try:
2022-09-24 04:55:48 +02:00
# https://pypi.org/project/msgpack/
2022-09-24 04:14:56 +02:00
import msgpack
2022-11-17 12:49:31 +01:00
except ImportError as e: # noqa
2022-09-24 04:14:56 +02:00
msgpack = None
2022-09-30 22:09:14 +02:00
try:
import yaml
2022-11-17 12:49:31 +01:00
except ImportError as e: # noqa
2022-09-30 22:09:14 +02:00
yaml = None
2022-10-29 07:47:03 +02:00
try:
import stem
2022-11-17 12:49:31 +01:00
except ImportError as e: # noqa
2022-10-29 07:47:03 +02:00
stem = None
2022-11-17 12:49:31 +01:00
try:
import nmap
except ImportError as e: # noqa
nmap = None
try:
# https://pypi.org/project/coloredlogs/
import coloredlogs
if 'COLOREDLOGS_LEVEL_STYLES' not in os.environ:
os.environ['COLOREDLOGS_LEVEL_STYLES'] = 'spam=22;debug=28;verbose=34;notice=220;warning=202;success=118,bold;error=124;critical=background=red'
2022-11-17 12:49:31 +01:00
except ImportError as e: # noqa
coloredlogs = False
2022-10-29 07:47:03 +02:00
2022-10-01 20:18:56 +02:00
try:
# https://git.plastiras.org/emdee/toxygen_wrapper
from wrapper.toxencryptsave import ToxEncryptSave
2022-10-28 04:35:10 +02:00
from wrapper_tests import support_testing as ts
2022-11-17 12:49:31 +01:00
from wrapper_tests.support_http import bAreWeConnected, download_url
from wrapper_tests.support_testing import sTorResolve
2022-10-01 20:18:56 +02:00
except ImportError as e:
2022-10-27 07:34:31 +02:00
print(f"Import Warning {e}")
2022-10-01 20:18:56 +02:00
print("Download toxygen_wrapper to deal with encrypted tox files, from:")
print("https://git.plastiras.org/emdee/toxygen_wrapper")
print("Just put the parent of the wrapper directory on your PYTHONPATH")
print("You also need to link your libtoxcore.so and libtoxav.so")
print("and libtoxencryptsave.so into wrapper/../libs/")
print("Link all 3 from libtoxcore.so if you have only libtoxcore.so")
ToxEncryptSave = None
2022-10-02 10:44:33 +02:00
download_url = None
2022-10-27 07:34:31 +02:00
bAreWeConnected = None
sTorResolve = None
2022-10-28 04:35:10 +02:00
ts = None
2022-11-17 12:49:31 +01:00
2022-10-01 20:18:56 +02:00
LOG = logging.getLogger('TSF')
2022-10-02 07:24:58 +02:00
2022-10-29 07:47:03 +02:00
def LOG_error(a): print('EROR> '+a)
def LOG_warn(a): print('WARN> '+a)
def LOG_info(a):
bVERBOSE = hasattr(__builtins__, 'oArgs') and oArgs.log_level <= 20
if bVERBOSE: print('INFO> '+a)
def LOG_debug(a):
bVERBOSE = hasattr(__builtins__, 'oArgs') and oArgs.log_level <= 10-1
if bVERBOSE: print('DBUG> '+a)
def LOG_trace(a):
bVERBOSE = hasattr(__builtins__, 'oArgs') and oArgs.log_level < 10
if bVERBOSE: print('TRAC> '+a)
2022-11-17 12:49:31 +01:00
2022-10-03 00:29:36 +02:00
# Fix for Windows
2022-10-01 20:18:56 +02:00
sDIR = os.environ.get('TMPDIR', '/tmp')
sTOX_VERSION = "1000002018"
2022-10-28 03:12:09 +02:00
sVER_MIN = "1000002013"
2022-10-27 07:34:31 +02:00
# 3 months
iOLD_SECS = 60*60*24*30*3
2022-10-03 00:29:36 +02:00
bHAVE_NMAP = shutil.which('nmap')
2022-10-27 07:34:31 +02:00
bHAVE_TOR = shutil.which('tor')
2022-10-01 20:18:56 +02:00
bHAVE_JQ = shutil.which('jq')
2022-10-03 07:35:26 +02:00
bHAVE_BASH = shutil.which('bash')
2022-10-03 00:29:36 +02:00
bMARK = b'\x00\x00\x00\x00\x1f\x1b\xed\x15'
bDEBUG = 'DEBUG' in os.environ and os.environ['DEBUG'] != 0
def trace(s): LOG.log(LOG.level, '+ ' +s)
LOG.trace = trace
2022-10-03 07:35:26 +02:00
global bOUT, aOUT, sENC
2022-10-03 03:27:38 +02:00
aOUT = {}
bOUT = b''
2022-11-17 12:49:31 +01:00
lLABELS = []
2022-10-04 21:44:21 +02:00
sENC = sys.getdefaultencoding() # 'utf-8'
lNULLS = ['', '[]', 'null']
2022-10-28 04:35:10 +02:00
lNONES = ['', '-', 'NONE']
2022-10-03 03:27:38 +02:00
# grep '#''#' logging_tox_savefile.py|sed -e 's/.* //'
sEDIT_HELP = """
NAME,.,Nick_name,str
STATUSMESSAGE,.,Status_message,str
STATUS,.,Online_status,int
2022-10-04 21:44:21 +02:00
NOSPAMKEYS,.,Nospam,hexstr
NOSPAMKEYS,.,Public_key,hexstr
NOSPAMKEYS,.,Private_key,hexstr
DHT,.,DHTnode,
TCP_RELAY,.,TCPnode,
PATH_NODE,.,PATHnode,
2022-10-03 03:27:38 +02:00
"""
2022-10-29 00:30:46 +02:00
# a dictionary of sets of lines
lONION_CONFIG = {"hsconfig": [
'# Tox hidden service configuration.',
'HiddenServiceDir /var/lib/tor/tox-hsv3',
'HiddenServicePort 33446 127.0.0.1:33446',
],
"vadr": [
'VirtualAddrNetworkIPv4 172.16.0.0/12',
'AutomapHostsSuffixes .exit,.onion',
],
"mapaddress": []
}
lONION_NODES = [
dict(maintainer="Tha_14",
public_key="8E8B63299B3D520FB377FE5100E65E3322F7AE5B20A0ACED2981769FC5B43725",
motd="Add me on Tox: F0AA7C8C55552E8593B2B77AC6FCA598A40D1F5F52A26C2322690A4BF1DFCB0DD8AEDD2822FF",
onions=[
"h5g52d26mmi67pzzln2uya5msfzjdewengefaj75diipeskoo252lnqd.onion:33446"],
),
dict(motd="Emdee",
public_key= "EC8F7405F79F281569B6C66D9F03490973AB99BC9175C44FBEF4C3428A63B80D",
onions=[
"l2ct3xnuaiwwtoybtn46qp2av4ndxcguwupzyv6xrsmnwi647vvmwtqd.onion:33446",
]
),
]
2022-10-03 03:27:38 +02:00
#messenger.c
MESSENGER_STATE_TYPE_NOSPAMKEYS = 1
MESSENGER_STATE_TYPE_DHT = 2
MESSENGER_STATE_TYPE_FRIENDS = 3
MESSENGER_STATE_TYPE_NAME = 4
MESSENGER_STATE_TYPE_STATUSMESSAGE = 5
MESSENGER_STATE_TYPE_STATUS = 6
MESSENGER_STATE_TYPE_GROUPS = 7
MESSENGER_STATE_TYPE_TCP_RELAY = 10
MESSENGER_STATE_TYPE_PATH_NODE = 11
MESSENGER_STATE_TYPE_CONFERENCES = 20
MESSENGER_STATE_TYPE_END = 255
dSTATE_TYPE = {
MESSENGER_STATE_TYPE_NOSPAMKEYS: "NOSPAMKEYS",
MESSENGER_STATE_TYPE_DHT: "DHT",
MESSENGER_STATE_TYPE_FRIENDS: "FRIENDS",
MESSENGER_STATE_TYPE_NAME: "NAME",
MESSENGER_STATE_TYPE_STATUSMESSAGE: "STATUSMESSAGE",
MESSENGER_STATE_TYPE_STATUS: "STATUS",
MESSENGER_STATE_TYPE_GROUPS: "GROUPS",
MESSENGER_STATE_TYPE_TCP_RELAY: "TCP_RELAY",
MESSENGER_STATE_TYPE_PATH_NODE: "PATH_NODE",
MESSENGER_STATE_TYPE_CONFERENCES: "CONFERENCES",
MESSENGER_STATE_TYPE_END: "END",
}
def decrypt_data(data):
from getpass import getpass
if not ToxEncryptSave: return data
oToxES = ToxEncryptSave()
if not oToxES.is_data_encrypted(data):
2022-09-24 04:14:56 +02:00
LOG.debug('Not encrypted')
return data
assert data[:8] == b'toxEsave', data[:8]
sys.stdout.flush()
password = getpass('Password: ')
assert password
newData = oToxES.pass_decrypt(data, password)
LOG.debug('Decrypted: ' +str(len(newData)) +' bytes')
return newData
2022-09-24 04:14:56 +02:00
def str_to_hex(raw_id, length=None):
if length is None: length = len(raw_id)
res = ''.join('{:02x}'.format(ord(raw_id[i])) for i in range(length))
return res.upper()
2022-09-24 04:14:56 +02:00
def bin_to_hex(raw_id, length=None):
if length is None: length = len(raw_id)
res = ''.join('{:02x}'.format(raw_id[i]) for i in range(length))
return res.upper()
2022-10-01 20:18:56 +02:00
def lProcessFriends(state, index, length, result):
2022-09-30 22:09:14 +02:00
"""Friend:
The integers in this structure are stored in Big Endian format.
Length Contents
1 uint8_t Status
32 Long term public key
1024 Friend request message as a byte string
1 PADDING
2 uint16_t Size of the friend request message
128 Name as a byte string
2 uint16_t Size of the name
1007 Status message as a byte string
1 PADDING
2 uint16_t Size of the status message
1 uint8_t User status (see also: USERSTATUS)
3 PADDING
4 uint32_t Nospam (only used for sending a friend request)
8 uint64_t Last seen time
"""
2022-11-17 12:49:31 +01:00
dStatus = { # Status Meaning
0: 'Not a friend',
1: 'Friend added',
2022-09-30 22:09:14 +02:00
2: 'Friend request sent',
3: 'Confirmed friend',
4: 'Friend online'
}
slen = 1+32+1024+1+2+128+2+1007+1+2+1+3+4+8 # 2216
2022-11-17 12:49:31 +01:00
assert length % slen == 0, length
2022-09-30 22:09:14 +02:00
lIN = []
for i in range(length // slen):
delta = i*slen
status = struct.unpack_from(">b", result, delta)[0]
o = delta+1; l = 32
pk = bin_to_hex(result[o:o+l], l)
o = delta+1+32+1024+1+2+128; l = 2
nsize = struct.unpack_from(">H", result, o)[0]
o = delta+1+32+1024+1+2; l = 128
2022-10-03 00:29:36 +02:00
name = str(result[o:o+nsize], sENC)
2022-09-30 22:09:14 +02:00
o = delta+1+32+1024+1+2+128+2+1007; l = 2
msize = struct.unpack_from(">H", result, o)[0]
o = delta+1+32+1024+1+2+128+2; l = 1007
2022-10-03 00:29:36 +02:00
mame = str(result[o:o+msize], sENC)
2022-09-30 22:09:14 +02:00
LOG.info(f"Friend #{i} {dStatus[status]} {name} {pk}")
lIN += [{"Status": dStatus[status],
"Name": name,
"Pk": pk}]
return lIN
2022-10-02 10:44:33 +02:00
def lProcessGroups(state, index, length, result, label="GROUPS"):
"""
No GROUPS description in spec.html
"""
2022-10-03 00:29:36 +02:00
global sENC
2022-09-30 22:09:14 +02:00
lIN = []
2022-10-01 20:18:56 +02:00
if not msgpack:
2022-10-02 08:12:29 +02:00
LOG.warn(f"process_chunk Groups = NO msgpack bytes={length}")
2022-10-01 20:18:56 +02:00
return []
try:
groups = msgpack.loads(result, raw=True)
2022-10-02 10:44:33 +02:00
LOG.info(f"{label} {len(groups)} groups")
2022-10-07 06:41:54 +02:00
i = 0
2022-10-01 20:18:56 +02:00
for group in groups:
assert len(group) == 7, group
2022-10-03 00:29:36 +02:00
2022-10-01 20:18:56 +02:00
state_values, \
state_bin, \
topic_info, \
mod_list, \
keys, \
self_info, \
saved_peers, = group
2022-10-07 06:41:54 +02:00
if state_values is None:
LOG.warn(f"lProcessGroups #{i} state_values is None")
else:
assert len(state_values) == 8, state_values
manually_disconnected, \
group_name_len, \
privacy_state, \
maxpeers, \
password_length, \
version, \
topic_lock, \
voice_state = state_values
LOG.info(f"lProcessGroups #{i} version={version}")
dBINS = {"Version": version,
"Privacy_state": privacy_state}
lIN += [{"State_values": dBINS}]
if state_bin is None:
LOG.warn(f"lProcessGroups #{i} state_bin is None")
else:
assert len(state_bin) == 5, state_bin
shared_state_sig, \
founder_public_key, \
group_name_len, \
password_length, \
mod_list_hash = state_bin
LOG.info(f"lProcessGroups #{i} founder_public_key={bin_to_hex(founder_public_key)}")
dBINS = {"Founder_public_key": bin_to_hex(founder_public_key)}
lIN += [{"State_bin": dBINS}]
if topic_info is None:
LOG.warn(f"lProcessGroups #{i} topic_info is None")
else:
assert len(topic_info) == 6, topic_info
2022-10-10 16:02:52 +02:00
version, \
length, \
checksum, \
topic, \
2022-10-11 11:34:43 +02:00
public_sig_key, \
topic_sig = topic_info
2022-10-10 16:02:52 +02:00
topic_info_topic = str(topic, sENC)
2022-10-07 06:41:54 +02:00
LOG.info(f"lProcessGroups #{i} topic_info_topic={topic_info_topic}")
2022-10-10 16:02:52 +02:00
dBINS = {"Topic_info_topic": topic_info_topic
}
2022-10-07 06:41:54 +02:00
lIN += [{"Topic_info": dBINS}]
if mod_list is None:
LOG.warn(f"lProcessGroups #{i} mod_list is None")
else:
assert len(mod_list) == 2, mod_list
num_moderators = mod_list[0]
LOG.info(f"lProcessGroups #{i} num moderators={mod_list[0]}")
#define CRYPTO_SIGN_PUBLIC_KEY_SIZE 32
lMODS = []
if not num_moderators:
LOG.warn(f"lProcessGroups #{i} num_moderators is 0")
else:
mods = mod_list[1]
assert len(mods) % 32 == 0, len(mods)
assert len(mods) == num_moderators * 32, len(mods)
for j in range(num_moderators):
mod = mods[j*32:j*32 + 32]
LOG.info(f"lProcessGroups group#{i} mod#{j} sig_pk={bin_to_hex(mod)}")
lMODS += [{"Sig_pk": bin_to_hex(mod)}]
lIN += [{"Moderators": lMODS}]
if keys is None:
LOG.warn(f"lProcessGroups #{i} keys is None")
else:
assert len(keys) == 4, keys
LOG.debug(f"lProcessGroups #{i} {repr(list(map(len, keys)))}")
chat_public_key, \
chat_secret_key, \
self_public_key, \
self_secret_key = keys
LOG.info(f"lProcessGroups #{i} chat_public_key={bin_to_hex(chat_public_key)}")
lIN[0].update({"Chat_public_key": bin_to_hex(chat_public_key)})
if int(bin_to_hex(chat_secret_key), 16) != 0:
# 192 * b'0'
LOG.info(f"lProcessGroups #{i} chat_secret_key={bin_to_hex(chat_secret_key)}")
lIN[0].update({"Chat_secret_key": bin_to_hex(chat_secret_key)})
LOG.info(f"lProcessGroups #{i} self_public_key={bin_to_hex(self_public_key)}")
lIN[0].update({"Self_public_key": bin_to_hex(self_public_key)})
LOG.info(f"lProcessGroups #{i} self_secret_key={bin_to_hex(self_secret_key)}")
lIN[0].update({"Self_secret_key": bin_to_hex(self_secret_key)})
if self_info is None:
LOG.warn(f"lProcessGroups #{i} self_info is None")
else:
assert len(self_info) == 4, self_info
self_nick_len, self_role, self_status, self_nick = self_info
self_nick = str(self_nick, sENC)
dBINS = {"Self_nick": self_nick,
"Self_role": self_role,
"Self_status": self_status,
"Self_info": self_info,
}
LOG.info(f"lProcessGroups #{i} {repr(dBINS)}")
lIN += [dBINS]
if saved_peers is None:
LOG.warn(f"lProcessGroups #{i} saved_peers is None")
else:
assert len(saved_peers) == 2, saved_peers
i += 1
2022-10-01 20:18:56 +02:00
except Exception as e:
LOG.warn(f"process_chunk Groups #{i} error={e}")
2022-09-30 22:09:14 +02:00
return lIN
2022-10-02 07:24:58 +02:00
def lProcessNodeInfo(state, index, length, result, label="DHTnode"):
2022-09-30 22:09:14 +02:00
"""Node Info (packed node format)
The Node Info data structure contains a Transport Protocol, a Socket
Address, and a Public Key. This is sufficient information to start
communicating with that node. The binary representation of a Node Info is
called the packed node format.
Length Type Contents
1 bit Transport Protocol UDP = 0, TCP = 1
7 bit Address Family 2 = IPv4, 10 = IPv6
4 | 16 IP address 4 bytes for IPv4, 16 bytes for IPv6
2 Port Number Port number
32 Public Key Node ID
"""
delta = 0
relay = 0
lIN = []
while length > 0:
status = struct.unpack_from(">B", result, delta)[0]
if status >= 128:
2022-10-02 08:12:29 +02:00
prot = 'TCP'
2022-09-30 22:09:14 +02:00
af = status - 128
else:
2022-10-02 08:12:29 +02:00
prot = 'UDP'
2022-09-30 22:09:14 +02:00
af = status
if af == 2:
af = 'IPv4'
alen = 4
ipaddr = inet_ntop(AF_INET, result[delta+1:delta+1+alen])
else:
af = 'IPv6'
alen = 16
ipaddr = inet_ntop(AF_INET6, result[delta+1:delta+1+alen])
2022-10-02 05:36:34 +02:00
total = 1 + alen + 2 + 32
port = int(struct.unpack_from(">H", result, delta+1+alen)[0])
pk = bin_to_hex(result[delta+1+alen+2:delta+1+alen+2+32], 32)
2022-10-02 08:12:29 +02:00
LOG.info(f"{label} #{relay} bytes={length} status={status} prot={prot} af={af} ip={ipaddr} port={port} pk={pk}")
2022-10-02 05:36:34 +02:00
lIN += [{"Bytes": length,
"Status": status,
2022-10-02 08:12:29 +02:00
"Prot": prot,
2022-10-02 05:36:34 +02:00
"Af": af,
"Ip": ipaddr,
"Port": port,
"Pk": pk}]
2022-10-07 06:41:54 +02:00
relay += 1
2022-09-30 22:09:14 +02:00
delta += total
length -= total
return lIN
2022-10-02 07:24:58 +02:00
def lProcessDHTnodes(state, index, length, result, label="DHTnode"):
2022-09-30 22:09:14 +02:00
relay = 0
status = struct.unpack_from("<L", result, 0)[0]
# 4 uint32_t (0x159000D)
assert status == 0x159000D
length -= 4
delta = 4
lIN = []
while length > 0:
slen = struct.unpack_from("<L", result, delta)[0]
stype = struct.unpack_from("<H", result, delta+4)[0]
smark = struct.unpack_from("<H", result, delta+6)[0]
assert smark == 0x11CE
total = slen + 4 + 2 + 2
subtotal = 0
offset = delta
while offset < slen: #loop over nodes
status = struct.unpack_from(">B", result, offset+8)[0]
assert status < 12
2022-10-02 08:12:29 +02:00
prot = 'UDP'
2022-09-30 22:09:14 +02:00
if status == 2:
af = 'IPv4'
alen = 4
ipaddr = inet_ntop(AF_INET, result[offset+8+1:offset+8+1+alen])
else:
af = 'IPv6'
alen = 16
ipaddr = inet_ntop(AF_INET6, result[offset+8+1:offset+8+1+alen])
subtotal = 1 + alen + 2 + 32
port = int(struct.unpack_from(">H", result, offset+8+1+alen)[0])
pk = bin_to_hex(result[offset+8+1+alen+2:offset+8+1+alen+2+32], 32)
2022-10-02 07:24:58 +02:00
LOG.info(f"{label} #{relay} status={status} ipaddr={ipaddr} port={port} {pk}")
2022-10-02 08:12:29 +02:00
lIN += [{
"Status": status,
"Prot": prot,
"Af": af,
"Ip": ipaddr,
"Port": port,
"Pk": pk}]
2022-09-30 22:09:14 +02:00
offset += subtotal
2022-10-07 06:41:54 +02:00
relay += 1
2022-09-30 22:09:14 +02:00
delta += total
length -= total
return lIN
2022-10-03 00:29:36 +02:00
def process_chunk(index, state, oArgs=None):
2022-11-17 12:49:31 +01:00
global bOUT, aOUT, lLABELS
2022-10-03 00:29:36 +02:00
global sENC
2022-09-30 22:09:14 +02:00
2022-10-02 10:44:33 +02:00
length = struct.unpack_from("<I", state, index)[0]
data_type = struct.unpack_from("<H", state, index + 4)[0]
2022-10-02 10:44:33 +02:00
check = struct.unpack_from("<H", state, index + 6)[0]
assert check == 0x01CE, check
2022-10-01 20:18:56 +02:00
new_index = index + length + 8
result = state[index + 8:index + 8 + length]
2022-10-03 00:29:36 +02:00
2022-10-02 10:44:33 +02:00
label = dSTATE_TYPE[data_type]
2022-10-03 00:29:36 +02:00
if oArgs.command == 'edit' and oArgs.edit:
2022-10-04 21:44:21 +02:00
section,num,key,val = oArgs.edit.split(',', 3)
2022-10-03 03:27:38 +02:00
2022-10-03 00:29:36 +02:00
diff = index - len(bOUT)
2022-10-03 03:13:26 +02:00
if bDEBUG and diff > 0:
2022-10-03 00:29:36 +02:00
LOG.warn(f"PROCESS_CHUNK {label} index={index} bOUT={len(bOUT)} delta={diff} length={length}")
elif bDEBUG:
LOG.trace(f"PROCESS_CHUNK {label} index={index} bOUT={len(bOUT)} delta={diff} length={length}")
if data_type == MESSENGER_STATE_TYPE_NOSPAMKEYS:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
2022-09-24 04:14:56 +02:00
nospam = bin_to_hex(result[0:4])
public_key = bin_to_hex(result[4:36])
private_key = bin_to_hex(result[36:68])
2022-10-10 16:02:52 +02:00
LOG.info(f"{label} Nospam = {nospam}")
LOG.info(f"{label} Public_key = {public_key}")
LOG.info(f"{label} Private_key = {private_key}")
2022-10-01 20:18:56 +02:00
aIN = {"Nospam": f"{nospam}",
"Public_key": f"{public_key}",
"Private_key": f"{private_key}"}
2022-10-03 07:35:26 +02:00
aOUT.update({label: aIN})
2022-10-04 16:20:18 +02:00
if oArgs.command == 'edit' and section == label:
## NOSPAMKEYS,.,Nospam,hexstr
if key == "Nospam":
assert len(val) == 4*2, val
2022-10-10 16:02:52 +02:00
result = bytes.fromhex (val) +result[4:]
2022-10-04 16:20:18 +02:00
LOG.info(f"{label} {key} EDITED to {val}")
## NOSPAMKEYS,.,Public_key,hexstr
elif key == "Public_key":
assert len(val) == 32 * 2, val
result = +result[0:4] +bytes.fromhex(val) +result[36:]
LOG.info(f"{label} {key} EDITED to {val}")
## NOSPAMKEYS,.,Private_key,hexstr
elif key == "Private_key":
assert len(val) == 32 * 2, val
result = +result[0:36] +bytes.fromhex(val)
LOG.info(f"{label} {key} EDITED to {val}")
2022-10-10 16:02:52 +02:00
elif data_type == MESSENGER_STATE_TYPE_DHT:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
2022-10-02 08:12:29 +02:00
LOG.debug(f"process_chunk {label} length={length}")
2022-10-04 21:44:21 +02:00
if length > 4:
lIN = lProcessDHTnodes(state, index, length, result, "DHTnode")
else:
lIN = []
LOG.info(f"NO {label}")
2022-10-03 07:35:26 +02:00
aOUT.update({label: lIN})
2022-10-04 21:44:21 +02:00
if oArgs.command == 'edit' and section == label:
## DHT,.,DHTnode,
if num == '.' and key == "DHTnode" and val in lNULLS:
# 4 uint32_t (0x159000D)
status = 0x159000D
# FixMe - dunno
result = struct.pack("<L", status)
length = 4
LOG.info(f"{label} {key} EDITED to {val}")
elif data_type == MESSENGER_STATE_TYPE_FRIENDS:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
LOG.info(f"{label} {length // 2216} friends mod={length % 2216}")
2022-10-04 21:44:21 +02:00
if length > 0:
lIN = lProcessFriends(state, index, length, result)
else:
lIN = []
LOG.info(f"NO {label}")
2022-10-03 07:35:26 +02:00
aOUT.update({label: lIN})
elif data_type == MESSENGER_STATE_TYPE_NAME:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
2022-10-03 00:29:36 +02:00
name = str(result, sENC)
2022-10-02 10:44:33 +02:00
LOG.info(f"{label} Nick_name = " +name)
aIN = {"Nick_name": name}
2022-10-03 07:35:26 +02:00
aOUT.update({label: aIN})
2022-10-03 00:29:36 +02:00
if oArgs.command == 'edit' and section == label:
2022-10-03 00:40:43 +02:00
## NAME,.,Nick_name,str
2022-10-03 00:29:36 +02:00
if key == "Nick_name":
result = bytes(val, sENC)
length = len(result)
LOG.info(f"{label} {key} EDITED to {val}")
2022-10-03 03:27:38 +02:00
elif data_type == MESSENGER_STATE_TYPE_STATUSMESSAGE:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
2022-10-03 00:29:36 +02:00
mess = str(result, sENC)
2022-10-02 10:44:33 +02:00
LOG.info(f"{label} StatusMessage = " +mess)
2022-10-01 20:18:56 +02:00
aIN = {"Status_message": mess}
2022-10-03 07:35:26 +02:00
aOUT.update({label: aIN})
2022-10-03 00:29:36 +02:00
if oArgs.command == 'edit' and section == label:
2022-10-03 00:40:43 +02:00
## STATUSMESSAGE,.,Status_message,str
2022-10-03 00:29:36 +02:00
if key == "Status_message":
result = bytes(val, sENC)
length = len(result)
LOG.info(f"{label} {key} EDITED to {val}")
2022-10-03 03:27:38 +02:00
elif data_type == MESSENGER_STATE_TYPE_STATUS:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
# 1 uint8_t status (0 = online, 1 = away, 2 = busy)
dStatus = {0: 'online', 1: 'away', 2: 'busy'}
status = struct.unpack_from(">b", state, index)[0]
2022-09-30 22:09:14 +02:00
status = dStatus[status]
2022-10-02 08:12:29 +02:00
LOG.info(f"{label} = " +status)
2022-10-01 20:18:56 +02:00
aIN = {f"Online_status": status}
2022-10-03 07:35:26 +02:00
aOUT.update({label: aIN})
2022-10-03 00:29:36 +02:00
if oArgs.command == 'edit' and section == label:
2022-10-03 00:40:43 +02:00
## STATUS,.,Online_status,int
2022-10-03 00:29:36 +02:00
if key == "Online_status":
result = struct.pack(">b", int(val))
length = len(result)
LOG.info(f"{label} {key} EDITED to {val}")
2022-09-24 04:55:48 +02:00
elif data_type == MESSENGER_STATE_TYPE_GROUPS:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
2022-10-02 10:44:33 +02:00
if length > 0:
lIN = lProcessGroups(state, index, length, result, label)
else:
lIN = []
LOG.info(f"NO {label}")
2022-10-03 07:35:26 +02:00
aOUT.update({label: lIN})
2022-09-30 22:09:14 +02:00
elif data_type == MESSENGER_STATE_TYPE_TCP_RELAY:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
2022-10-02 10:44:33 +02:00
if length > 0:
lIN = lProcessNodeInfo(state, index, length, result, "TCPnode")
2022-10-28 03:12:09 +02:00
LOG.info(f"TYPE_TCP_RELAY {len(lIN)} nodes {length} length")
2022-10-02 10:44:33 +02:00
else:
lIN = []
2022-10-28 03:12:09 +02:00
LOG.warn(f"NO {label} {length} length")
2022-10-03 07:35:26 +02:00
aOUT.update({label: lIN})
2022-10-04 21:44:21 +02:00
if oArgs.command == 'edit' and section == label:
## TCP_RELAY,.,TCPnode,
if num == '.' and key == "TCPnode" and val in lNULLS:
result = b''
length = 0
LOG.info(f"{label} {key} EDITED to {val}")
2022-09-24 04:55:48 +02:00
elif data_type == MESSENGER_STATE_TYPE_PATH_NODE:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
2022-10-02 07:24:58 +02:00
#define NUM_SAVED_PATH_NODES 8
2022-10-03 07:35:26 +02:00
if not length % 8 == 0:
# this should be an assert?
LOG.warn(f"process_chunk {label} mod={length % 8}")
else:
LOG.debug(f"process_chunk {label} bytes={length}")
2022-10-02 07:24:58 +02:00
lIN = lProcessNodeInfo(state, index, length, result, "PATHnode")
2022-10-03 07:35:26 +02:00
aOUT.update({label: lIN})
2022-10-04 21:44:21 +02:00
if oArgs.command == 'edit' and section == label:
## PATH_NODE,.,PATHnode,
if num == '.' and key == "PATHnode" and val in lNULLS:
result = b''
length = 0
LOG.info(f"{label} {key} EDITED to {val}")
2022-10-03 00:29:36 +02:00
elif data_type == MESSENGER_STATE_TYPE_CONFERENCES:
2022-11-17 12:49:31 +01:00
lLABELS += [label]
2022-10-02 08:12:29 +02:00
lIN = []
if length > 0:
2022-10-02 08:12:29 +02:00
LOG.debug(f"TODO process_chunk {label} bytes={length}")
else:
2022-10-02 08:12:29 +02:00
LOG.info(f"NO {label}")
2022-10-03 07:35:26 +02:00
aOUT.update({label: []})
2022-09-30 22:09:14 +02:00
2022-10-01 20:18:56 +02:00
elif data_type != MESSENGER_STATE_TYPE_END:
2022-10-03 00:29:36 +02:00
LOG.error("UNRECOGNIZED datatype={datatype}")
sys.exit(1)
2022-10-01 20:18:56 +02:00
else:
2022-10-03 00:29:36 +02:00
LOG.info("END") # That's all folks...
# drop through
2022-11-17 12:49:31 +01:00
if len(lLABELS) == len(dSTATE_TYPE.keys()) - 1:
LOG.info(f"{len(lLABELS)} sections") # That's all folks...
else:
LOG.warn(f"{10 - len(lLABELS)} sections missing {lLABELS}") # That's all folks...
2022-10-03 00:29:36 +02:00
# We repack as we read: or edit as we parse; simply edit result and length.
# We'll add the results back to bOUT to see if we get what we started with.
# Then will will be able to selectively null sections or selectively edit.
assert length == len(result), length
bOUT += struct.pack("<I", length) + \
struct.pack("<H", data_type) + \
struct.pack("<H", check) + \
result
2022-10-03 07:35:26 +02:00
if data_type == MESSENGER_STATE_TYPE_END or index + 8 >= len(state):
2022-10-02 10:44:33 +02:00
diff = len(bSAVE) - len(bOUT)
2022-10-03 00:29:36 +02:00
if oArgs.command != 'edit' and diff > 0:
2022-10-02 10:44:33 +02:00
# if short repacking as we read - tox_profile is padded with nulls
2022-10-03 00:29:36 +02:00
LOG.warn(f"PROCESS_CHUNK bSAVE={len(bSAVE)} bOUT={len(bOUT)} delta={diff}")
2022-10-01 20:18:56 +02:00
return
2022-10-03 00:29:36 +02:00
process_chunk(new_index, state, oArgs)
2022-10-01 20:18:56 +02:00
sNMAP_TCP = """#!/bin/bash
ip=""
declare -a ports
jq '.|with_entries(select(.key|match("nodes"))).nodes[]|select(.status_tcp)|select(.ipv4|match("."))|.ipv4,.tcp_ports' | while read line ; do
if [ -z "$ip" ] ; then
2022-10-29 07:47:03 +02:00
ip=`echo $line|sed -e 's/"//g'`
ports=()
continue
2022-10-01 20:18:56 +02:00
elif [ "$line" = '[' ] ; then
2022-10-29 07:47:03 +02:00
continue
2022-10-01 20:18:56 +02:00
elif [ "$line" = ']' ] ; then
2022-11-17 12:49:31 +01:00
if ! route | grep -q ^def ; then
2022-10-01 20:18:56 +02:00
echo ERROR no route
exit 3
fi
2022-11-17 12:49:31 +01:00
if [ "$ip" = '"NONE"' -o "$ip" = 'NONE' ] ; then
:
elif ping -c 1 $ip | grep '100% packet loss' ; then
echo WARN failed ping $ip
else
echo INFO $ip "${ports[*]}"
cmd="nmap -Pn -n -sT -p T:"`echo "${ports[*]}" |sed -e 's/ /,/g'`
echo DBUG $cmd $ip
$cmd $ip | grep /tcp
fi
ip=""
continue
2022-10-01 20:18:56 +02:00
else
2022-11-17 12:49:31 +01:00
port=`echo $line|sed -e 's/,//'`
ports+=($port)
2022-10-01 20:18:56 +02:00
fi
done"""
2022-10-28 03:12:09 +02:00
def sBashFileNmapTcp():
2022-10-03 07:35:26 +02:00
assert bHAVE_JQ, "jq is required for this command"
assert bHAVE_NMAP, "nmap is required for this command"
assert bHAVE_BASH, "bash is required for this command"
2022-10-01 20:18:56 +02:00
f = "NmapTcp.bash"
sFile = os.path.join(sDIR, f)
if not os.path.exists(sFile):
with open(sFile, 'wt') as iFd:
iFd.write(sNMAP_TCP)
os.chmod(sFile, 0o0775)
2022-10-28 03:12:09 +02:00
assert os.path.exists(sFile)
2022-10-01 20:18:56 +02:00
return sFile
def vBashFileNmapUdp():
2022-10-03 07:35:26 +02:00
assert bHAVE_JQ, "jq is required for this command"
assert bHAVE_NMAP, "nmap is required for this command"
assert bHAVE_BASH, "bash is required for this command"
2022-10-01 20:18:56 +02:00
f = "NmapUdp.bash"
sFile = os.path.join(sDIR, f)
if not os.path.exists(sFile):
with open(sFile, 'wt') as iFd:
iFd.write(sNMAP_TCP.
replace('nmap -Pn -n -sT -p T',
'nmap -Pn -n -sU -p U').
replace('tcp_ports','udp_ports').
replace('status_tcp','status_udp'))
os.chmod(sFile, 0o0775)
2022-10-28 03:12:09 +02:00
assert os.path.exists(sFile)
2022-10-01 20:18:56 +02:00
return sFile
2022-10-28 03:12:09 +02:00
def lParseNapOutput(sFile):
lRet = []
for sLine in open(sFile, 'rt').readlines():
if sLine.startswith('Failed to resolve ') or \
2022-10-28 03:30:57 +02:00
'Temporary failure in name resolution' in sLine or \
2022-10-28 04:35:10 +02:00
'/udp closed' in sLine or \
'/tcp closed' in sLine:
2022-10-28 03:12:09 +02:00
lRet += [sLine]
return lRet
2022-10-27 07:34:31 +02:00
sBLURB = """
I see you have a torrc. You can help the network by running a bootstrap daemon
as a hidden service, or even using the --tcp_server option of your client.
"""
2022-10-28 03:12:09 +02:00
def lNodesCheckNodes(json_nodes, oArgs, bClean=False):
2022-10-27 07:34:31 +02:00
"""
Checking NODES.json
"""
2022-10-28 03:12:09 +02:00
lErrs = []
2022-11-17 12:49:31 +01:00
ierrs = 0
2022-10-28 03:12:09 +02:00
nth = 0
if bClean: lNew=[]
2022-10-27 07:34:31 +02:00
# assert type(json_nodes) == dict
2022-10-28 04:35:10 +02:00
bRUNNING_TOR = False
if bHAVE_TOR:
2022-11-17 12:49:31 +01:00
iret = os.system("netstat -nle4|grep -q :9050")
if iret == 0:
2022-10-28 04:35:10 +02:00
bRUNNING_TOR = True
2022-10-29 00:30:46 +02:00
lOnions = []
2022-10-27 07:34:31 +02:00
for node in json_nodes:
2022-10-28 03:12:09 +02:00
# new fields:
if bClean:
new_node = {}
2022-10-28 04:35:10 +02:00
for key,val in node.items():
2022-10-28 03:12:09 +02:00
if type(val) == bytes:
new_node[key] = str(val, 'UTF-8')
else:
new_node[key] = val
if 'onions' not in new_node:
new_node['onions'] = []
2022-10-29 00:30:46 +02:00
for elt in lONION_NODES:
if node['public_key'] == elt['public_key']:
new_node['onions'].extend(elt['onions'])
break
else:
# add to nodes
pass
else:
for keypair in node['onions']:
s = keypair.split(':')[0]
lOnions.append(s)
2022-11-17 12:49:31 +01:00
2022-10-27 07:34:31 +02:00
for ipv in ['ipv4','ipv6']:
for fam in ["status_tcp", "status_udp"]:
2022-10-28 04:35:10 +02:00
if node[ipv] in lNONES \
2022-10-27 07:34:31 +02:00
and node[fam] in [True, "true"]:
2022-10-29 00:30:46 +02:00
LOG.debug(f"{ipv} {node[ipv]} but node[{fam}] is true")
2022-10-28 04:57:32 +02:00
bLinux = os.path.exists('/proc')
if bLinux and not os.path.exists(f"/proc/sys/net/{ipv}/"):
continue
elif True:
if not node[ipv] in lNONES and ipv == 'ipv4':
# just ping for now
2022-11-17 12:49:31 +01:00
iret = os.system(f"ping -c 1 {node[ipv]} > /dev/null")
if iret == 0:
2022-10-28 04:57:32 +02:00
LOG.info(f"Pinged {node[ipv]}")
else:
LOG.warn(f"Failed ping {node[ipv]}")
continue
elif not node[ipv] in lNONES \
and bHAVE_NMAP and bAreWeConnected and ts \
2022-10-28 04:35:10 +02:00
and not bRUNNING_TOR \
and not node[ipv] in lNONES:
2022-10-27 07:34:31 +02:00
# nmap test the ipv4/ipv6
2022-10-28 04:35:10 +02:00
lElts = [[node[ipv], node['port'], node['public_key']]]
ts.bootstrap_iNmapInfo(lElts, oArgs, bIS_LOCAL=False,
iNODES=2, nmap=oArgs.nmap_cmd)
2022-10-27 07:34:31 +02:00
2022-10-28 04:35:10 +02:00
if node['ipv4'] in lNONES and node['ipv6'] in lNONES and \
2022-10-27 07:34:31 +02:00
not node['tcp_ports'] and not '.onion' in node['location']:
LOG.warn("No ports to contact the daemon on")
2022-10-28 03:12:09 +02:00
if node["version"] and node["version"] < "1000002013":
lErrs += [nth]
2022-10-27 07:34:31 +02:00
LOG.error(f"vulnerable version {node['version']} < 1000002013")
2022-10-28 03:12:09 +02:00
elif node["version"] and node["version"] < sVER_MIN:
LOG.warn(f"outdated version {node['version']} < {sVER_MIN}")
2022-10-27 07:34:31 +02:00
# Put the onion address in the location after the country code
if len(node["location"]) not in [2, 65]:
2022-11-17 12:49:31 +01:00
LOG.warn(f"location {node['location']} should be a 2 digit country code, or 'code onion'")
2022-10-27 07:34:31 +02:00
elif len(node["location"]) == 65 and \
2022-11-17 12:49:31 +01:00
not node["location"].endswith('.onion'):
LOG.warn(f"location {node['location']} should be a 2 digit country code 'code onion'")
2022-10-27 07:34:31 +02:00
elif len(node["location"]) == 65 and \
node["location"].endswith('.onion') and bHAVE_TOR:
onion = node["location"][3:]
if bHAVE_TOR and bAreWeConnected and bAreWeConnected() \
2022-10-28 04:35:10 +02:00
and (not node[ipv] in lNONES and
2022-11-17 12:49:31 +01:00
not node[ipv] in lNONES):
2022-10-27 07:34:31 +02:00
# torresolve the onion
# Fixme - see if tor is running
try:
s = sTorResolve(onion,
verbose=False,
sHost='127.0.0.1',
iPort=9050)
except:
# assume tor isnt running
pass
else:
if s:
LOG.info(f"Found an onion that resolves to {s}")
else:
LOG.warn(f"Found an onion that resolves to {s}")
2022-10-28 03:12:09 +02:00
if node['last_ping'] and time.time() - node['last_ping'] > iOLD_SECS:
LOG.debug(f"node has not been pinged in more than 3 months")
2022-11-17 12:49:31 +01:00
2022-10-27 07:34:31 +02:00
# suggestions YMMV
2022-10-28 03:12:09 +02:00
if len(node['maintainer']) > 75 and len(node['motd']) < 75:
pass
2022-11-17 12:49:31 +01:00
# look for onion
2022-10-29 00:30:46 +02:00
if not node['motd']:
# LOG.info(f"Maybe put a ToxID: in motd so people can contact you.")
pass
2022-11-17 12:49:31 +01:00
if bClean and nth not in lErrs:
lNew += [new_node]
2022-10-28 03:12:09 +02:00
nth += 1
2022-11-17 12:49:31 +01:00
2022-10-27 07:34:31 +02:00
# fixme look for /etc/tor/torrc but it may not be readable
if bHAVE_TOR and os.path.exists('/etc/tor/torrc'):
2022-10-28 04:35:10 +02:00
# print(sBLURB)
2022-10-29 00:30:46 +02:00
LOG.info("Add this section to your /etc/tor/torrc")
for line in lONION_CONFIG['vadr']:
print(line)
if lOnions:
LOG.info("Add this section to your /etc/tor/torrc")
i = 1
for line in lOnions:
hosts = line.split(':')
print(f"MapAddress {hosts[0]} 172.16.1.{i}")
i += 1
2022-10-28 03:12:09 +02:00
if bClean:
return lNew
else:
return lErrs
2022-11-17 12:49:31 +01:00
2022-10-28 03:12:09 +02:00
def iNodesFileCheck(sProOrNodes, oArgs, bClean=False):
2022-10-27 07:34:31 +02:00
try:
if not os.path.exists(sProOrNodes):
raise RuntimeError("iNodesFileCheck file not found " +sProOrNodes)
with open(sProOrNodes, 'rt') as fl:
2022-10-28 03:12:09 +02:00
json_all = json.loads(fl.read())
json_nodes = json_all['nodes']
2022-11-17 12:49:31 +01:00
except Exception as e: # noqa
2022-10-27 07:34:31 +02:00
LOG.exception(f"{oArgs.command} error reading {sProOrNodes}")
return 1
LOG.info(f"iNodesFileCheck checking JSON")
i = 0
try:
2022-10-28 03:12:09 +02:00
al = lNodesCheckNodes(json_nodes, oArgs, bClean=bClean)
if bClean == False:
i = len(al)
else:
now = time.time()
aOut = dict(last_scan=json_all['last_scan'],
last_refresh=now,
nodes=al)
2022-11-17 12:49:31 +01:00
sout = oArgs.output
2022-10-28 03:12:09 +02:00
try:
2022-11-17 12:49:31 +01:00
LOG.debug(f"iNodesFileClean saving to {sout}")
oStream = open(sout, 'wt', encoding=sENC)
2022-10-28 03:12:09 +02:00
json.dump(aOut, oStream, indent=oArgs.indent)
if oStream.write('\n') > 0: i = 0
2022-11-17 12:49:31 +01:00
except Exception as e: # noqa
LOG.exception(f"iNodesFileClean error dumping JSON to {sout}")
2022-10-28 03:12:09 +02:00
return 3
2022-11-17 12:49:31 +01:00
except Exception as e: # noqa
2022-10-27 07:34:31 +02:00
LOG.exception(f"iNodesFileCheck error checking JSON")
i = -2
else:
if i:
LOG.error(f"iNodesFileCheck {i} errors in {sProOrNodes}")
else:
LOG.info(f"iNodesFileCheck NO errors in {sProOrNodes}")
return i
def iNodesFileClean(sProOrNodes):
# unused
return 0
f = "DHTNodes.clean"
if not oArgs.output:
2022-11-17 12:49:31 +01:00
sout = os.path.join(sDIR, f)
2022-10-27 07:34:31 +02:00
else:
2022-11-17 12:49:31 +01:00
sout = oArgs.output
2022-10-27 07:34:31 +02:00
try:
2022-11-17 12:49:31 +01:00
LOG.debug(f"iNodesFileClean saving to {sout}")
oStream = open(sout, 'wt', encoding=sENC)
2022-10-27 07:34:31 +02:00
json.dump(aOUT, oStream, indent=oArgs.indent)
2022-11-17 12:49:31 +01:00
if oStream.write('\n') > 0: iret = 0
except Exception as e: # noqa
LOG.exception(f"iNodesFileClean error dumping JSON to {sout}")
2022-10-27 07:34:31 +02:00
return 3
2022-11-17 12:49:31 +01:00
LOG.info(f"{oArgs.info}ing iret={iret} to {oArgs.output}")
2022-10-27 07:34:31 +02:00
return 0
2022-10-28 03:12:09 +02:00
def iOsSystemNmapUdp(l, oArgs):
2022-11-17 12:49:31 +01:00
ierrs = 0
2022-10-28 03:12:09 +02:00
for elt in l:
2022-10-02 08:12:29 +02:00
cmd = f"sudo nmap -Pn -n -sU -p U:{elt['Port']} {elt['Ip']}"
2022-10-28 03:12:09 +02:00
LOG.debug(f"{oArgs.info} {cmd} to {oArgs.output}")
2022-11-17 12:49:31 +01:00
ierrs += os.system(cmd +f" >> {oArgs.output} 2>&1")
if ierrs:
LOG.warn(f"{oArgs.info} {ierrs} ERRORs to {oArgs.output}")
2022-10-28 03:12:09 +02:00
else:
LOG.info(f"{oArgs.info} NO errors to {oArgs.output}")
lRet = lParseNapOutput(oArgs.output)
if lRet:
for sLine in lRet:
LOG.warn(f"{oArgs.nodes} {sLine}")
2022-11-17 12:49:31 +01:00
ierr = len(lRet)
ierrs += ierr
return ierrs
2022-10-02 05:36:34 +02:00
2022-10-28 03:12:09 +02:00
def iOsSystemNmapTcp(l, oArgs):
2022-11-17 12:49:31 +01:00
ierrs = 0
2022-10-28 03:12:09 +02:00
LOG.debug(f"{len(l)} nodes to {oArgs.output}")
2022-10-02 05:36:34 +02:00
for elt in l:
2022-10-02 08:12:29 +02:00
cmd = f"sudo nmap -Pn -n -sT -p T:{elt['Port']} {elt['Ip']}"
2022-10-28 03:12:09 +02:00
LOG.debug(f"iOsSystemNmapTcp {cmd} to {oArgs.output}")
2022-11-17 12:49:31 +01:00
ierr = os.system(cmd +f" >> {oArgs.output} 2>&1")
if ierr:
LOG.warn(f"iOsSystemNmapTcp {ierrs} ERRORs to {oArgs.output}")
2022-10-28 03:12:09 +02:00
else:
lRet = lParseNapOutput(oArgs.output)
if lRet:
for sLine in lRet:
LOG.warn(f"{oArgs.nodes} {sLine}")
2022-11-17 12:49:31 +01:00
ierr = len(lRet)
ierrs += ierr
return ierrs
2022-10-02 05:36:34 +02:00
2022-10-29 07:47:03 +02:00
def vSetupLogging(log_level=logging.DEBUG):
global LOG
if coloredlogs:
2022-10-29 07:47:03 +02:00
aKw = dict(level=log_level,
logger=LOG,
fmt='%(name)s %(levelname)s %(message)s')
coloredlogs.install(**aKw)
else:
2022-10-29 07:47:03 +02:00
aKw = dict(level=log_level,
format='%(name)s %(levelname)-4s %(message)s')
logging.basicConfig(**aKw)
logging._defaultFormatter = logging.Formatter(datefmt='%m-%d %H:%M:%S')
logging._defaultFormatter.default_time_format = '%m-%d %H:%M:%S'
logging._defaultFormatter.default_msec_format = ''
2022-10-03 03:27:38 +02:00
2022-10-29 00:30:46 +02:00
def iTestTorConfig(sProOrNodes, oArgs, bClean=False):
# add_onion
LOG.info(f"iTestTorConfig {sProOrNodes}")
lEtcTorrc = open(sProOrNodes, 'rt').readlines()
if bClean == False:
LOG.info(f"Add these lines to {sProOrNodes}")
for key,val in lONION_CONFIG.items():
for line in val:
if line.startswith('#'): continue
2022-11-17 12:49:31 +01:00
if line not in lEtcTorrc:
2022-10-29 00:30:46 +02:00
print(line)
# add_mapaddress
if bClean == False:
LOG.info(f"Add these lines to {sProOrNodes}")
i=1
for elt in lONION_NODES:
for line in elt['onions']:
host,port = line.split(':')
print(f"MapAddress {host} 172.16.1.{i}")
i += 1
# add_bootstrap
return 0
2022-10-29 07:47:03 +02:00
def iTestTorExits(sProOrNodes, oArgs, bClean=False):
LOG.info(f"iTestTorExits")
# import pdb; pdb.set_trace()
# sProOrNodes
try:
if hasattr(ts, 'oSTEM_CONTROLER') and ts.oSTEM_CONTROLER \
2022-11-17 12:49:31 +01:00
and ts.oSTEM_CONTROLER.is_set('ExcludeExitNodes'):
2022-10-29 07:47:03 +02:00
LOG_info(f"ExcludeExitNodes is set so we cant continue")
return 0
LOG_info(f"ExcludeExitNodes is not set so we can continue")
l = ts.lExitExcluder(iPort=9051)
except Exception as e:
LOG.error(f"ExcludeExitNodes errored {e}")
return 1
return 0
2022-10-29 00:30:46 +02:00
def iTestTorTest(sProOrNodes, oArgs, bClean=False):
# test_onion
# check_mapaddress
# check_bootstrap
LOG.info(f"iTestTorTest {sProOrNodes}")
for elt in lONION_NODES:
for line in elt['onions']:
2022-11-17 12:49:31 +01:00
(host, port,) = line.split(':')
2022-10-29 00:30:46 +02:00
LOG.debug(f"iTestTorTest resolving {host}")
ip = ts.sTorResolve(host)
if ip: LOG.info(f"{host} resolved to {ip}")
2022-11-17 12:49:31 +01:00
2022-10-29 00:30:46 +02:00
# test debian
# http://5ekxbftvqg26oir5wle3p27ax3wksbxcecnm6oemju7bjra2pn26s3qd.onion/
return 0
def iTestOnionNodes():
return 0
2022-10-27 07:34:31 +02:00
def iMain(sProOrNodes, oArgs):
2022-10-10 16:02:52 +02:00
global bOUT, aOUT, sENC
global bSAVE
2022-10-03 00:29:36 +02:00
2022-10-27 07:34:31 +02:00
assert os.path.isfile(sProOrNodes), sProOrNodes
2022-10-03 00:29:36 +02:00
sENC = oArgs.encoding
2022-10-27 07:34:31 +02:00
bSAVE = open(sProOrNodes, 'rb').read()
2022-10-01 20:18:56 +02:00
if ToxEncryptSave and bSAVE[:8] == b'toxEsave':
try:
2022-10-01 20:18:56 +02:00
bSAVE = decrypt_data(bSAVE)
except Exception as e:
2022-10-27 07:34:31 +02:00
LOG.error(f"decrypting {sProOrNodes} - {e}")
sys.exit(1)
2022-10-01 20:18:56 +02:00
assert bSAVE
2022-10-28 03:12:09 +02:00
LOG.debug(f"{oArgs.command} {len(bSAVE)} bytes")
2022-10-01 20:18:56 +02:00
oStream = None
2022-10-29 00:30:46 +02:00
LOG.info(f"Running {oArgs.command}")
2022-10-01 20:18:56 +02:00
if oArgs.command == 'decrypt':
2022-10-02 08:12:29 +02:00
assert oArgs.output, "--output required for this command"
oStream = open(oArgs.output, 'wb')
2022-11-17 12:49:31 +01:00
iret = oStream.write(bSAVE)
LOG.info(f"Wrote {iret} to {oArgs.output}")
iret = 0
2022-10-02 08:12:29 +02:00
2022-10-01 20:18:56 +02:00
elif oArgs.command == 'nodes':
2022-11-17 12:49:31 +01:00
iret = -1
2022-10-03 07:35:26 +02:00
ep_sec = str(int(time.time()))
json_head = '{"last_scan":' +ep_sec \
2022-10-28 03:12:09 +02:00
+',"last_refresh":' +ep_sec \
+',"nodes":['
2022-10-01 20:18:56 +02:00
if oArgs.nodes == 'select_tcp':
assert oArgs.output, "--output required for this command"
assert bHAVE_JQ, "jq is required for this command"
2022-10-03 07:35:26 +02:00
with open(oArgs.output, 'wt') as oFd:
2022-10-10 16:02:52 +02:00
oFd.write(json_head)
2022-10-27 07:34:31 +02:00
cmd = f"cat '{sProOrNodes}' | jq '.|with_entries(select(.key|match(\"nodes\"))).nodes[]|select(.status_tcp)|select(.ipv4|match(\".\"))' "
2022-11-17 12:49:31 +01:00
iret = os.system(cmd +"| sed -e '2,$s/^{/,{/'" +f" >>{oArgs.output}")
2022-10-03 08:44:02 +02:00
with open(oArgs.output, 'at') as oFd: oFd.write(']}\n')
2022-10-01 20:18:56 +02:00
elif oArgs.nodes == 'select_udp':
assert oArgs.output, "--output required for this command"
assert bHAVE_JQ, "jq is required for this command"
2022-10-03 07:35:26 +02:00
with open(oArgs.output, 'wt') as oFd:
2022-10-10 16:02:52 +02:00
oFd.write(json_head)
2022-10-27 07:34:31 +02:00
cmd = f"cat '{sProOrNodes}' | jq '.|with_entries(select(.key|match(\"nodes\"))).nodes[]|select(.status_udp)|select(.ipv4|match(\".\"))' "
2022-11-17 12:49:31 +01:00
iret = os.system(cmd +"| sed -e '2,$s/^{/,{/'" +f" >>{oArgs.output}")
2022-10-03 08:44:02 +02:00
with open(oArgs.output, 'at') as oFd: oFd.write(']}\n')
2022-10-01 20:18:56 +02:00
elif oArgs.nodes == 'select_version':
assert bHAVE_JQ, "jq is required for this command"
assert oArgs.output, "--output required for this command"
2022-10-03 07:35:26 +02:00
with open(oArgs.output, 'wt') as oFd:
2022-10-10 16:02:52 +02:00
oFd.write(json_head)
2022-10-27 07:34:31 +02:00
cmd = f"cat '{sProOrNodes}' | jq '.|with_entries(select(.key|match(\"nodes\"))).nodes[]|select(.status_udp)|select(.version|match(\"{sTOX_VERSION}\"))'"
2022-10-10 16:02:52 +02:00
2022-11-17 12:49:31 +01:00
iret = os.system(cmd +"| sed -e '2,$s/^{/,{/'" +f" >>{oArgs.output}")
2022-10-03 07:35:26 +02:00
with open(oArgs.output, 'at') as oFd:
2022-10-03 08:44:02 +02:00
oFd.write(']}\n')
2022-10-01 20:18:56 +02:00
2022-10-03 07:35:26 +02:00
elif oArgs.nodes == 'nmap_tcp':
2022-10-01 20:18:56 +02:00
assert oArgs.output, "--output required for this command"
if not bAreWeConnected():
2022-10-03 07:35:26 +02:00
LOG.warn(f"{oArgs.nodes} we are not connected")
2022-10-28 03:12:09 +02:00
else:
cmd = sBashFileNmapTcp()
2022-10-28 04:35:10 +02:00
cmd = f"sudo bash {cmd} < '{sProOrNodes}' >'{oArgs.output}' 2>&1"
2022-10-28 03:12:09 +02:00
LOG.debug(cmd)
2022-11-17 12:49:31 +01:00
iret = os.system(cmd)
if iret == 0:
2022-10-28 03:12:09 +02:00
lRet = lParseNapOutput(oArgs.output)
if lRet:
for sLine in lRet:
LOG.warn(f"{oArgs.nodes} {sLine}")
2022-11-17 12:49:31 +01:00
iret = len(lRet)
2022-10-03 00:29:36 +02:00
2022-10-03 07:35:26 +02:00
elif oArgs.nodes == 'nmap_udp':
2022-10-01 20:18:56 +02:00
assert oArgs.output, "--output required for this command"
if not bAreWeConnected():
2022-10-03 07:35:26 +02:00
LOG.warn(f"{oArgs.nodes} we are not connected")
2022-10-28 03:12:09 +02:00
elif bHAVE_TOR:
LOG.warn(f"{oArgs.nodes} this wont work behind tor")
2022-10-03 07:35:26 +02:00
cmd = vBashFileNmapUdp()
2022-10-28 04:35:10 +02:00
cmd = f"sudo bash {cmd} < '{sProOrNodes}'" +f" >'{oArgs.output}' 2>&1"
2022-10-28 03:12:09 +02:00
LOG.debug(cmd)
2022-11-17 12:49:31 +01:00
iret = os.system(cmd)
if iret == 0:
2022-10-28 03:12:09 +02:00
lRet = lParseNapOutput(oArgs.output)
if lRet:
for sLine in lRet:
LOG.warn(f"{oArgs.nodes} {sLine}")
2022-11-17 12:49:31 +01:00
iret = len(lRet)
2022-10-03 00:29:36 +02:00
2022-10-01 20:18:56 +02:00
elif oArgs.nodes == 'download' and download_url:
if not bAreWeConnected():
2022-10-03 07:35:26 +02:00
LOG.warn(f"{oArgs.nodes} we are not connected")
url = oArgs.download_nodes_url
b = download_url(url)
2022-10-28 03:12:09 +02:00
if not b:
2022-10-03 07:35:26 +02:00
LOG.warn("failed downloading list of nodes")
2022-11-17 12:49:31 +01:00
iret = -1
2022-10-01 20:18:56 +02:00
else:
2022-10-03 07:35:26 +02:00
if oArgs.output:
2022-10-28 03:12:09 +02:00
oStream = open(oArgs.output, 'wb')
2022-10-03 07:35:26 +02:00
oStream.write(b)
2022-10-01 20:18:56 +02:00
else:
2022-10-03 07:35:26 +02:00
oStream = sys.stdout
oStream.write(str(b, sENC))
2022-11-17 12:49:31 +01:00
iret = 0
2022-10-03 07:35:26 +02:00
LOG.info(f"downloaded list of nodes to {oStream}")
2022-11-17 12:49:31 +01:00
2022-10-27 07:34:31 +02:00
elif oArgs.nodes == 'check':
2022-10-28 03:12:09 +02:00
i = iNodesFileCheck(sProOrNodes, oArgs, bClean=False)
2022-11-17 12:49:31 +01:00
iret = i
2022-10-28 03:12:09 +02:00
elif oArgs.nodes == 'clean':
assert oArgs.output, "--output required for this command"
i = iNodesFileCheck(sProOrNodes, oArgs, bClean=True)
2022-11-17 12:49:31 +01:00
iret = i
if iret > 0:
LOG.warn(f"{oArgs.nodes} iret={iret} to {oArgs.output}")
elif iret == 0:
LOG.info(f"{oArgs.nodes} iret={iret} to {oArgs.output}")
2022-10-03 00:29:36 +02:00
2022-10-29 00:30:46 +02:00
elif oArgs.command == 'onions':
LOG.info(f"{oArgs.command} {oArgs.onions} {oArgs.output}")
if oArgs.onions == 'config':
i = iTestTorConfig(sProOrNodes, oArgs)
2022-11-17 12:49:31 +01:00
iret = i
2022-10-29 00:30:46 +02:00
elif oArgs.onions == 'test':
i = iTestTorTest(sProOrNodes, oArgs)
2022-11-17 12:49:31 +01:00
iret = i
2022-10-29 07:47:03 +02:00
elif oArgs.onions == 'exits':
i = iTestTorExits(sProOrNodes, oArgs)
2022-11-17 12:49:31 +01:00
iret = i
2022-10-29 07:47:03 +02:00
else:
2022-11-17 12:49:31 +01:00
RuntimeError(oArgs.onions)
2022-10-03 00:29:36 +02:00
elif oArgs.command in ['info', 'edit']:
2022-10-29 00:30:46 +02:00
2022-10-03 00:29:36 +02:00
if oArgs.command in ['edit']:
2022-10-02 10:44:33 +02:00
assert oArgs.output, "--output required for this command"
2022-10-03 00:29:36 +02:00
assert oArgs.edit != '', "--edit required for this command"
2022-10-29 00:30:46 +02:00
2022-10-03 00:29:36 +02:00
elif oArgs.command == 'info':
# assert oArgs.info != '', "--info required for this command"
if oArgs.info in ['save', 'yaml', 'json', 'repr', 'pprint']:
assert oArgs.output, "--output required for this command"
2022-10-02 10:44:33 +02:00
2022-10-01 20:18:56 +02:00
# toxEsave
2022-10-03 00:29:36 +02:00
assert bSAVE[:8] == bMARK, "Not a Tox profile"
bOUT = bMARK
2022-10-01 20:18:56 +02:00
2022-11-17 12:49:31 +01:00
iret = 0
2022-10-03 00:29:36 +02:00
process_chunk(len(bOUT), bSAVE, oArgs)
if not bOUT:
LOG.error(f"{oArgs.command} NO bOUT results")
2022-11-17 12:49:31 +01:00
iret = 1
2022-10-03 00:29:36 +02:00
else:
oStream = None
LOG.debug(f"command={oArgs.command} len bOUT={len(bOUT)} results")
if oArgs.command in ['edit'] or oArgs.info in ['save']:
LOG.debug(f"{oArgs.command} saving to {oArgs.output}")
oStream = open(oArgs.output, 'wb', encoding=None)
2022-11-17 12:49:31 +01:00
if oStream.write(bOUT) > 0: iret = 0
LOG.info(f"{oArgs.info}ed iret={iret} to {oArgs.output}")
2022-10-02 10:44:33 +02:00
elif oArgs.info == 'info':
pass
2022-11-17 12:49:31 +01:00
iret = 0
2022-10-28 03:12:09 +02:00
elif oArgs.info == 'yaml':
if not yaml:
LOG.warn(f"{oArgs.command} no yaml support")
2022-11-17 12:49:31 +01:00
iret = -1
2022-10-28 03:12:09 +02:00
else:
LOG.debug(f"{oArgs.command} saving to {oArgs.output}")
oStream = open(oArgs.output, 'wt', encoding=sENC)
try:
assert aOUT
yaml.dump(aOUT, stream=oStream, indent=oArgs.indent)
except Exception as e:
LOG.warn(f'WARN: {e}')
else:
oStream.write('\n')
2022-11-17 12:49:31 +01:00
iret = 0
LOG.info(f"{oArgs.info}ing iret={iret} to {oArgs.output}")
2022-10-28 03:12:09 +02:00
elif oArgs.info == 'json':
if not yaml:
LOG.warn(f"{oArgs.command} no json support")
2022-11-17 12:49:31 +01:00
iret = -1
2022-10-28 03:12:09 +02:00
else:
LOG.debug(f"{oArgs.command} saving to {oArgs.output}")
oStream = open(oArgs.output, 'wt', encoding=sENC)
try:
json.dump(aOUT, oStream, indent=oArgs.indent, skipkeys=True)
except:
LOG.warn("There are somtimes problems with the json info dump of bytes keys: ```TypeError: Object of type bytes is not JSON serializable```")
oStream.write('\n') > 0
2022-11-17 12:49:31 +01:00
iret = 0
LOG.info(f"{oArgs.info}ing iret={iret} to {oArgs.output}")
2022-10-01 20:18:56 +02:00
elif oArgs.info == 'repr':
2022-10-03 00:29:36 +02:00
LOG.debug(f"{oArgs.command} saving to {oArgs.output}")
oStream = open(oArgs.output, 'wt', encoding=sENC)
2022-11-17 12:49:31 +01:00
if oStream.write(repr(bOUT)) > 0: iret = 0
if oStream.write('\n') > 0: iret = 0
LOG.info(f"{oArgs.info}ing iret={iret} to {oArgs.output}")
2022-10-01 20:18:56 +02:00
elif oArgs.info == 'pprint':
2022-10-03 00:29:36 +02:00
LOG.debug(f"{oArgs.command} saving to {oArgs.output}")
oStream = open(oArgs.output, 'wt', encoding=sENC)
2022-10-02 05:36:34 +02:00
pprint(aOUT, stream=oStream, indent=oArgs.indent, width=80)
2022-11-17 12:49:31 +01:00
iret = 0
LOG.info(f"{oArgs.info}ing iret={iret} to {oArgs.output}")
2022-10-28 03:12:09 +02:00
elif oArgs.info == 'nmap_relay':
assert bHAVE_NMAP, "nmap is required for this command"
2022-10-02 05:36:34 +02:00
assert oArgs.output, "--output required for this command"
2022-10-28 03:12:09 +02:00
if aOUT["TCP_RELAY"]:
2022-11-17 12:49:31 +01:00
iret = iOsSystemNmapTcp(aOUT["TCP_RELAY"], oArgs)
2022-10-28 03:12:09 +02:00
else:
LOG.warn(f"{oArgs.info} no TCP_RELAY")
2022-11-17 12:49:31 +01:00
iret = 0
2022-10-28 03:12:09 +02:00
elif oArgs.info == 'nmap_dht':
assert bHAVE_NMAP, "nmap is required for this command"
2022-10-02 05:36:34 +02:00
assert oArgs.output, "--output required for this command"
2022-10-28 03:12:09 +02:00
if aOUT["DHT"]:
2022-11-17 12:49:31 +01:00
iret = iOsSystemNmapUdp(aOUT["DHT"], oArgs)
2022-10-28 03:12:09 +02:00
else:
LOG.warn(f"{oArgs.info} no DHT")
2022-11-17 12:49:31 +01:00
iret = 0
2022-10-28 03:12:09 +02:00
elif oArgs.info == 'nmap_path':
assert bHAVE_NMAP, "nmap is required for this command"
2022-10-02 07:24:58 +02:00
assert oArgs.output, "--output required for this command"
2022-10-28 03:12:09 +02:00
if aOUT["PATH_NODE"]:
2022-11-17 12:49:31 +01:00
iret = iOsSystemNmapUdp(aOUT["PATH_NODE"], oArgs)
2022-10-28 03:12:09 +02:00
else:
LOG.warn(f"{oArgs.info} no PATH_NODE")
2022-11-17 12:49:31 +01:00
iret = 0
2022-10-02 05:36:34 +02:00
2022-10-29 00:30:46 +02:00
else:
LOG.warn(f"{oArgs.command} UNREGOGNIZED")
2022-10-01 20:18:56 +02:00
if oStream and oStream != sys.stdout and oStream != sys.stderr:
oStream.close()
2022-11-17 12:49:31 +01:00
return iret
2022-10-01 20:18:56 +02:00
2022-10-10 16:02:52 +02:00
def oMainArgparser(_=None):
if not os.path.exists('/proc/sys/net/ipv6'):
bIpV6 = 'False'
else:
bIpV6 = 'True'
lIpV6Choices=[bIpV6, 'False']
parser = argparse.ArgumentParser(epilog=__doc__)
# list(dSTATE_TYPE.values())
# ['nospamkeys', 'dht', 'friends', 'name', 'statusmessage', 'status', 'groups', 'tcp_relay', 'path_node', 'conferences']
parser.add_argument('--output', type=str, default='',
help='Destination for info/decrypt - defaults to stderr')
parser.add_argument('--command', type=str, default='info',
2022-10-29 00:30:46 +02:00
choices=['info', 'decrypt', 'nodes', 'edit', 'onions'],
2022-10-10 16:02:52 +02:00
help='Action command - default: info')
# nargs='+',
parser.add_argument('--edit', type=str, default='',
help='comma seperated SECTION,num,key,value - or help for ')
parser.add_argument('--indent', type=int, default=2,
help='Indent for yaml/json/pprint')
2022-11-17 12:49:31 +01:00
choices = ['info', 'save', 'repr', 'yaml','json', 'pprint']
2022-10-28 03:12:09 +02:00
if bHAVE_NMAP:
choices += ['nmap_relay', 'nmap_dht', 'nmap_path']
2022-10-10 16:02:52 +02:00
parser.add_argument('--info', type=str, default='info',
choices=choices,
help='Format for info command')
2022-10-28 03:12:09 +02:00
choices = ['check', 'clean']
2022-10-10 16:02:52 +02:00
if bHAVE_JQ:
choices += ['select_tcp', 'select_udp', 'select_version']
if bHAVE_NMAP: choices += ['nmap_tcp', 'nmap_udp']
if download_url:
choices += ['download']
2022-10-28 04:35:10 +02:00
# behind tor you may need 'sudo -u debian-tor nmap'
parser.add_argument('--nmap_cmd', type=str, default='nmap',
2022-11-17 12:49:31 +01:00
help="the command to run nmap")
2022-10-10 16:02:52 +02:00
parser.add_argument('--nodes', type=str, default='',
choices=choices,
help='Action for nodes command (requires jq)')
parser.add_argument('--download_nodes_url', type=str,
default='https://nodes.tox.chat/json')
2022-10-29 00:30:46 +02:00
parser.add_argument('--onions', type=str, default='',
2022-11-17 12:49:31 +01:00
choices=['config', 'test'] if bHAVE_TOR else [],
2022-10-29 00:30:46 +02:00
help='Action for onion command (requires tor)')
2022-10-10 16:02:52 +02:00
parser.add_argument('--encoding', type=str, default=sENC)
2022-10-27 07:34:31 +02:00
parser.add_argument('lprofile', type=str, nargs='+', default=None,
help='tox profile files - may be encrypted')
2022-10-29 00:30:46 +02:00
parser.add_argument('--log_level', type=int, default=10)
2022-10-28 04:35:10 +02:00
parser.add_argument('--proxy_host', '--proxy-host', type=str,
default='',
help='proxy host')
parser.add_argument('--proxy_port', '--proxy-port', default=0, type=int,
help='proxy port')
parser.add_argument('--proxy_type', '--proxy-type', default=0, type=int,
choices=[0,1,2],
help='proxy type 1=http, 2=socks')
2022-10-10 16:02:52 +02:00
return parser
if __name__ == '__main__':
lArgv = sys.argv[1:]
parser = oMainArgparser()
oArgs = parser.parse_args(lArgv)
if oArgs.command in ['edit'] and oArgs.edit == 'help':
l = list(dSTATE_TYPE.values())
l.remove('END')
print('Available Sections: ' +repr(l))
print('Supported Quads: section,num,key,type ' +sEDIT_HELP)
sys.exit(0)
2022-10-29 07:47:03 +02:00
__builtins__.oArgs = oArgs
2022-10-29 00:30:46 +02:00
vSetupLogging(oArgs.log_level)
2022-10-27 07:34:31 +02:00
i = 0
for sProOrNodes in oArgs.lprofile:
i = iMain(sProOrNodes, oArgs)
2022-10-10 16:02:52 +02:00
2022-10-27 07:34:31 +02:00
sys.exit(i)