Skip to content

Latest commit

 

History

History
307 lines (229 loc) · 4.57 KB

Python-basics.md

File metadata and controls

307 lines (229 loc) · 4.57 KB

python basics

shebang linux

#!/usr/bin/env python3
# -*- coding:utf-8 -*-

install dependances from sh / pwsh

pip install <package>
pip list

commentaires

# commentaire
"""
commentaires
"""

variable

a = "chaine de chars"
type(a)
dir(a)
help(str)
a.__len__()
a.upper()

saisies utilisateur et affichage

var = input("saisie : ")
print(f"{var.__len__()} caractères saisis")

Il faut néanmoins rester prudents avec les saisies utilisateurs.

Conditions

"""
== : égal à
!= : différent de
< : inférieur à
> : supérieur à
<= : inférieur ou égal à
>= : supérieur ou égal à
"""

x = 5
if x > 2:
    print("x est plus grand que 2")
else:
    print("x est plus petit ou égal à 2")

Conditions ternaires

x = 5
y = "plus grand que 2" if x > 2 else "plus petit ou égal à 2"

Boucles for

for i in range(5):
    print(i)

Boucles foreach

fruits = ["pomme", "banane", "cerise"]
for fruit in fruits:
    print(fruit)

Boucles oneline

[print(i) for i in range(4)]

Exception et gestion des erreurs

try:
    1/0
except Exception as err:
    print(type(err).__name__)

linux time:

import time
time.ctime(152546)
#'Fri Jan  2 19:22:26 1970'

base64:

import base64
base64.b64encode(b'test')
#'dGVzdA=='

Hexlify:

import binascii
binascii.hexlify('A')
#'41'
binascii.unhexlify('41') 
#'A'

file:

with open(file, 'r') as f:
    line = f.readline()
    while line:
        print(line)
        line = f.readline() #ligne suivante

commands

import os
os.system("dir")

Process:

import subprocess

scan = subprocess.Popen(["nmap","-sP","127.0.0.1","-oG", "test" ], stdout=subprocess.PIPE)
while scan.poll() is None: #on attend la fin du process
    if scan.returncode == 0:
        print("[*] scan arp terminé")

mini serveur web:

python3 -m http.server
python -m SimpleHTTPServer
sudo python3 -m http.server 80

binaire et char:

import binascii
bin(int(binascii.hexlify(b'Dojo-101'), 16))[2:]
binascii.unhexlify('%x' % int('0b' + '100010001101111011010100110111100101101001100010011000000110001', 2))

url decode:

import urllib.parse
encodedStr = 'Hell%C3%B6%20W%C3%B6rld%40Python'
urllib.parse.unquote(encodedStr)
'Hellö Wörld@Python'

socket

Connection sur la couche TCP/UDP

import socket
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
sock.connect(('taisen.fr',443))
sock.send(b'test')
sock.recv(1024)
sock.close()

url encode:

import urllib.parse
urllib.parse.quote('&')
#'%26'

http client:

import http.client

GET

connection = http.client.HTTPSConnection("www.google.com")
connection.request("GET", "/")
response = connection.getresponse()
print("Status: {} and reason: {}".format(response.status, response.reason))
response.read()

connection.close()

POST

conn = http.client.HTTPSConnection('enirdd6d0146.x.pipedream.net')
conn.request("POST", "/", '{ "name": "Princess Leia" }', {'Content-Type': 'application/json'})

request + BeautifulSoup

POST

import requests
url = "http://staging-order.mango.htb"
headers = {'Content-type': 'application/x-www-form-urlencoded'}
post_data = "username=admin&password=admin&login=login"
r = requests.post(url, data=post_data, headers=headers, allow_redirects=False)

Parser le html

import requests
from bs4 import BeautifulSoup

response = requests.get("http://taisen.fr")
soup = BeautifulSoup(response.text, 'html.parser')
print(soup.find('h1').text)

conversion char / Unicode / ascci:

ord('A')
65
chr(65)
'A'

little indian:

from struct import pack
pack('<I', 0x08048474)

avoir un shell ou corriger un reverseshell foireux

python -c "import pty;pty.spawn('/bin/bash')"

strings

import string
string.printable
#'0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ!"#$%&\'()*+,-./:;<=>?@[\\]^_`{|}~ \t\n\r\x0b\x0c'
string.ascii_letters
#'abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'
string.digits
#'0123456789'

fonction

def multipar2(i):
    return i*2
multipar2(4)

faire appel à une fonction si le script est lancé directement

if __name__ == "__main__":
    pass

multithreading

import threading
threading.Thread( target = <fonction>, args = [ <argument> ] ).start()