From fa6051a371121305efbcf76125536e656ce0949c Mon Sep 17 00:00:00 2001 From: Roman Babenko Date: Fri, 26 Apr 2024 12:24:13 +0300 Subject: [PATCH 1/9] Update ml training code for split line start:end (#542) * update code for split line start:end * fix * OSError fix * Exception overlap fix * test: actions/setup-python@v5 * actions --- .github/workflows/benchmark.yml | 4 +- .github/workflows/check.yml | 2 +- .github/workflows/test.yml | 2 +- credsweeper/logger/logger.py | 2 +- .../validations/github_token_validation.py | 2 +- .../validations/google_api_key_validation.py | 2 +- .../validations/slack_token_validation.py | 2 +- .../square_access_token_validation.py | 2 +- .../square_client_id_validation.py | 2 +- .../validations/stripe_api_key_validation.py | 2 +- experiment/augmentation/README.md | 30 - experiment/augmentation/__init__.py | 0 .../dictionaries/passwords1000.txt | 1000 -- .../dictionaries/passwords10000.txt | 10000 ---------------- experiment/augmentation/main.py | 356 - experiment/augmentation/obfuscation.py | 84 - experiment/src/data_loader.py | 7 +- 17 files changed, 15 insertions(+), 11484 deletions(-) delete mode 100644 experiment/augmentation/README.md delete mode 100644 experiment/augmentation/__init__.py delete mode 100644 experiment/augmentation/dictionaries/passwords1000.txt delete mode 100644 experiment/augmentation/dictionaries/passwords10000.txt delete mode 100644 experiment/augmentation/main.py delete mode 100644 experiment/augmentation/obfuscation.py diff --git a/.github/workflows/benchmark.yml b/.github/workflows/benchmark.yml index 89bde01f5..6aa0b5f1f 100644 --- a/.github/workflows/benchmark.yml +++ b/.github/workflows/benchmark.yml @@ -346,7 +346,7 @@ jobs: steps: - name: Checkout CredData - uses: actions/checkout@v3 + uses: actions/checkout@v4 with: repository: Samsung/CredData @@ -383,7 +383,7 @@ jobs: run: python -m pip install --upgrade pip - name: Checkout current CredSweeper - uses: actions/checkout@v3 + uses: actions/checkout@v4 with: ref: ${{ github.event.pull_request.head.sha }} path: CredSweeper.head diff --git a/.github/workflows/check.yml b/.github/workflows/check.yml index b4b58ddf5..8ce7d3d25 100644 --- a/.github/workflows/check.yml +++ b/.github/workflows/check.yml @@ -92,7 +92,7 @@ jobs: if: ${{ always() && steps.setup_credsweeper.conclusion == 'success' }} run: pylint --py-version=3.10 --errors-only credsweeper - - name: Analysing the code with pylint and minimum Python version 3.10 + - name: Analysing the code with pylint and minimum Python version 3.11 if: ${{ always() && steps.setup_credsweeper.conclusion == 'success' }} run: pylint --py-version=3.11 --errors-only credsweeper diff --git a/.github/workflows/test.yml b/.github/workflows/test.yml index ca8c058fd..187c67795 100644 --- a/.github/workflows/test.yml +++ b/.github/workflows/test.yml @@ -21,7 +21,7 @@ jobs: strategy: fail-fast: false matrix: - os: [ ubuntu-latest, windows-latest, macos-latest ] + os: [ ubuntu-latest, windows-latest, macos-13 ] python-version: ["3.8", "3.9", "3.10", "3.11"] steps: diff --git a/credsweeper/logger/logger.py b/credsweeper/logger/logger.py index b467dc844..f59ab017a 100644 --- a/credsweeper/logger/logger.py +++ b/credsweeper/logger/logger.py @@ -48,5 +48,5 @@ def init_logging(log_level: str, file_path: Optional[str] = None) -> None: logging.config.dictConfig(logging_config) for module in logging_config["ignore"]: logging.getLogger(module).setLevel(logging.ERROR) - except (IOError, OSError): + except OSError: logging.basicConfig(level=logging.WARNING) diff --git a/credsweeper/validations/github_token_validation.py b/credsweeper/validations/github_token_validation.py index 297a40185..74a59f5c6 100644 --- a/credsweeper/validations/github_token_validation.py +++ b/credsweeper/validations/github_token_validation.py @@ -37,7 +37,7 @@ def verify(cls, line_data_list: List[LineData]) -> KeyValidationOption: "https://api.github.com", headers={"Authorization": f"token {line_data_list[0].value}"}, ) - except (requests.exceptions.ConnectionError, Exception) as exc: + except Exception as exc: logger.error(f"Cannot validate {line_data_list[0].value} token using API\n{exc}") return KeyValidationOption.UNDECIDED diff --git a/credsweeper/validations/google_api_key_validation.py b/credsweeper/validations/google_api_key_validation.py index 3aa80b45f..d9a64ae9f 100644 --- a/credsweeper/validations/google_api_key_validation.py +++ b/credsweeper/validations/google_api_key_validation.py @@ -34,7 +34,7 @@ def verify(cls, line_data_list: List[LineData]) -> KeyValidationOption: # validate the "key", so we will know if it's real or not. r = requests.get( f"https://maps.googleapis.com/maps/api/place/findplacefromtext/json?key={line_data_list[0].value}") - except (requests.exceptions.ConnectionError, Exception) as exc: + except Exception as exc: logger.error(f"Cannot validate {line_data_list[0].value} token using API\n{exc}") return KeyValidationOption.UNDECIDED diff --git a/credsweeper/validations/slack_token_validation.py b/credsweeper/validations/slack_token_validation.py index 699a30ada..a7f9e7953 100644 --- a/credsweeper/validations/slack_token_validation.py +++ b/credsweeper/validations/slack_token_validation.py @@ -32,7 +32,7 @@ def verify(cls, line_data_list: List[LineData]) -> KeyValidationOption: try: headers = {"Content-type": "application/json", "Authorization": f"Bearer {line_data_list[0].value}"} r = requests.post("https://slack.com/api/auth.test/", headers=headers) - except (requests.exceptions.ConnectionError, Exception) as exc: + except Exception as exc: logger.error(f"Cannot validate {line_data_list[0].value} token using API\n{exc}") return KeyValidationOption.UNDECIDED diff --git a/credsweeper/validations/square_access_token_validation.py b/credsweeper/validations/square_access_token_validation.py index ddd8e8f94..944bcdf75 100644 --- a/credsweeper/validations/square_access_token_validation.py +++ b/credsweeper/validations/square_access_token_validation.py @@ -39,7 +39,7 @@ def verify(cls, line_data_list: List[LineData]) -> KeyValidationOption: "https://connect.squareup.com/v2/payments", headers={"Authorization": f"Bearer {line_data_list[0].value}"}, ) - except (requests.exceptions.ConnectionError, Exception) as exc: + except Exception as exc: logger.error(f"Cannot validate {line_data_list[0].value} token using API\n{exc}") return KeyValidationOption.UNDECIDED diff --git a/credsweeper/validations/square_client_id_validation.py b/credsweeper/validations/square_client_id_validation.py index 1dffa8af5..4e2708a68 100644 --- a/credsweeper/validations/square_client_id_validation.py +++ b/credsweeper/validations/square_client_id_validation.py @@ -33,7 +33,7 @@ def verify(cls, line_data_list: List[LineData]) -> KeyValidationOption: try: r = requests.get(f"https://squareup.com/oauth2/authorize?client_id={line_data_list[0].value}", allow_redirects=False) - except (requests.exceptions.ConnectionError, Exception) as exc: + except Exception as exc: logger.error(f"Cannot validate {line_data_list[0].value} token using API\n{exc}") return KeyValidationOption.UNDECIDED diff --git a/credsweeper/validations/stripe_api_key_validation.py b/credsweeper/validations/stripe_api_key_validation.py index bb18de106..2ee0b3dfd 100644 --- a/credsweeper/validations/stripe_api_key_validation.py +++ b/credsweeper/validations/stripe_api_key_validation.py @@ -31,7 +31,7 @@ def verify(cls, line_data_list: List[LineData]) -> KeyValidationOption: """ try: r = requests.get("https://api.stripe.com/v1/charges", auth=(line_data_list[0].value, "")) - except (requests.exceptions.ConnectionError, Exception) as exc: + except Exception as exc: logger.error(f"Cannot validate {line_data_list[0].value} token using API\n{exc}") return KeyValidationOption.UNDECIDED # According to documentation, authentication with wrong credentials return 401 diff --git a/experiment/augmentation/README.md b/experiment/augmentation/README.md deleted file mode 100644 index 8dccaf0c3..000000000 --- a/experiment/augmentation/README.md +++ /dev/null @@ -1,30 +0,0 @@ -# Augmentation of CredData data - -## Requirement - -``` bash -$ pip install -qr requirements.txt -``` - -## Run - -``` bash -$ python main.py -``` - -Such as: - -``` bash -$ python main.py "/path/to/CredData" 0.1 3 -``` - -As a result `aug_data` folder will be created in `` - -## Password samples - -To improve the quality of the augmented data and their suitability for training the ML model, such credentials as Passwords are replaced with samples from real passwords during the generation of the augmented dataset. - -Password samples consist of 2 dataset: only passwords contains words inside and dataset containing many kinds of passwords including word passwords, number-letter keys, multi-word passwords, and others. - -Passwords contains words set was generated on own sets of passwords with words obtained during the collection of the dataset -A more extensive set of passwords was created from several sets of passwords from https://github.com/danielmiessler/SecLists and own sets of passwords obtained during the collection of the dataset diff --git a/experiment/augmentation/__init__.py b/experiment/augmentation/__init__.py deleted file mode 100644 index e69de29bb..000000000 diff --git a/experiment/augmentation/dictionaries/passwords1000.txt b/experiment/augmentation/dictionaries/passwords1000.txt deleted file mode 100644 index 5c97dd27e..000000000 --- a/experiment/augmentation/dictionaries/passwords1000.txt +++ /dev/null @@ -1,1000 +0,0 @@ -1timnp2 -hello -060105706 -qw0901 -nextcloud -andres1998 -trishy -massive55 -nundukdik01112008 -w@123123 -hany2604 -exp838650 -tktyf -druid123 -puser -go1337420 -gabuxamozha -somethingevenmoresecret -koala -gyteTiyQ -elastic -bugman123 -Gazelem1804 -x28a -xray-password -Connoro1 -laser80 -grinty -f4spongebob -fantastic05 -kensentme -television -mupp -alcohol -maryjuan -sonarPass -bamelement8 -Ordeni31 -blue -cheer18 -h4p54r1 -wereinthistogethernow -p@/ssword -AAron1986wang -gmail3423 -Oracle123 -ECSWIMMING -tekiero -jabber_pw -DB_PWD -my name is mohammad -mausebaerchen -terraboard-pass -alessandro lessi -conildelafrontera -phil4joel -kambing ompong -ed9816330ed -ship coffin krypt cross estate supply insurance asbestos souvenir -MyP@ssW0RD -rb776596 -terraboard -kucingcantik -sarahcat1 -2ofamerikazmostwanted -g1yOZ1v967 -shado2009 -welcome2resty -P4ssw0rd -361755290 -winfield6 -brukerpassord -epitaria88 -oekaki12 -26051994 -stressedout -Appel456466 -CHIMBIOMBO -22ar152213 -tdw025 -159753RT -anonymous -spp2sgtp -ultimate27 -xuesong -e5pamskk -sweeties! -08098989 -Daniel11 -slowdive -su110600 -Melisa11 -Aykut1973 -dzjluv -graphite-is-awesome -conta1n3rize14 -frog9gate -caballero -1newnut -Rad1at0r -jeffteenjefftyjeff -vNEC7LsV -packers -Passw0rdss -love12 -mullac1 -8846f7eaee8fb117ad06bdd830b7586c -Heracr0ss -torilyans -LoremIpsum86 -51354706 -SALTYUPD8bonjour -bkteck112011183 -manutd2 -andreea2006 -hotmamma16 -anirvana -Eagles -theworldisnotenough -cdra854 -AIKIDO2006 -Fishy123 -71192 -maqudi50 -3eChurchill -rika05 -pbpaste -1615bicho -fjHtKk2FxCh0 -bling11 -P@$$w0rd!!! -789456123 -ff0960078288 -trustme72 -tengohambre -JUNIO89 -925104 -ggpksd09 -crimen1980 -redbullt705 -passxyz -K8s_admin -herons -gapatuna2 -19june2004 -GR?XGR?XGR?XGR?X -Andrada1 -0505heemoo -somewordpress -19291929 -china6655 -idp-password -demo -mcdougald! -motox0555 -5211314 -celia1925 -killme89 -!!Estresado!! -nobodyknows -S0meVeryHardPassword -cornelle2 -nutsack99 -RafuZaze -a528590f -informtique -quieroserfeliz34 -billybo12 -http-password -digo98 -jaime18 -cGFzc3dvcmQ= -P@$$w0rd!! -boeing707 -tricolor2003 -rally-password -T0pS3cr3t -200132 -tE2DajzSJwnsSbc123 -buddy1227 -Is that account now banned? -sflajgz0 -yesnoyes95 -yhq51677 -PHP & Information Security -roro225 -smtp_password -n37cvE -372963 -e!@$%s^&*a -Northwind1! -12365478965 -Bamsebus2 -y&x5Z#f6W532Z4445#Ae2HkwZVyDb7&oCUaDzFU -aswin2505 -moustike -scorpio26 -NASTY31 -iMacMB417 -riksnet -w2ewe_SAdg -a1s2d3 -c19891225xx -520dj1314 -kontes -bar -newgurl. -graphql -kip7s7zer -haveafaith7175 -Hh014211 -Torche%9 -pimpin5 -omri19 -boom -tsA+yfWGoEk9uEU/GX1JokkzteayLj6YFTwmraQrO7k=75KQ2Mzm -simon1 -laika4laika -060756s -crazytatar -HUGGLESS1 -muqeet123 -helloworld -w8wfy99DvEmgkBsE -fbegum -LazyHazy1 -gudang-glodok -postgres -scwww123 -bearme -s3cr3t! -dark123 -sha1$1b11b$edeb0a67a9622f1f2cfeabf9188a711f5ac7d236 -hernando@4!@#$%@ -Supinf0 -COYOLXAUQUI -Qmbdf#3DU]pP8a=CKTK} -cheesyjohn~gmail.com -369641 -rmchm923 -CARROTTY85 -s3krit -app_password -34731401leo -gorm -nadou3530 -unresponsive-server -welcome1@4!@#$%@ -arcangel321321 -30julio2005 -herecomestherainagain -556884223 -neo4j -dr0g0n -beef -santa0 -donuts -bar} -TM30WebStationpostgres -BEETLEMAE -setodosfossemiguaisavoce -Jasmine23 -izayoi -toecutter -keystore-password -bookshelf -pooh01 -1288910h -729559 -7061737300776f7264 -wzh800726521 -polgár999 -sikrit -TeamFortress2 -Manuelssd -esmeralda1 -mitchell -mysql -shop_y_tu -Rileydog1 -blujello1 -OLVIDALO52 -dreamer'sdisease -Buddy007 -cwbng2106 -verify-full -b092Bsi -3cd6944201fa7bbc5e0fe852e36b1096 -Agent911 -red-eyedtreefrog -sd888wzg -l0ng-r4nd0m-p@ssw0rd -a7b6349 -789789ABCPAABC -Bowie2017 -secretp@ssw0rd -bW9jLnRzZXRAdHNldA== -offer -16481363 -96uCF96astra -bonjour gorille -kasiulka1 -bronx82 -...........bentong -aLazzari81 -bridgitte1 -4jjys70is -2eeephmg -970201cyy -stoner420 -murat6035 -407936 -forever3 -920902709 -sentinel-server-password -paranoid -keystorepass -Michael1 -london2000 -abejas -salsa20_password -hunter2 -Raumsprayvanille -mDLx?94T~1CfVfZMzw@sJ9f?s3L6lbMqE70FfI8^54jbNikY5fymx7c!YbJb -alexim -justice343613 -172231 -51dea -ekaette -hbw2008 -skater13 -oxfdscds -root -szemuveg -ella dahruji -P4ssw0rd DATABASE_NAME=vertica -izzy5864510 -android -cronaldo -m0n1t0r1ng -condoom -478082 -docker -youmakemefeelbrandnew -Molly1998 -ferdhinand -beautiful1 -sonar -ankmon176 -fivecharacters -minesweeper -dbblog-jasypt -Adm1nP@ssw0rd -7811179 -prince2007 -2noaha2 -apenaseu -chivas5 -13031705 -penner88 -ada777 -120189 -Gimbo4316 -Oracle_19c -RADU1998 -chiodos3 -p4ssw0rd -41iagica -vdifaq35 -m3wissexy -170202g -velcrosquid11 -pretty1337 -wallhack.dll -Super2man -kengtrue0802272291 -Allison1 -AleksandraGolis -connecttoplotly -docker-mailserver-password -SimonOechsner -transito1 -hellner -fly0727 -eo1728 -47575c5a435b4251 -underscore -preacher -user1 -mallen1982 -CircleOfLife -romera3mauricio -121212 -gLr5Q9k1 -REALMADRID -iloveyou12 -pygmalion -goldos -user2 -sht1977 -mipeq<3 -pecilon2 -mar666 -saiboT10 -other -1011900 -cowboys915 -piotr87 -gitea -986e158d -tomeua -radio -iloveyoumichaeljackson -dude11 -banana -fapisvap -go-acme -delete227 -emeraldcityrollergirls -sonar -8fesfsdBOrwe -g3tInCr4zee&stUfF -iloveyou** -communityactionpartnership -Tumsr1ws -insta -sudarsha -alper1990 -dontunderestimate -9ilovefies -veryPriv@ate -Bayrep123 -vinha123 -Aa010010 -laradock -sentochihironokamikakushi -thewall22 -serpent -0Y8rMnww$*9VFYE??59-!Fg1L6t&6lB -85781262962 -hakero12k -porkchop -theshadow59 -store!!!! -visalia -123mudar -ellifee -cassandra -BnQw!XDWgaEeT9XGTT29 -1542124 -amq93j -makis_password -apple -daniel -another -alexis1289759 -tamarindo -rionedin -sm1237e6 -SEXYGIRL89 -p@ssword -CARIANNE -PcGKmxzEzOQdl3Vk -good062 -RUGW7yDIwNgrmCkD -Weakest123* -pepe2 -animagez111 -7426006 -userCPass -ELDUKES174 -P@$$w0Rd -lenau -oizanauj95 -gomitas -gatelband123 -Symbols1 -penguin -503mrpelon -23192022 -maman26 -new_user123 -ownage2014 -2fuck601 -andrea4 -benrocks -shani1974 -94949494dyego -jifeng -i.dont.know.adrian -gbnarmy -little10304 -OhG0dPlease1nsertLiquor! -p0rks0da -lumina97 -nyteskys -15975338 -johnathon072492 -rar123 -smith -MARIOBROZ -brok27 -toyaamar02 -globalpositioningservices -galo13 -1431666932 -Wapkino9 -roblog -4c9f746b -pinecobble -spm060587 -wilmalove -random1 -john -OperaCache -keystorepassword -server -910512 -rCOSZxJrgze2AZdVQh12c6ErDMOG0M+Rx5Yu7S5d91c=GS4SbTQYmoaGwjm2shEobg== -A_Str0ng_Required_Password -thisentry -kj4everd -ginger2 -snoopy1 -15lifestyle -duplicate_user -Victoria27 -gizmo1223 -soyelmejor -pupi2251 -0509925952 -bcvbsgdx -operationgroundandpound -jagvet89 -lp92 -P@ssw0rd! -p@$$w0rd!! -MySuperHanaPwd123! -MRzA7901 -catnip4life -nealiosia1. -jjlaw24 -$2a$11$ooo -329s6kk5 -lewsey1 -alegria72 -zomgzomg -qwertz23 -Dishremote -T0PS3cr3T! -Five Finger Death Punch -senhaProfissional -Coldheart321 -ncc-1701 -Nicole196 -Hookah123 -H0ombrebueno -Fatma123. -y&x5Z#f6W532ZUf$q3DsdgfgfgxxUsvoCUaDzFU -urtzitalur -3101984 -P@$$w0rd! -canal -D3v3l0p3R -Armadylgs1 -kawing2000 -quartz2123 -loiclisa -IRYNA -secure123!@# -moocow -Manuel2003 -p0stalpassw0rd -u6nog1g1pjadcj95937bk41vgb -Skt2T0tjMk5PdQ== -kissme69 -akon12 -oldpw -P@ssw0rd!! -kataras_pass -anothertimeanotherplace -utPass1 -vagrant -world -germans#1 -world#bang -sendgrid-pass -790830201 -MY2GIRLSNY -BAL1410 -kikita -03415048490_clau -nick08 -rsync_password -zabbix -m8tnit1n -bqhcx1 -111sam -tekierofran37480 -cherrie11 -diosmioayudame -jbai1ww -teach2me -flask -s0meth1ngs3cr3t -1tIsB1g3rt -!*123i1uwn12W23 -ZbKdKJnuEi5K -MySeCreTPaSsW0rd -iseeyou -warl0rd -sHPnBQX988 -BYSGB123 -babyboo123 -61cD4gE6! -6742530 -bugmenot -somesupersecretpassword -guest -johndoe -des2806 -qa9624351 -robc21 -pepepass -userDPass -gujeke35 -73051206199 -rumble -kettcar -qwerty -kodoks -wsrnFBjTR7k -elfriede1 -platinum1 -NHvSGwMX -rosapink -41flower58 -lop00717 -top_secret -Gooseman17! -Teddy024 -asdfasdf -special, permissions: $admin_user} -verydark123 -lori1love -Derekjeter2 -be_re_ni_ce_87 -Darklord123 -gunit110a -Oracle_12c -promesa1933vacia -1mp0ss1ble!!! -1732575089 -Creeper44 -lalalu -photoshop -ANTHONY2009 -tacarrion -extra5 -kbson -mynameisovertherainbow -vanilla123 -rui costa niar -4841920a -licht -Bayern07 -shadowsocks-password -+bondade -ihate098765 -fishnet1 -BnQw&XDWgaEeT9XGTT29 -r3m0te -monkey -bardia123 -kanem0t06 -lynchfarm12 -esfod9687 -TEYkGd -s??same -02121979demiz -tacoman -kiwi01si -ninja@1 -BABIE1 -371413 -volimte123 -M3@n.jsI$Aw3$0m3 -Megamanx8 -lafaroleratropezo -VONSWAN2 -warningkeepaway -kgbciafbi -44150422mm -798532322 -poptarts420 -3505_8512 -sentinel_specific_pass -BO6ix1HgpjRh4SeSTMLPn7voYczQdmO9CiwwS4SXtwvR -Pepperdine08 -userAPass -Spanky69 -Honda123980 -electricalengineer -watiswrong112 -99090202 -Myspace1 -157815482 -Asswe123 -bedroomeyez412 -sonic18 -mozhi -ucllse00 -helloe -rehhtk -dolphins31 -yayan170183 -open -amorjoey1 -open sesame -Anonwishbone1shadow -canela26 -gamestop1 -baseballer123 -woodpony7 -LetsDocker -gvang033 -195258325biiaankaa -rocket16 -nco5ranerted3nkt -lella-tata91 -pwd4myschema -breakonthroughtotheotherside -schmitty11 -love4life -dirt81 -p4ym3n0w -b9841238feb177a84330f -91bee7 -Thesoup1 -mimi74 -9502573031 -igor12 -al15001500 -3303pp -peewee -ButtRfly11 -20701868 -tifoneras -hamedani -16188s -mustafa -hehe -welcome -bfh2007 -reggeton -s3Cr3t -b1cb6e31e172577918c9e7806c572b5ed8477d3f57aa737bee4b5b1db3696f09 -huym0987874631 -mastermods123 -Dnmdaman123 -RMGNYLB06 -iverson03 -angelnoah2 -GOLDSHIRT227 -Niall777 -jelly13 -74lancaster -exodus23 -DasPasswort -client -juanjuan123 -s3cr3t4 -d28cf9fe -7472008 -pass #w@rd ? -VEHWMCcfuMJ -soyarmandoromero -google12 -aran032717 -170704 -saweet -authelia -lyn46318 -My_R@ndom-P@ssw0rd -P@$$word!! -jasper203 -gr4ndth3ft -cableline -6142211761 -jodido -D7wIgTjM0OQeYD2B -f@rmb0y -firefly -endan9 -1jaeger1 -wordpress -notary_signer_db_password -au09crown -GHCR_PAT -hod20x4hnkecy63 -7DtygAE393 -sdf543G1 -asiankungfugeneration -Siemens555222333 -daemon-password -LSMJHockeyNissa -Albero123 -authswitch -sonicsherwood1 -fjr220 -master-password -hello1 -docker!!11!!one! -s3curE_pa5Sw0rD -oracle -thenorthwindandthesun -wavy375bey050 -zhangpw -eat-the-living -jordans1 -cauldronburn -darkfairy1 -dpl-pass -sam -imflying123 -tylerjack321 -familiazonko -inception -trustme -Did we set a date yet? -608637 -sh0pahol1c -posol nahuj lox -s1thrul3s -q331ncxxi -08yw908hi8h -azerty83 -nicky3 -u1r2o3s4 -application -e7fcw45et6w54ey -000q1gong -Oracle18 -Aw3$0m3P@ssWord -jal123 -s3cr3t -partwood -53oo517 -objects material things -EePoov8po1aethu2kied1ne0 -LS.mp3xxicd3c4e -3RLdPN9 -llc5262 -babyluv863 -adobe1 -soniatko -n8116514 -^___^ -idp_user_password -HyL6358 -nickbest -1989rolando -Bmx4life -dooH -cocker -abc123 -table_password -YOSi1Hie -canal -katarina10 -a3350868 -enthit58 -hakurei -prom-operator -manager123 -osiemnastka18 -u2TZDkfHSm -nextcloud-secret -chauchas -club -citlaly -SNESHLOL1 -Glasgow1996 -conan11290 -puffy987 -MANAGER -pangeran kutub -urnan123 -tel29357631 -Missekh!85 -regarderautourdevous -Palindrome -p@$$vv0rd -po389ef0sS -lemongrovehistoricalsociety -m013528 -lollol12 -1995emrah -chirpstack_ns -employee123 -mysqlrootpassword -myP@ssW0rd -Mnanaszko1 -mingle1975 -djoAI71984 -anth0ny -muerte6zieloni -federico -helena -pepepass2 -quiero -010792j -TRADITIONAL -monkey summer birthday are all bad passwords but work just fine in a long passphrase -R4%forep11CAT0r -s3krit-password -fluentd -071403jcs -alliemaria -HAHA -jahmir22 -swagsurfing101! -yasi1618 -shakira5 -NickFuryHeartsES -pleasedontstopthemusic -iris_password -offer_x -otool -baz} -lailaa -p@ssw0rd -whoop whoop whoop -gfljj27251100 -qs4life -shazam9 -rienda13 -daminou9 -soup00 -yg@log_ -kimaknei -souljagayorgirl -Muchalu922984 -chodogg3 -Texas1993 -SomeKindOfPassword123!@# -priv4te -ed20075a -novaliches99 -MYDBPasswd -rubygem -Avalanche123 -gocommerce -dev1010 -s3cr3t -yasmin533222 -goiczyk50 -jptoma -userBPass -backdoor123 -patrulla -Lolwut22 -monitor -June1972 -notreal6 -erreway -Bigro5572 -s3cr3t55 -grafana -Lextasy1 -jojo -03157404842 -l1ljoey -in the beginning was the word -frosty -Riley2015 -hhhhhh1 -vwinecoor -Doe%n -otterboy96 -qazwsx -zarakikempachi -sagitario -Carvalhais2008 -HOLLOWHOLAND -malamar47 -aaronrocks -yYh7KDQ2 -lotus1966 -Different_Password1! -GILLIANSUMMERS -my awesome password -external=e -ekon2dance10 -bazars1 -churraco -shouldnotchange -jay143 -Oradoc_db1 -bar????? diff --git a/experiment/augmentation/dictionaries/passwords10000.txt b/experiment/augmentation/dictionaries/passwords10000.txt deleted file mode 100644 index 3401cced2..000000000 --- a/experiment/augmentation/dictionaries/passwords10000.txt +++ /dev/null @@ -1,10000 +0,0 @@ -borren -G00d$0C! -killahawk1 -P@$$word!! -vero4335636 -9558079809 -dbpassword -21clearnhk -John12611 -josexd -telefono -143LVU -ruhtra -francois -sasosa -yr8BbJP3 -whisky -clarky88fc -handyland123 -RAPS -solangep -blahblahblahsuckmycock -yousuck1 -songonar -Bailey2007 -98521pop12 -7ruyx7 -zhou741205 -CRUZIER12 -bachuna -Lili2012 -Meteor1992 -carmos -futuro27 -eliranthecool -Business-Scriptsengelchen -dulcepena3 -3cyazw -hanaeb -19936146 -sp00n2357 -1201991 -412497samloo -JACK2144 -192020 -512848239 -mcfly33 -tigteri01 -BugaBernadett -acd49835 -tierra,raiz,arbol -Gangnam88 -dragon -rowanlynch260 -kentata13 -toecutter -alex13061981 -Motherfucker131292 -U9grd6oV -zolo78 -painkiller6 -3424fefe -kodr3anu -15Feb1944 -supersang12 -vitor123cara -cashismoney$$ -noodlenoggin -ohbaby!! -5dxm3o -rheine -azertycDWQR#$Rcxsc -0167006020 -steelmouse125 -VONSWAN2 -B16866 -ea220162 -amypaul -74lancaster -sFFvFv124 -100000618520430 -AGUS4645 -19880110 -CaptHook999 -03100540 -dontfuckwithchuck -erikagamez -180583 -S0meVeryHardPassword -Password101 -nrivana -sheily -Hanna#11 -iexp123 -UPNE05tkNK2BT5ZFHnwDODhmjD1v -burrows88 -easyme2 -Camillagabriel07 -doerak6 -optima1 -HEREWEGO44 -QBBALL6306 -snail1 -bsns1053 -070604ww -22011979 -ROBJORDAN -lukas -zander420 -kokoloko -3Uostu -250779 -HelloMyNameIsJoshua -vroya -010792j -D3nn1s13 -j2750147 -Roflcopter1 -lightbaine42 -powa101 -donkey07 -MIMI841030 -1005KENNY -rojocapo -football -garretthale -hotels -mora00 -reina1 -Lounaj83 -setodosfossemiguaisavoce -bxu@3307 -TYko4kaT -asdfghASDFGHqwer -shirley3 -soyunaborde -slayer336 -13031705 -bianca7812 -wobble420 -rehana123 -rmnetnt123 -cervejagelada123. -pbpaste -mummy_daddy -HEALTHPARTNERS -strgiu9501 -fee38217 -3lectr0wnsall -ana123paula -crazyone1 -hovnocuc -stanley19 -Dudley63 -Muse123 -app_password -bigd78 -chiller99 -oxfdscds -tAVD3Yvi2 -swiveling going round -mnkhcc -pilifbmf -anrosa -CTyj2tw9 -61cD4gE6! -Generacion2005 -omryballack13 -adobe1 -1newnut -g3pkra -godknows -dbpassword -lloyds28 -fd94jhcx -Jackson15058 -lixiaoqing1189 -klovatina -bibian -SAMMYK -friendsofdoctorjohnson -bjonathan -demoxx01 -15426378 -HOTTIE1 -ATILIO -cacu32 -sebob5601 -nixon123 -terrytiger -723175 -namita1974 -elghamrawy35 -lilcuz1 -tacoman -guadalupe5 -Dogs9908 -KALIBKALASH -bunga123 -amoforeverthesickestkids -Alex1Emma9 -blondie87 -woodpony7 -188258 -lulzgetrektm8 -b00st3d -650seest -d212116 -special, permissions: $admin_user} -fornaciari -claudia -yag2XRFP -hakurei -pruebagc -900ec85f -15150689007 -pazarlama -YOMOMMA -woody1 -chulishuesito -sarogui -patitofeo -sogo214 -ferias-evolution -castner15 -Different_Password1! -hp14a2107 -johndoe -the revenge of the sith -7905216 -nf010147 -Primera4202 -matmat -Val3ncia -arc407 -niehao -tf5ko03 -asdfghj -caballero -hod20x4hnkecy63 -doggyleo -roblog -Bowie2017 -luv-69 -fangot$ -with spaces -944647712 -hemi1000 -62143138 -muerte6zieloni -p@/ssword -supertobi4554 -velcrosquid11 -mackerrow -22219934ever -asiankungfugeneration -theworldisnotenough -ilovecass! -conghuy86 -4meitsjoke -keegan1 -mupp -veruneveru2 -gorgon123 -110506jyd -lingming24 -3091992 -lizzethe! -chidie -lalala16 -loller2456 -kwfr525 -login3754 -rosats -skogshallon -darkmortel -080990a -cocotekowe212 -go1337420 -sexy123 -logistics1 -ksbclient -wombat -ABSxYz182 -travis. -penguin -12qwaszx -chavepinayare -geeb77 -luck777tw -4r1g0n -STATEOFCHAOS -gofree -19781997 -Dalap-Uliga-Darrit -oreo4868 -steph11 -RACERGREG -l1onh3art? -chomik11 -g1yOZ1v967 -psgman -employee123 -arturito -boom -UACM2006/2008 -horse1 -cyberborg -125219135 -fekster1 -aza341732 -jolin111 -kAY&NEt$uwrU2* -26jody -zevoka79 -myP@ssW0rd -bng94bbu -spa2012 -kaghmhlmt -1317 -the midnight meat train -000comoj -1bg35coupe -VALLUBTONY -nadd92 -knulladig2 -hmm1560344 -$2a$11$ooo -woofer -qidexi89 -Lizardbooter123 -gregkhwjekghwesdvfklhwfl;kqwjfqelwfj -sammyd5 -Michael1 -5211314 -smegma32123 -301038 -dudego -tounge21 -reifendruckkontrollsysteme -hanakimi -ericalynn06 -Mongoose! -7Rbcdjb191 -alberto208 -dove01 -Phantom1 -vfrcbvrf -lngba5zq -secretp@ssw0rd -t0n1na -91bee7 -65larismanis -gavinj -Football2001 -138056698013 -party12 -otool -zatouc49 -lemonPIE1 -sarim5samun2 -jeyboi99 -roblox1145 -shinchan68 -rujita2 -psykiater -VnCMaX -jhml06 -beat12 -owned101 -368001328 -thuydiem123 -8397403 -arnon -campoar2.roble -6219881991 -joekaram -13wardst -ozzy123 -61ca24d2 -Noob4life -america1 -278876 -iv8686an -iknurt -Souleater123 -paxsinica -asma1990 -041463 -fonseca1717 -manuel05 -jeabbeer -930906016705 -J0kker -230700 -fifi-butyok -server -yohanaugusto31 -LEEBEE24 -katu123 -fantastic05 -6DEMAYO -hugsevleo -superS3cret -Thematulaklives1 -Ok thanks I get it now -8282815 -katala -joyce123@4!@#$%@ -1g2baMFm -millions2008 -7DtygAE393 -jolieke -ryanh2 -popopito -h4rdw0rk -divina -perrachichona -dg1180 -soyarmandoromero -vasseux -ILNC23 -870628 -4915 -guesswho? -hooters2 -ADRIAN -Juninho7 -mini=C3=B1o -wibble123 -94949494dyego -IAREL33T -genie478597 -xdaffe -Mohammed_1 -matrix22 -unitetra -asdfasdf -status encrypted -hrvega -mathematics mathematics -1971fuzikawa -happilyeverafterin2012 -20091985 -maxiking97 -630158230 -hernando@4!@#$%@ -derpp -Petsrock4 -sonicsherwood1 -grafica1212 -p0r5che -ÂÈÒüÎÊ -mg60529592 -weidong -pearl5000 -wordpress -cgbnim -heilat52 -informationtechnology -011584wb -delpiero -23392089 -06shelly -e6080823 -tsubasa110 -2589of9258 -prom!! -cosmonaute -dansix -jowey707758826 -birago62 -Realborz123 -polaska1 -reppoh -mitchell -adiosmotherfucker -27ollerct -majzlo12 -shani1974 -sammy5774 -23431811n -folks6 -u2TZDkfHSm -Everytimes1 -165750 -hanura9 -jansie00 -allwap123 -7426006 -sonrya -rosita123 -Niall777 -mszbaby1 -ketamina -Thesack9090 -swordfish -NYOSHI -05098817 -niggerfaggots -garcias99 -nahid211 -marek12 -ryan33 -huyongpo -607336Qw -E41982E5EE -yousmell2 -frankfort2 -Oracle_19c -14595578 -comesta3 -ttr400four -7dHIJAUKU -monk-cat1 -ozono3 -malaika5 -Passw0rdss -3ec86b2e5a431be2d72c -85781262962 -bercel -fucktha3 -93830 -hdoradonh -labatearadio11 -hackerlort1 -telenovelasdel2 -hokulea -poohpi21 -BM8t9xgtFQVRJKnrjmVG8g== -wkVVWsDk0MgMSKLa -cf7t8yqNEm -carmelo7 -renz1213 -julen95 -moh2ya -lal123 -NHvSGwMX -matROB#%43 -hanso123 -ilovemadison1 -Bmx4life -babygirl12 -mylife88 -9375ad -donkeytrotter4 -scottliamadam1970 -Remijohnson14 -wvduqyss -TANG6994 -M@ngo123 -qcqpjjmx -zombot911 -c1k4l0n9 -81994 -Issyboo -ashlim -29juillet -spongebob.nanbread -aggie49 -speedbump2128 -1.suchen -elementarymydearwatson -033195r -katarina10 -bd050111 -xcg6rv3kl -cronaldo -mai1045 -jeon0502 -pokorny49 -15975338 -mo1366415 -arcoiris_0 -K1b@na K1b@na K1b@na -85548237 -j18278693 -tablitas -Brabcak101 -hunter2 -kikita -whisky -borivoje1 -rahowa Brother from Va. -GEPUDA -BRITT3N3Y -haiti123 -bqA0JKfn -plutoka -lpsviran7 -FANTASYGEEK -tcp-password -yd83rokk -eita -helloleakviewer -newgurl. -hakkoboy -90919 -s9429733h -173110 -9116370 -swingset8 -MY2GIRLSNY -golkar23 -TvQ71EOvGpUW4Uv+ -s3cr3t! -mamani1794 -VFYV -mbanglispif -FUML -qinyi -Greeshma@778 -azert -78fa095d-3f4c-48b1-ad50-e24c31d5cf35 -qwqwqw12 -alreda82 -SALTYUPD8bonjour -lolopomi11 -alicia3357 -docker!!11!!one! -10kmidjs -insta -outpray -3890608882 -wawerasd -1kitty -bulletproof -enjang kurniawan -vNEC7LsV -number4 -6eL4jTC -ttrspakx -8922707 -janae97 -05031973 -original -Foster2004 -sniper001 -crew1442 -bobo 2005 -HJJHJAMES -denys130 -bkta1002 -Stygian01 -329s6kk5 -ngy200396 -los cantores de chipuco -bold2904 -whiskey -KRYET -yme2005 -mcdougald! -aditya91 -kgvf2M -ansosa03 -ArTuRo00607263 -daffyduck. -Year -e9luca9558 -uf73prjr -dzcybxaw -theworstpersonintheworld -6yjik -condoom -hopeswishesanddreams0 -petunia -zaq1xsw2 -xmvqxdkp -montain -Connoro1 -badger65 -7aswsu2008 -suenjim -MARLA SCHUSTER -071922434 -020524 -dude101 -987654321 -samaneh goli -Emkasec22@ -travis -CHEWKwokKit132 -f5cosby1 -concactaone!@#$%^ -lectumbtmail -nicholas513 -connor_3 -icefields1 -maxidut -buttons2 -shifa16 -Frogger01 -SoftLab -userDPass -m1keda27 -wally2007 -Telefonica1 -fuckyou -2ROX3IEE -johnny69 -norman30 -brian123 -jose mariagonzal -anmamil -kitttie92 -1ccassdog1 -nundukdik01112008 -mester29 -perse32 -KELfal1421 -TUBIEGIRL -K8s_admin -bear0404 -19891210 -cre10 -v03040816v -biteme2 -1744518558 -cauldronburn -Woolston13 -theycanttakethatawayfromme -lestonnac -fuckface@lizard.com -sacb916 -561811,15 -qbi04sh -gangsta1 -glenannesley1 -metalhonor -killbob22 -33519063 -dbitinas -03157404842 -1212 -jillian27 -lilone1 -somethinggoodcanwork00 -ekkemail -dhule123 -junio27 -joychung5k -j7a8m4e9s0 -Invoice3 -Ell42014 -mariah -Bluepalac3 -5d5d554849584a45 -skater13 -asweq123e -archiera1983 -s2b555 -scouting123 -1ncubus -Verlaak2 -corbinx3 -benalan. -pasito17 -gzkgggkn -selva21 -121973 -gesundheitsentwicklung -legepolar -delphi20 -elasticpass -277nrh -google88 -1995818 -0918941157 -Redman11 -orange_b -1288ac -shuma317 -darxTddy -manfredxd11 -MYPAYSTUB -eat-the-living -BVND4WV656 -l4mb4r1 -wrb0891 -komputer2279 -yee2585 -phsa2008 -dolan101 -william15 -bse-5ayasd -Penis250 -sandy288 -loveya -player -jazmin -samsungx680 -bohub060623 -sexypiss -R4%forep11CAT0r -loveyouforeverandever -dcbd7c8d -clanbase -honey0496 -jSljDz4whHuwO3aJIgVBrqEml5Ycbghorep4uVJ4xjDYQu0LfuTZdctj7y0YcCLu -demo -eo1728 -6L1AUr2567 -ihatelife. -Tulips51 -baragon64 -druid123 -rarq4tDelY -watevr053 -dev1010 -dooH -jackeroo7172 -steevio8 -123marzo321 -ddos1337 -workers_password -nikolaiius_0069 -446141 -neverbethesameagain -southatl10 -bumsinseats -mDLx?94T~1CfVfZMzw@sJ9f?s3L6lbMqE70FfI8^54jbNikY5fymx7c!YbJb -44150422mm -atticus! -pavement1 -hummer855 -120189 -benoli10 -23720533 -batman1998 -llylya -emmish -harriet47 -114967 -iverson03 -+9609901337 -w1ll0ws -red40golf -MARYBS6874 -MySuperHanaPwd123! -yenomettin -123123uu -apt104 -emo666 -bettyboop -fs4122 -lucasislasteamo -m12_V4! -A3oNCV -s3cr3t! -bentley05 -czcz2007 -hhuuhuyhuhh -supermm123 -VASILINA270993 -flo2993 -fecamp76400 -hmk0y9 -jmd1410 -6NnjM3zF -katherine69 -o7102008 -arthools -rosco909 -224756am -klifacek -orion01 -successful -sha1$1b11b$edeb0a67a9622f1f2cfeabf9188a711f5ac7d236 -sambrickell13 -auirrt -vc3guntc -oscarmario -Drowssap123 -mechele1 -1976001 -gudoka48 -fjHtKk2FxCh0 -bewitness -05vusfV419 -e7HrVcp -sernat -050aae -cris1506 -blonde. -lurve-coolgals -Julie00hcnelS -BITCH101 -Boosh. -a3deesign -Martina0 -letsdoit -dialisis -qkh821980 -ffw654 -club -nkxpixql -9852092 -556884223 -kingdom3 -619316 -MORTEN20 -victoriaconcordiacrescit -ANTLER52428 -bczc2cbc -graphql -13896399 -fszu3000 -z0mbieo1 -wjdtjr -Dargo123 -gto1987 -kingnick -ohhbaby78 -rsync_password -deatheater_911 -rnimade -extra5 -p@$$vv0rd -dirt81 -somesupersecretpassword -emmachou -sheis03 -megan56 -pierre9599 -7dIzzydog -boom -123123123p -alixx213101 -gmoney1031 -LIMBO14 -kitten lesser pooch karate buffoon indoors -14763Administrator -whatyoulookinat -Snoopy67 -mynodemanagerpassword -belen9214 -wad99 -e5sennett -Rileydog1 -cQ6Fkm1pq8I2mhvOTQPm -98696891procopal -april28 -p3030a -b3axz53 -DKR9J89N -2sexii -mybaby69 -tAVD3Yvi2 -casio100 -ianniscool -m0t4u4j4 -zarakikempachi -grizzly123 -maviss11 -chirpstack_ns -trapstar08 -zxhdl123 -Didimoni -123qwe -hockeyjockey8 -03953538 -vikram442 -shouldnotchange -SIMPSON1011 -xrJiw6rw -Master123@ -misty653 -tumadrfe0 -bazars1 -redmanc -Nj7i2MK -Sundskolen123 -don1212 -Raquel* -kodoks -kawakawa00 -fbegum -21927419arbi -Symptom of a sick society. -Buzzkill1 -alquimista -db_password -iFbWWlc -szattyan -Policia2010 -amore131 -j19982009 -1231212321 -PcsRmR -bgbg00 -srimaa13 -gamer3 -ilovmyfamilyforever07 -30782 -lanix309 -friends0 -xx134113 -5091992 -227510426019 -sma5solo -trishy -hot.tea4ME1 -full metal panic fumoffu -eaxford -Carfur51 -julian09 -digo98 -toadstool123 -Jewelz13 -cauldronburn -animagez111 -pasmao -1maxxmaxx1 -1244652511 -tricolor2003 -castlebar -redeye -ben110219 -bigreturn$ -03data11 -Bellabernadette12 -Wapkino9 -nW4uuhDM5MwxJx3j -followthewhiterabbit16 -dictionary123 -nasosu -markbeek -smitty4421 -K3773QK -reformer -halfwayroundtheworld -Sounds like a good idea. -bilkaa3122 -tpl95gh86s -leo1010 -motsuzou -werder89 -pooooooool -authswitch -gennaro10 -jfreaka5 -babygirl1 -P71HT2b529 -10abril -6667902 -300497 -ihatemyselfadiwanttodie -rCOSZxJrgze2AZdVQh12c6ErDMOG0M+Rx5Yu7S5d91c=GS4SbTQYmoaGwjm2shEobg== -jorrit$ -jonathan4 -benton09 -awakatero89si -oilLOL -n0m1n4d0 -JQMILLER99 -trosclair -bugman123 -blakjak_)sg -strongpw123 -pentium12 -muhamad88 -DHosT&4 -alfonsocalle -jesuschristismysavior -RiPster -phms412 -leomoicmoi -y&x5Z#f6W532ZUf$q3DsdgfgfgxxUsvoCUaDzFU -rbaeTtyz -nesi1842 -goingoing23 -furballfacebook! -maurice1 -rashid4 -7324cf -uikutis -sflajgz0 -Ap8s93 -23januari1991 -holland -river24 -4777dog -JANINETVM2 -llc5262 -1010cDWQR#$Rcxsc -111sam -lateef1590 -redstar13 -ilovejustinbieber -callme2003 -audrey26740 -nolan90 -tyanna -2vac2 -trojan50 -flrje3flds3 -A_Str0ng_Required_Password -jeeves78 -wdpzEBk983 -USUCKASS9 -1995emrah -thecandyspookytheater -786bismillah -olennif04 -kontes -m0n1t0r1ng -britt7 -688568 -534925568 -Naga183461 -London#1 -pot19840922 -floetwelt -hakero12k -cm9vdHBhc3N3b3Jk -tsA+yfWGoEk9uEU/GX1JokkzteayLj6YFTwmraQrO7k=75KQ2Mzm -Bucking4 -212uae -Pallero90 -rouliers -BALOO8114M -pattycake98 -bcvbsgdx -warriors3 -manta130080 -gringos -moore1966 -manman12 -2547pm -scirocco420 -boysstink2 -bronzepony72 -P@$$word!! -2843092 -stunna92 -N+Z43a,>vx7j O8^*<8i3 -Louis007 -mkxme2eb -hmcdougalfamily -jungju -wj20041107 -aieabears! -shinra3483 -joe207133 -erenieuws -chris621 -270686 -yomomma123 -h44kws -gh123gh -2fuck601 -d845glva -01601187 -shitty123 -110578 -piss -molelady -kentisnoob123 -thejoes -ilovesani -500268494 -26300935 -Babyyoucandrivemycar1 -host00host -coach33 -Runescape1 -alg123 -boxer4life -massai12 -DQZjapz1899 -bbstulajtr -ImSoo1337 -YOURMOM562 -kinefa -momisgay1 -msjrmom! -johncena7 -energia -kinder42 -COOKINGSPRAY -82283016 -pueyrredon878 -uninvited1 -powers55 -ggssggssggss -Pizzas12 -tamron1 -32SCOOBY -jimmyxu315 -MyP@ssW0RD -Qmbdf#3DU]pP8a=CKTK} -diamonds23 -lovedraconomico -tech4life -ce7money9 -Tissekatt1 -DOGSONDOG2 -rahasia102030 -shangshuguang -Isthereanybodyoutthere -louanne -octavia1* -bunnyboilerinthehouse -520131455449 -sumberba -maitama -bisous2008 -7912Bethany -sellingenglandbythepound -brummers66 -TENGNEUNG11 -bastardo8 -vandana4onlyme -taneaivett -Master08 -monkey101 -texvy101 -assh0l3 -russian2blue -ietjing1908 -Co5jo7r400000123123123 -thomas -rollerpark -hookers1 -allenm31 -csibó -72525290 -molinodeperez -bamizh0t -fjOHGeLr -illusion19 -adamtopan1 -06208007653 -Crumcake1 -kaulitz4e -mimikatz -,fnfhtqrf_ijrjkflrf -65bravo -wwwitch -chivas5 -undiaenlavida -f52b3e6d -JORDAN9046 -pheragas2009 -zhuam -Se3yxRy4 -xuesong -37692670 -gema -amer1ca -P44336R -horse10 -Bullerbue -kartuzy -jjgb6j7m -daisy1112 -bei295877 -howdoi1! -Huskies1 -Dattols91 -cameron9 -aaronrocks -soysupercelosa -mikej314 -apm1869 -b0bdud3 -ertyfgh -gfhjkzytn1 -Nairobi123 -birdo123 -3011l33t -mesion1 -md11a380 -cassandra stinks -franny666 -2056520f -moonlightfaggot -veymjtf -jigga12 -brodie131 -custom1 -bless123 -m0n1t0r1ng -aysicajo -sapeqo38 -2301684872 -limely! -zwke67e -bahaj11 -134cban -mfilter -focusOnScienceMorty!focusOnScience -188cbd87ee80 -Scream2001 -azerty83 -kaioto11 -KrTz12aF! -PASSWORD1 -zapulelu85 -1967dayonna -security@anonymous -Oracle_12c -brown24 -89891856ygtbfa -grizzley -joshua -o6zqw3 -bigbogdan -gianni1965 -11-Jun-92 -p0stalpassw0rd -NAespana93 -3Dym6Gk764 -925104 -pebs17 -Tv38KLPd]M -Northwind1! -sausage! -boobear1 -jackorie -karem -msm2003 -open sesame -kettcar -PIXIEDUST18 -Hussain123 -donalrules10 -babydoll -abcdefg -alissiafmo -summoner03111980 -yavine -000q1gong -pink123 -loesje08 -würth530 -aSTA3244 -Cr(66}? -avancini -lenlen9 -eliane40 -shoka -N+Z43a,>vx7j O8^*<8i3 -archydo2mil4 -Jamespaul0506 -Megamanx8 -0261717300 -apmserverpassword -KRDCLEVE99 -2x4ern -dynamic1 -spend$$j -hacker21 -PUSSCAT -SEXILASSME123 -beautyboxon -GGqD2uF268 -tazita21 -occopa -IF+8YYZPO_QONX -07018028ipul -1024360caca -Jakobritchea95 -ianLOL00 -slatkatadevica -fuckyou1 -betterphotography -jounaable2001 -yXppZh5F -mcLfzrwe -NalaCartucho1 -Greetings to everyone -dygkrtn12 -debritto161 -WMIZzR -xarfke -03415048490_clau -a1bae2r -jangantahu11 -91780yoyo -pleaf -booboo6 -minesweeper -iiff44 -mike11 -prince2007 -bsji1310 -yhq51677 -0177602290 -banana -softball8 -00121296a -perritos -cachonda -h]6EszR}vJ*m -superexpress -BHm6VZpeZ0bFBFiTMuYc3INSE/0+pGmx3hDLMuudhl6u -vvswXp -2mfce -1founder -lorwayatbo -940324 -gregbowe1 -Aw3$0m3P@ssWord -whatItdo?!$$$ -pauline24 -kaneshnoonik1 -lasvegas13 -Cardo -file9joke -n2285160 -Conman123 -l33tleboy -saphira -DineshR -mohi2009 -ame197979 -beda9798 -lella-tata91 -1erealmadrid -powerrangers2 -firststar -+*98sayutani89*+ -yYh7KDQ2 -p050285 -little1 -11663845zy -SE7EN521 -Killerv1l -dfkk2340f -BugziOG21 -benis17 -soccer1 -lt1002 -MSDIVA21 -papirjancsi -Coldheart321 -060061348 -laoda888 -puser -09274942113 -frontotemporaldementia -kanfarkas -CHARLEYQUICK -thedoors -8.32668E+12 -cmarye16 -043526566 -871029 -johan7 -knextest -supremo00 -rehorek -GSJ300353 -épril666 -barrvishal2 -wellworth1 -1239075906 -Seanjohn1 -LOVEUMUSKAAN -imbored1 -P@$$w0rd!! -bogácson -bea23230 -anandita94 -usf2005 -x00x234x00x234 -christopher2005 -20local384 -1812 -hello1 -cond01 -teamopmp -latfilerrch -Lalala77 -Tavaris88 -kamransaleem09 -benelux1 -??????????100% -open -randmeer -laser80 -sexygrace -YOSi1Hie -thresia -Mr. N00dles -kast3055 -07d2347 -NOW6IBIS -rosey1158 -drpepper21 -ionut16 -1978stoepel -matsalleh -Kusc0915 -lenau -operator -fapisvap -5326836 -Jacek55 -iloveoliverscottsykes -Lilliana15021983 -sasuke -margarita -9811044d -hardcore@@iloveyou -97736119 -1duskfeelsummer -Falcons1986 -loiclisa -greens4 -cleveland11 -WishN420 -uatrfsn2 -170202g -potop100 -trainslol -pizza -molli1988 -infocell -titomme1 -lickrabbit -cricket2002 -bronx82 -140505aatvta -ianpater1 -Rad1at0r -smile00 -minelab -kataras_pass -patrulla -BO6ix1HgpjRh4SeSTMLPn7voYczQdmO9CiwwS4SXtwvR -sparts2 -cablesera -getswatted -lollol12 -compaq1 -cy5199 -offer -conexant12 -a18player -asdfadsfasdf -7316693 -sicincin123 -Loslos123# -bananacDWQR#$Rcxsc -NEWSKAT2 -danielle92 -penguin17 -chiodos3 -badboy12 -r8v8f5 -herbaceous -breakonthroughtotheotherside -escada18 -PassWordMustBeAtLeast6Chars. -ECSWIMMING -JACKASS01 -supersecretpassword -dockerhub_password -strike2000 -SwagDos -nextcloud-pass -asr0.mas -d954a91 -Jg8aGZ -Mackhacker122 -V-ball_Star -black4 -austin528 -kmjfro -hartline1 -COSMOS10 -munkled -marica -hexamethylenetetramine -staticeternity@.3k -youshookmeallnightlong -amx789456 -doom7392 -taca -josh123 -HOPEME55 -T0PS3cr3T! -pen15s -tlongq19880228 -kataras_pass -january23 -shiza1 -lovebite1 -Zy900522 -123atm -poo.com -tchopdie78 -biker6 -preacher -dmndm4eva -MEDINA -Jacob2005 -kkuliga -w02201958 -1937285g -8770001 -1godfirst -trs10 -1092 mpmirlp -mani2206 -fulopke -K3502tip -penis123 -cannot -rlo%116 -6041982 -stop2eleph -mikey13 -Far$ide69 -soldat0 -rienda13 -scoops76 -ISOLI -lizzy1991 -tatjanna12 -aeMelly1 -ADMNEC777 -janine5 -yoana** -surf1212 -somepasswordpepper -Filthy little annimal -march1486 -buffawo -prinzessin auf der erbse -brenda0 -wwc745200 -unresponsive-server -archenemy1 -Kavunchik -gothic34 -hellner -vanss67 -canela -auta armias -Relisys6 -4345651be -3119t7z1000 -meboet87901040 -12806t -X85www1985 -jalali57 -lizardgay -3974747 -jigga3 -idp_user_password -tcp-password -ryo4le -3762669 -G0D8U1K545 -jin13406267897 -brandon -383378 -40564663da -nextcloud-secret -justdomyself -drpepper1 -Tohuser1 -topos1 -sssaa6792 -duong@tvqg -christina.chatfield -7529062 -luisbeto83 -BISKTHD7 -solide -SK8T3R13 -321odnalro -leigang520 -9541vik9541 -emre.emre -mori123 -Alucard9 -fire244e -beef -40372twv -blabla -focusOnScienceMorty!focusOnScience -HsPnEiwr -2075670 -02823797121 -veryPriv@ate -kucingcantik -coco58 -kyalami7 -password-start:rest -elfenomino -rnbmeb77 -kalmss18 -odjwyufkglte -xanadu96 -hq27pu2o -My_R@ndom-P@ssw0rd -kgbciafbi -charchar123123 -1rgglbgr -fabrice1982 -b33honey -laradock_confluence -titetiti04 -reggeton -336313Yb -lucaswa -benenrob -holysch1za -freeforeclosurelistsu -TeamFortress2 -aceraspirev5 -izayoi -123xy00 -rocky4706 -tuson2514 -99tmall -Char2612guardian -zamorano -ruiyingg1002 -maxillosus -bW9jLnRzZXRAdHNldA== -data/52396 -scorpio26 -aura0408juanmaco -System32 -Clemen1 -revanonasi -Tumsr1ws -peke@bea1990 -badongjames#yahoo.com -pachahit -forumrox -jermaine1 -762204 -051004Cami -fnU33e9632 -hotgirl9 -alison -Sonata305 -6742530 -abxcll284yA -suppox -patricia -su110600 -31incomam -BetaV1 -mike6718 -Roflmao90roflmao -bar -l3lstr3ss1357 -belle. -efoxyjen -benature -83660305 -r3dl32f -5xa3xU -blood on the dance floor -TheGreatOne -d28cf9fe -lollol123 -egyptianmagician -samples1 -ks32404 -1 2 3 4 5 6 HACK -doubt_coun -651022 -888777 -hodan -lil111 -i am an awesome accountant -aplacetoburystrangers -Password not found -74325 -spiny1 -Terry1Goodkind -jakkin13 -edson1983 -beigeha -monroejohnpaul#yahoo.com -kacxayfw -ddos77 -chocolatec -Marm1te1 -bettergnomesandgardens -dreamweaver -r4l666999 -cudqikog -granada23 -yahanu745 -72841314 -MAYLISSE1 -441319q -SVPCAP02 -hellojohn -hongkong6 -kris6312 -cjdjla88 -Palindrome -tweetybird1 -dyd67zbg -buisnessspam -lklt477 -PEACELOVEANDHAPPINESS -2010winrock -MickeyMouse3251003 -solvay2009 -alpha0404 -swane -hssway_9 -billyw -matilde -nongli2005 -hendash1 -BnQw&XDWgaEeT9XGTT29 -Supereag1es1976 -3504681 -vladis1 -saturdaymorningcartoon -109verify -urrzulalto -top_secret -mouki1 -Yourmomisfat1 -17vesper82 -6000438 -Klokdeth1 -television -qs4life -15lifestyle -j4nu4r1 -postgresrootpassword -jaushua69 -lwmontree -ZEIRAM1793 -gomel08 -afroman45 -ultimate27 -abc17732 -Sz1achta -First Name: jacob -igniteyouthministries -ovejita -thehelper -@T3mpP4$$w0rd~ -mdlmarcodilupo -zypernbubu2007 -1987c0310z -14mar2000 -babycakes1 -ilteatrodegliorrori1995 -gikguitar -chinhnhoc303 -gasmaker123 -thebomb6969 -barriosavila -01074 -beans! -tucurica -51719145 -mattwashere101 -impacto -medicina -haribo456 -gr4ndth3ft -secure123!@# -auyantepuy -21R1pPe0 -2eeephmg -marsprincess -316tVHDc5OA1voNj -niggerbitcoin -cuddles -nour123 -213042 -123la0 -hawamir1 -allied47 -jdredd12 -1311mk -keystorepassword -wdy210367 -gvang033 -Hgb4ezaCc0 -8Lollipopkid -whatdoyoudoformoneyhoney -Brandon98 -pgrande2008 -theroyalbankofscotland -adrisusi -JACQUELINEAMOR14 -sp16ae78 -Nextel007 -miclon -duong2009 -marrisgod1985 -263388 -thaijitsu -x81596251 -Daniel83 -j1x2hj5d -laili2 -ekaette -C9351 -knap2009 -kls0524 -00yansen -1236272582 -7449700 -PAKISTANKASUR786 -P@ssw0rd!! -dueleguille! -shadow84wolf -503780667 -insulate -catbat02 -p@$$w0rd!! -rumble -454855 -MyDyingBride -nextcloud -jerry37 -K1b@na K1b@na K1b@na -BYSGB123 -P4ssw0rd -zoi030979 -krowa3 -Alejandro1 -the5thtime -hijos123 -amelia11 -Bayern07 -n124074200 -wqj02033235 -burbujita -cheergurl06 -dajmitenoc -amoreterno -pepe2 -wdisney -Visbak123 -cebula1 -azulparis -99544cdcb19ad4e3fd64 -Jesusis#1inmylife -FuckYou -arum devereux -sparkle -monali1987 -BpkNIjF7LfzS1C76HT7B1bJgmGIDtPihqIvHBlC92L1IFqsMfoJEMk1EkxSzjasWB4GWoUcODYO4AaJstdAp5w== -uUtv7idyRbr3 -GOONER43 -alerlom -zxcvbn666 -pizdegoale -70660108 -JLR2011 -bodhisattvA28 -cheap land in montana ha ha -isidroruiz -LOST3MORE -479197391 -lala158158 -LIMEPINK14 -plzdontstopthemusic!!! -1aguilo -neverpromiseanythingagain1 -ilovemc12 -nirvana1 -controls=i -sexone1 -lorese -swag666 -Neminemi1 -asdrerpad -FIKLUV06 -playboy7 -Jasmine23 -terraboard-pass -8c6976e5b5410415bde908bd4dee15dfb167a9c873fc4bb8a81f6f2ab448a918 -maboofa -Pray3ers -3av95822 -deadseed11 -rosasgasse -NIQUE13 -c2larse -oilLOL -kaczka22 -barron2 -converse -680322 -delfinazul1480567 -V.3g[lC0 -senyoksun123 -much_secure -016098 -malakos -somesupersecretpassword -dafne1102 -empire29th -86312274 -luis65 -~molta69~ -amorjoey1 -samuel110351 -lisa5472 -1z75554 -aldanger200 -tcollins -zetan19 -munchh -rt02rw08 -farda00455 -doorkey -damg96 -maribel2008 -3513200 -This is going to hurt! -razataz23 -adobeadobe -1i0BKfJ00888L -madd1e11 -db123 -tabby0674 -bleu00 -kkhiogi -quattro85r -moraleda -soscodar -78will -trombone09 -computer -afmin -littlef0xy -whoiamhateswhoivebeen -Ferrari1 -eugenia -jessica -scarf1 -ep1ovn58 -calin2404 -150062Py -Anorexicgoat1 -heuteistmeingeburtstag -edimanga -asy2291 -beitayo -22cheter -SUGAR19600 -bumptious self important -P@$$w0rd!!! -brittnie -Teaz89 -1qaz2wsx3edc@4!@#$%@ -Steel1190 -mariamary777 -323Toushy -delete227 -sood1988 -kasta1991 -alej -postgresrootpassword -jessia2 -JMXYLO99 -n00bPro! -vjqgfcc211287 -dq02370 -club -valkyrie1 -missparty1790 -P4ssw0rd DATABASE_NAME=vertica -7889549 -fagatron1 -the music that we hear -dlugosz7 -3awhitby -pequis -mystery84 -12-09y13 -AbCdEf!123 -januar8 -04123 -Google11 -exitacion -19921992a -I love you Laura -nájroda -mimapacaba -road205degla -Northwind1! -iloveyou91 -mujur0987 -Precious27 -sulodiego85 -liamp07 -172231 -Adm1nP@ssw0rd -Activision(Hy) -uttara -martina2502 -lf.jom54 -theyfall -ok i will put avgutus -volimte123 -0Y8rMnww$*9VFYE??59-!Fg1L6t&6lB -tylerjack321 -57-12-21 -41iagica -buffy28 -evann1910 -1140562017 -edward12 -P@$$w0rd!! -patitafea -rkfhwnf9 -cocksuckingmotherfucker -dopo90 -*oM!$a9$T3l%da7^ -bartsa7 -donnamarie -979313 -26816492 -trustno1 -bizertine -battre -Rotator1974 -gcdqu4ba -**kjt** -u2TZDkfHSm -baorixin1 -awesome101 -sparkie21 -DOT3112 -almafa1 -scooby88 -weany12358 -lolcomfypants -pendejos -tagum08 -alessio -echo123 -covery00 -judze -8449223 -0987POIUqwerasdf -with spaces -fris873 -google12 -rnyxjqx6 -serpent -thereisnofatebutwhatwemake -C0rnwall -S0metimearoundmidnight -56749204 -shop_y_tu -peewee -193777813 -henácska -504783895 -7televisioncommercials -metricsdb -luft080987 -misiek11 -1mp0ss1ble!!! -mantis -REELBIGFISH1 -ibutterthebreadwithbutter -271268798 -wkrmtZR883 -lotus1966 -selmikedmu -bong4me -is2mikki69 -collen123 -sg123 -chupas -Indianstyler69 -CLAUDYL1 -e&m14teamo -20701868 -google538 -kamelen00 -sahilanand -fuchifuciento -tiyico -jarumbiner -hello -open -eric0309 -mattt12 -Maitre51 -bingbing126 -pygmalion -kqgepk -llyseu -fgyc4eva -nikolai123 -123321 -iris_password -contessa -2694872e -wurzelsepp -83687148 -louise2 -lovekosimyiah031012 -the_burkes -bijaya -zakira -clarinet2 -Heineken1 -fcgulllake -juanjuan123 -137661212 -patisawesome23 -Dnmdaman123 -950323017149 -kawing2000 -s3Cr3t -Bonjour -anikins2 -voiture89 -blasfemo7 -BGs3WynOIYxgkjXeS7hNjFqhSSjjKHoTBLwObSd3pcSr -e1trainman -AUTOMOVILISMO -teomat10 -bluepeach22 -crossover3 -JEBICE89 -yandi-mubdi -fali88 -tiburon -rCOSZxJrgze2AZdVQh12c6ErDMOG0M+Rx5Yu7S5d91c=GS4SbTQYmoaGwjm2shEobg== -hbg1115I -rally-password -73051206199 -ButtRfly11 -LovelyTenderness -kwvslip666 -tritontr19 -aaabbbcccddd -AmoraBreda -foxpro123 -wiraxo97 -1011900 -buyme1mor -kaylina -gapatuna2 -fred dicker -hc2009 -chips? -smile1 -bigbravo411 -7dfnysandi -grace1 -bebo.loveb -hasta la victoria siempre -loveu2 -Wachtwoord -kawasaki3 -allstar1 -asimov -attaufiki -outnwild5 -selitton -tamarabe0 -WANGJImima989898 -sonarPass -PRISCILA -bero46468225 -fatima -wowmester -superman -titou.denis -shamamalathas -onyon314522 -teresia -Akilles -hotmail1 -i35rc72n -ldap-password -pinpan11 -ajnos122189 -yann88 -diegito2 -markell97 -p1np6pcc -JulianeSchellerer -myS3curepass -biscuit111 -Ki90LopK -wavy375bey050 -dpnrp045 -money475869 -4fe17a32 -waslos -lolalola123 -y0594871 -ravens320 -r4h4$!4ku -janedoe -flybirdy1 -astral19 -friendsofyvonnerbrown -motherblower -kasiulka1 -NASTY31 -digit123 -Ey8ENE -151515 -derek -michelle -Alexandra1987 -ingeniero1322 -taka2022 -openyoup -cracktended -mmarkus -teatro2010 -porkchop -331982 -w8wfy99DvEmgkBsE -ghill -maryfaitdodo -CI21102913 -Nikkilovescookies -szlojp65 -a2h5a -aquitania81 -twonkie -3cd6944201fa7bbc5e0fe852e36b1096 -XBOXLIVE2212 -grafana -st.david -kylie1006 -76runcover -adrianiota -tmslp999 -kawama -plasmakid21 -mbam -elgato10 -haslinda85 -combatarms123 -angelina252! -123654 -ijreng09 -antonzavidov -6942713845 -berechida -JoseAntonio090882 -hkees01 -xaroya89 -bandaids -megpussy22 -nigger!!! -(dontlookbackinanger) -anil0065 -J25769301d -sonny88 -denert378 -Nuhazod -25-Nov-84 -hotgurl0 -herons -qsuyfsy8 -l8agdh1p -pleasedontstopthemusic2011 -disco99 -izabella-rose2006 -12tree -DINKEYMAN -frenadol -forthebettermentofall -Taco1122 -se26abcd -1997skate -the dark side of the moon -aliens11 -azerty123 -asdfghjkl2 -glueck1978 -smith -Verity118 -khd13p7 -meow -yasmin223004 -M1ngc@t -clojure -07024968321 -Vq4rNB -yunus.95 -usherush143 -dan1985 -marta83 -Mugsy01 -SALESYARD793 -VEHWMCcfuMJ -5051980 -godlikebg1 -hotgirl1 -lovely66 -gerardomiguel08@yahoo.com -borusse0 -pompey123 -aeropup32 -cdra854 -timandlizz -??????.????? -371413 -kasheachie -lauraseni -Nickutra1 -ashley26 -91yICs8 -go-acme -quebec -arnhem44 -Nigga69 -Skadouch3 -bluewillow -monumental -vaSSago839 -bcm821t86 -shandria1 -thelight77 -chocolate2324 -d2VibG9naWMx -aamir12 -gorm -1953112 -offer -gufitasuyita -boricua89 -notary_signer_db_password -valene! -thered45 -ZHPZL610210 -jones2830 -brandy1951 -Link0078 -8104070315 -1789yesil -tuto46 -blabulsdf -max&missy -1g189e714 -francisco.pellicer -shano229 -fidel -2661535 -ban54321 -Kingjayback1 -omkarnivas -endeavouring attempting -elite18 -751u3o2n -amezquita -foxracing25 -426968 -carson69 -neuromotor -harvey04iu -Joanne02 -i6d5v0jE0MAYPgip -donthate5 -globalwarminghotspots -tarell12 -banana1 -BOBLUCAS -begood -ploiesti1964 -71974 -Joghurt01 -occp2010abc -carmen -yingying -express20 -silvio01 -03yDT6Yee4iFaggi -another -asdfasdf -1987lr -ronesta -eastofthesunwestofthemoon -bqhcx1 -800405135153 -izzie333123 -02183 -snoopy1 -b9841238feb177a84330f -Gregb -529529529 -779425 -puser -668811 -Ou812 -sekretess -dwayne33 -CSblazers34 -2307985 -otterboy96 -nperkins -lilmssun9 -darcey01 -donydony88 -Beijing -smtp_password -Roc08hej -user2 -Benjamin666 -ek64980x -Ast068 -slewann -Feb-77 -englishsl -Dishremote -60786 -MJF_2810 -kott55 -racso12 -nonono -21946 -neska10505 -by9nenR4 -Jokita12 -jjvvgghh -frostedflakes -lex4076 -bismillah11 -i am an awesome accountant -tinkitten33 -GR?XGR?XGR?XGR?X -bowwow4eva -sSD3DdCg -yty76878h -damned21do -u6nog1g1pjadcj95937bk41vgb -162426 -555Nase -kelincikacang -H0ombrebueno -blackops2 -massive55 -11332 -Poopface12 -shakila123 -muda-muda > ora-ora -head&form -juanyjavier.com -minney1 -Manutd86 -mancity43 -851212035340 -BISKITS246 -ago961202 -yanhaoran -s3cr3t} -deedee3 -tiger44 -DasPasswort -larryjdu2 -buceta10 -Viper100 -042980 -peter001 -beoevvop -maigrir -jcmbxjbp -kcitazph -howcanikeepfromsinging -ka2gh9 -Kelley21 -Adm1nP@ssw0rd -sxanqf -Ashley97 -kiko1979 -acehbarat -Milkyway1 -07cc73 -hwer69 -nobodyknows -Borisen -g360if -NickFuryHeartsES -5804166 -po389ef0sS -zuiop713nicht -2525 -vikisaag -fredo -hl06405 -mamateamo24 -esaurios -robell123 -6042006 -helloeveryone1 -summer1 -siard98 -lamera17 -conildelafrontera -1savage1 -v1kk1719 -lafaroleratropezo -suka22 -keaveny -fontainebleaumiamibeach -a30011963 -1_ichigo_1 -kabanosek1 -Delco1979 -universityofmadras -me0910 -20211091 -bls82289 -sally. -arda121065 -foxtrotuniformcharliekilo -1268284f -1chrisbrown -komm123 -forever3 -antoniojodar -8707BONNER -buddy1227 -bml144357 -bro123 -1spaceox2 -rmchm923 -bimer30sa -clockworkorange -babyphat -524210 -y1m2l3y4 -maqudi50 -cbebc16f -ichbinbilal -emergencyfirstresponse -19031974 -alimeche01 -omailse -11018 -montesdeoca -ds13dbtj6 -aaabbbccc -lc294281 -andreas54339 -fuckub1tch -Milsemn64 -10485762 -Mcxty123 -wow123 -138150vh -ajdika -dolphin1 -ronaldo25051985 -10212121 -k@@###$$$$ -rally-password -izayoi -bar????? -klok71 -ainternetmarketingsolution -y&x5Z#f6W532Z4445#Ae2HkwZVyDb7&oCUaDzFU -punishyou0120 -serefsiz -anonymous5982 -mastermods123 -wallhack.dll -cactus123 -utPass1 -employee123 -ak0101 -passxyz -balllin4 -vida86 -exen6553 -Offenbach2010kino -890112efe -407936 -Jamuel1205 -promesa1933vacia -matrix6153 -mackie12 -Teddy024 -sudarsha -nancyteamo -zarautz -emma222 -xDcnXMhw -sflajgz0 -naluda3 -up1do2al -homecoming -sweeties! -Business-Scriptsfindus -1987223 -autyis#1 -021995ely -osiemnastka18 -erneee -kVi8F -mamma98 -16031990c -J09j68N -GHCR_PAT -playgrl54 -tijger1 -loser88 -angel1964 -march20 -chachi059 -Oddjob12 -exertthefear -etzor6ab -cougar1 -nwo4life -yomama -NUSGGL -rupe127530 -signup77 -orcy -iloveu092 -gapkid -djmcdjmc1 -sexyred -notreal6 -unresponsive-server -abodie12 -81812869 -hg824zarov9.19 -579624 -10ten4our -password-start:rest -ca989622 -Matthew11 -mouslim1 -marihuana -18-03-85 -Ctrlctrl1 -0505heemoo -perwira08 -foralltherightreasons -ncc-1701 -cga041190 -svencygh -l1ljoey -10081978 -IloveGuns133 -Password: supermen -P4ssW0rD -libertad41 -ballin56 -strongpw123 -88178817 -makaveli21 -19bonnie -jameel1 -mutley1 -516730 -brittany -sk8parkblue -111steelers -Samsunghi92 -1hundred -050117tmre -inspiron1564 -jockssuck -nun312 -pharmacy2005 -SimonOechsner -pewseywilt -hallo974 -freakoff -erkan1994 -eline0404 -89estx6c -arielo18 -jong747 -pangeran kutub -tasha2 -a1s2d3 -19072001 -userBPass -rehhtk -271326 -PartickThistle0 -53oo517 -First to the finish then. -sunnyvidu@rediff.com -rossdia -Bell11950 -pokemon44 -8867547 -7dnhbzws -oracle -m8tnit1n -iqo22jfzp -andres1998 -samuel28 -spork122 -szemuveg -jakas70 -bateriaseria2 -munkey22 -Apollo2015 -b7a9 -bar} -rundebord -al15001500 -lccsem01 -8906063fan -crevette/84 -awee07 -cf7t8yqNEm -mirko zaccaria -930601 -betamagaim -flower -drgonzo -me260686 -44adm@ss -iowa098 -BY2K81KO -mnop736 -kalaauala -smtp_password -lumina97 -Skt2T0tjMk5PdQ== -pianomusic -sovereign virtue -gujeke35 -822480 -courtney10 -R4%forep11CAT0r -1Antysecas -chauchas -VjqGfhjkmcarpenter -erin11 -HUNT30ING -logstashpassword -nathy26 -w810714143 -salmion123 -NaChOsFcAgAeF10 -chinkeys1 -cecilep1 -to1989613 -15488c -caldor -superman122 -jackie88 -Oracle_19c -fei410711 -limor-chermon -aztaminden43 -chellemae1 -Longliveforrock'nmetal -list.ru -2.8102E+12 -Gabrielle03212004 -escaflowne -w0kman -engage72 -crippy -zjl261012 -wlkmnb12 -119g2dtk -AleksandraGolis -pushpa143 -111365 -lp2c37ece -randall29 -Doe%n -higher_further_faster -Oradoc_db1 -chappy -woailili123 -skater -coolstar -link11052 -rioeleg1991 -fly0727 -20018234 -JSIIcQDYyMQ0gsGr -inception -5dnal01m -motosega -link1349 -sagitario -dfw817 -application -jh150989 -noble734 -junio89 -blinnrox -iGckrU -rickroll -vegeta67 -62249518 -26051994 -fandark. -rubygem -xavier2000 -metricsmetricsmetricsmetrics -111981 -lo11co -nothinginteresting -990281mp -donuts -tatane72 -2bu7c2up -798532322 -Skauda1 -507977225 -puppys143 -shuvamniren -yo_pendejo_4 -hemmy0719 -bebo520 -benfica4ever -kristontanarur -star908 -dajeromadaje -dallascowboyscheerleaders1 -Diablo2Kauppa -camillob -1m@x0ut -yaf41b -mustafa00 -k3tama89 -SlipknotRocks! -happyherbs236669 -kyle123 -LEONIDAS -CottbuserSchnecke -STEELFISH@007 -bootsaremadeforwalking -salsa20_password -mb96318 -daddy1luv -pbkgbpwh -cutiepie5 -mynameisovertherainbow -anden0 -22badams -yzf750 -firefly -cheerleader(L)(L) -07zekh -3636136 -z1wdpyN746 -I_Love_You_ekaterina -2uc6vU5d -1200$120 -rcp908 -00934063 -YUBINYAN122891 -prefabricados -lollol99 -charlie1 -11de784a -Dushmani95 -060105573 -210502 -Luderw9701 -thomas285 -stP-D9x-BU3-6yk -toubella -BnQw!XDWgaEeT9XGTT29 -leechers -Snazbot97 -RockIt4Us! -kombi19tdi -xerxess11123 -vivi22 -BlackVampire1998 -steffi! -2419682 -ftwmeandu2 -stojanovski233 -lindita -at the end of the day -24956619 -jumper10 -189918991899 -nealiosia1. -past present and future -ninadipak -s3cr3t55 -RANIL0713474217 -monitor -X0D1LUP_N -mastalina -suviboxi -KateS -xuesong -swpxjp -amq93j -Nascar57 -6bes193259 -866778 -Bulldogsfan36 -radhi syafiq -piroal -package1 -laci0405 -zacatecas -E3619321C1A937C46A0D8BD1DAC39F93B27D4458 -canela26 -zorrito37 -EH24TIMES -Wizard007 -Olopokemon11l -Beaser94 -kissme69 -runner -Dennis12 -port tobacco village95 -k63xvpxq -bamelement8 -Jenster5 -jw102204 -good062 -marineman67 -dirtydeedsdonedirtcheap -kennylives -Ateena10 -mmhkmyak -786395 -odjwyufkglte -notang1 -200132 -11241c8a0 -ftozgvjq -AS123MND -abulense -Juana2011Antonio -sikrit -d41d8cd98f0810 -redrose531 -cc5967 -aussonne -PraktikumHR2012 -quartz2123 -181196 -jasmar11 -archbishopwilliamsassembly -6569819 -?????????????????????? -evan123 -1758398 -Riley2015 -841130145918 -slobbisgay -nv4654bv -wayne911 -supermama -gourcuff -superkoa -justin -matulmeu -2652244 -bW9jLmxpYW1nQGhjaW5pbW1pay5ucmVvamI= -mbf7026 -elasticpass -badamu54 -alexandermano -837109 -13ka13 -chaoyanxue -JOELIS17 -marie1948 -Viaopalo3 -egaled -alexis1289759 -eqok92 -bmxman697 -vanilla123 -5z3pp2y7 -9kumiuh3 -2872695 -algallarin -johnathon072492 -dabears1 -tyr355 -markie28 -reanna03 -CircleOfLife -zel190692pigi -user1 -globalpositioningservices -149261 -michu691 -jkp3163 -sonarPass -ncc-1701 -helloyou -B5JYh9X578 -fcporto22 -freedomxx -sakura -peshang -Hookah123 -az7ixnfk -katey! -trade888 -jalisse62343 -metricsdb -jus8577 -BBgRG89618 -PARISPARIS08 -1o0lsskm -ORCLCDB -5xoe32g -260295234 -fredos -london2006 -yunita88 -42ndxx4 -framus -rodrigo -Pa$$w0rd -011235 -war2war2 -m4sjid -loveme -CALOSS -torshälla -puntigamer -choklan -CKgFpPLJX1+FezZR8bMsP+8wQR+WG0z7AZYRy9nz5KY=DzI79/e3yJ0Y0UvNENMXaQ== -Assasin1291 -Caprisun1 -kikoman -cacacaca -f4spongebob -fran1215 -Stalker7772 -6qdmqx -812411 -boyscout94 -Darklord123 -bebe15 -dance1 -1994.098 -minpojke02 -world -olivejuice2 -dede9 -cjb8094835 -klass9b -poepdrol1 -nur der hsv -alex1997 -RESNICK -lailaa -hisho159 -cowlogic -URADUMBFUKKHAKKERHAH -sexyb1 -bonskott80 -P@$$w0Rd -scwww123 -pradhan143 -301186cjz -veracruz -mentos8 -pretty prinncess -supersecretvalue -785412 -9bdavincicode1 -Smithfamily1 -abundancia y prosperidad -camdam -gpmagic0710674504316 -cllcll -ricky071188 -shoestore -jkui78&* -qukowi73 -soccer -hmhm@hmhm -Bobtido3398 -decowboyz -rinale -d3007009 -ysm1983411 -1hotplace2C -asdaasdda -b0l1v14 -armani08 -monkey summer birthday are all bad passwords but work just fine in a long passphrase -phemelo -qw0901 -jadeaj1 -SKATE123 -teta1821 -86d0832e -syaz9889 -alexandra.101077 -ashjess8 -gordaysofi -hilda72676 -gerardo240989 -documenttelo. -19011990 -99a911be -Arstms24 -login_supervisor -thurlow84 -12lukas18rossi -zooyork96 -rieta10431 -bzc278a1 -parxface8* -Talocan19 -KIller234 -BB!!44mm?? -pa88w0rd -Fynjy1990Byyf1991 -electricalengineer -nanangkusen -latino94 -sam -fitzell -bKx774 -55513555 -Dogpile1 -66q71z2e -wedontneedanotherhero749 -raaj771201 -PfxPassword -HENGIST -5thelement -v3mmlwwjik -halowars3 -cfty78i9 -jakeadair10 -Tigerclaw1998 -jbcj604a -47575c5a435b4251 -4c251176 -GHCR_PAT -nokia6510 -verydark123 -tata15101982 -florian7 -4331363 -VLC2FURA -POLLITA -rudi19630 -tobi14 -thenicaraguan02!! -Symbols1 -02200009 -nabila1969 -17&ftbll -codadv -amrige -ascen_11 -Gshock101 -33fanovka33 -iloveyou** -golf16tdi -boogie123 -zeclicc -capik4 -superexpress -B09tuSU5 -lakobako -kiki120292 -OhG0dPlease1nsertLiquor! -melyves -Marisina2 -tinkerbel0 -willis1402 -a51213r -f@rmb0y -trent657 -discoverleyte09 -glet -cherie7 -dior0827 -7754831 -silver1 -MARIOBROZ -5d5d554849584a45 -ronichka -khateeb1 -ESTHERgina1879 -AZAM86 -do04 -p@$$w0rd!! -JESUSCHRIST311268 -Sk!raf@P -joeygomez17 -we1lco2me3 -Dragonhyde -Oracle18 -ali68690 -copthall7 -Monster55 -E3619321C1A937C46A0D8BD1DAC39F93B27D4458 -24suckss -Naziright1 -mmartin6 -Kaneda2298 -wsghkgsw1Marek -oram43 -ebeega -HARMONYZEN -oliver1810 -mosab7269 -s3Cr3t -usbplex -jjzxcvbnm -a01Busa -ca.mi.la. -aanda24011984 -7899767 -G00RAENG -N39snuq489 -alcS56nGsvHx2pJG/7xIfQ -patro,ax -rb2612 -boofy12 -djoAI71984 -ninajazz -ciresicaxjcow -joost3 -ingenius1 -love69 -Bayrep123 -coolangel8 -Po0t8mtd -redis-user-password -JoshMia143 -5099d312 -lol112233 -7abibi-7ayati -2589511 -339273E -fritzle23 -Five Finger Death Punch -npee1a11 -torposoplo34 -alegria72 -060756s -laser69 -gmail3423 -dalgetybay -Codex75926 -opensesame -hedijanka -partwood -deadspace2 -windowslive -germany -applet147 -r3m0te -AZ2885589!lki -1221burn -GUCCI4UALL -1.576E+12 -1215123 -brandy24 -09FpIu4 -hilton180684 -Pa$$w0rd -sha1$1b11b$edeb0a67a9622f1f2cfeabf9188a711f5ac7d236 -*tecno9654postgres -bv2ajf22 -ejhc08RX -sarineni -124630 -happy2004628 -core2due -sklfhdskfl -aussyGG -noob1 -joke7java -33133Cza -nntom -gitea -azzurra -chiviya89 -miguel2009 -nugraha4 -additional thing added -zhangxian789 -thought1975 -36913691s -tviksas -elpiur -soup00 -semagka -N444NICOLE -920902709 -qrst328 -wonderful -seagreen78 -3fbeerbeer -123123123 -i love you maryam -yankees1 -alicenelpaesedellemeraviglie -helloe -0167441680 -meagainsttheworld1021 -_9enis31 -septien1 -coolacec56 -68TqDUw -angelica -abdalla1214 -england1 -softlicl -everythingisfallingapart -240134 -paloma_ -6462KRIS -Dogattack1 -etsaal -buuu -underscore -boss14 -guitarist777 -drut123 -shechema3 -gitea -gocommerce -boddah. -other -terraboard -killer714 -suckmydick101 -670808 -alvarenga -sentinel-server-password -kambing ompong -catherine4 -Lolwut22 -cia&45&1980& -Gondor1 -19871031ch -xampp -dabren/02 -sorpresas37 -thedoer -.kbz121112 -bassboost -fatbird3 -q250994933 -avenger-inkognito -741593 -delvon -13b756b6 -jacobm! -jatown1 -0167311413 -Lizard -qwaszx -191290 -bigdog007 -vuhai215804 -sert12 -6796bobby -gregkhwjekghwesdvfklhwfl;kqwjfqelwfj -Neyland -beatles26 -MASTERFUJI -1810ejej -vagrant -delong211314 -EX36392 -131991 -4b988f46 -LSMJHockeyNissa -kensentme -mickey88 -princess&scoobydoo -cookie214 -gkptdd -7lh6k7pt -ucca031205 -arbuzs51 -whataeatass -quartz2123;create=true -top_secret -userAPass -phifdog -wr8okF4918 -dev1010 -g00dPa$$w0rD -islam1987 -All4one1forAll -pityu74 -Deyesh80 -saini123 -prodosser -nicky3 -supersecretpassword -+bondade -atari2600 -alive2 -arena007 -gocommerce -FabianyBarbie -goldberg93 -5562717 -nanahoney2011#hotmail.com -somepeoplehaverealproblems -paranga -IRYNA -ilovemanasa -h600rr -clarkloni -inception -371000 -boobies1990 -2BP0kGDkzNQCMJYL -0712pmds -730329ar -ericsson120 -1:9yywet -youyou0429 -dzjluv -3455 -chocolate1 -83PEKI)) -1478963a -gardaland123 -58mcwm4u -cowboys81 -jb55ee2z -ALS7MEDIC -bum2386 -LMCO880623 -fy2088066 -bis786 -Dion2001 -somewordpress -honghai84 -2mart1978 -culler -YADA0312 -Supinf0 -Tanglewood29 -509581 -legend123 -blazebear08 -282beruska -druid123 -jessica2 -71192 -charmap22 -753951 -kobe23242324 -deathgrind -rolando -37331aaA -manzana -lalala -29581096 -183123130 -anti-cyclone good weather -Philippians4:19 -rain3d3d -elhgog2008 -shanaya-nastja -*LOVE -yayan170183 -zektorm11 -tinfish75 -notary_server_db_password -ne66tHW826 -transe -ashen29 -N1KKALEE -j08162005 -polagr -140900 -1PLAYER -erreway -charlie -lori1love -welcome@3 -esc%40ped -12characters -DoxxBJSr -JHlGtW4 -Fatma123. -1luvYogi -MRzA7901 -AySA66P543 -blackprep1 -zxcvbnm -736413266 -LlC4auTU -rimmer06 -fun.live -hungup98 -bW9jLnRzZXRAdHNldA== -kaankaya1 -KELLI14 -HEIZZAR1 -chacona -JILLIAN1808 -TRADITIONAL -tribecor -tgnachas -sonic332211 -Ab-1988915 -pepe -NickFuryHeartsES -torkan -spider1 -f2ducati -hello-27690 -stewardesses -120586Bundeswehr -my;secure*password -nomeacuerdo -keystore-password -Filip2003 -10135783 -AbCdEf!123 -hurley86 -x28a -RedOctober17 -SmK192009 -yrotcaf00 -fZaNqrPx -espre55o -JAZZ08 -steppy5 -1himfan -southside13 -Zulema2307 -1296171787 -ken9shin -photoshop -112233445566@4!@#$%@ -tortas -narmer17 -zaynt01 -nguyen123@4!@#$%@ -meltingmoments -48tpir -798465132741lL -BEANOIS4 -r7DkLI -annisia92 -werewolf -khouma04 -exileonmainst72 -drakry13 -vide4826 -84262620 -moussi -jelenice4u -lafaroleratropezoooooooooooooo -eeauaz -hoefyzer1 -damier00 -babyluv863 -YOURMAMMI -TSLOVEU2 -Asswe123 -e0Matrix -policlinica -22ar152213 -trainers1 -4841920a -motorky -bratakusuma -maddie -49rhino44 -string1 -nanou158 -rock09 -pinecobble -jasongl89 -aal4er -maximus -állás -yudiputskie -iloveyou06 -09144139458 -31s30s -maycom -x28a -gloria -eagles55 -LALSDL13A15PfDAWE -1.5E+11 -1finenegro -Sc4r3dsoul -_27july -64froggatt -morgana -pnopno -loléá -bak3163 -f8chazzer -friends93 -8777418 -2noaha2 -mollyd29 -ncu88234 -thewall22 -y&x5Z#f6W532Z4445#Ae2HkwZVyDb7&oCUaDzFU -gabe2 -smile55 -jalankerinci17 -90909090 -Thomaslebg1 -3807993 -861186d -4nd1n3 -TestTest -1761WAINWUMP -client -ayelen123 -auditt97 -smith -bookshelf -treebee -hany2604 -zoey2007 -suphia -Scchs532 -fendt716 -authelia -Pt6233gu -çôùäù11 -RafuZaze -jaguarr537 -laradock -jenny2982 -Tunefm28 -superman4 -Hh014211 -8fesfsdBOrwe -19810858 -Apollo7 -napoli7 -72bricks -joseph88 -unisel08 -8743588079 -brushed12 -a60869 -jamie09 -cheese77 -F04J25C46 -rnb8mrb6 -klotps6057 -jabber_pw -7061737300776f7264 -3c24e690 -306029161 -1aSOPHIElily -jakeilking -missy5 -6dxcart2010 -somethingevenmoresecret -boblaver2 -buddha3 -icqistcool -au09crown -salazar1999 -eiser_eiser -10105001 -chesses1 -clarkt -kj4everd -be_re_ni_ce_87 -EWQewqEWQ123 -k-rock1 -507496 -eva20975 -8962BABS -citlaly -r4re64tr -muchosucko -jal123 -RR55RR55 -coveplecho -albe1248 -sarmad1 -Purelifefirewall -ekon2dance10 -HUGGLESS1 -1231qa -z8825x -weizai2011 -f0wendyloo1 -diverted gave amusement -6c84ad -dkv8290d -hehe -626696787 -91299 -aaaaaa -mate2008 -b4ckd00r;#+#hackit -906125 -hartrie95 -Muffins1 -a020888 -oruguita -RENEE1 -andnothingelsematters -14777sam -sugiarti -28944187k -24111998 -2063719571 -2126619 -wordpress -Wednesday3October -wangji3 -jibbs1 -keyblade. -198080 -aes_password -1irvine1 -PACHECO4EVER -ricknakol1028 -JTM2006community -jake2104 -root -e5ladyluck1 -8ib9uzij -michael -141353 -docker!!11!!one! -48KaPS9 -skrumbo1 -veryPriv@ate -rbhjdjuhfla615 -f914970c -mr.pappal -raym823 -flakvoran -cgeweb69 -Avenged Sevenfold forever -Play that funky music -sports2012 -zona2001 -dqphad01 -roblog -myhumps92 -abc123 -bennour82 -sixtynine! -654gdfgdFDSGFgsGwseSDGsdgssdgd -hackmexD94 -rar123 -repl -tzGgWS7E -zalate -CHIMBIOMBO -hurts -sobji -little10304 -katie12 -172211g -1B0BF -koczis66 -QzWsn0DA4NgK2Sou -cookbook19 -Dina2Julie -COR19831992 -snagymov -Avalanche123 -000icons000 -canal -5weet6u2l -time.mind -P@ssw0rd!! -s9uz3i -GLDgUA8377 -murtaza3800 -4ulMegVc -pinkvine03 -LIBBY99L -uss enterprise -elenlika -mm55mm55 -trumpit09 -hLfu7259 -xyngular08 -beth5005 -mallow -snowman2 -chelito1984 -transito1 -femhrt5 -ella dahruji -Shadowskin1 -ucllse00 -world -melasonako -852945180 -aneliq870114 -jromrn -vicci-snoopy94 -Raigo360 -dominicana2viamanuel -ozfest06 -groetjes -848802 -fucku -six6six -kasra4474 -a819190 -oliver1 -Can they be about Creativity? -zkEHGk86 -iloveesa -anneli23 -kielkiel -los poetas han muerto -22FQ46T -maswiryo -zw8118wz -qazxsw -r20llin -abbacy88 -missanTH -3ss41 -URV7dn7WD7 -bmw320i -4480 -372373 -melipramin -soloyolace -49452 -mitrega1997 -pay6acc -rapt0r -Shakantaj1 -0164300779 -kbson -mljmljmlj -Eishtmo123 -Gamingballer -bahal -85848864858 -graphql -bar -s??same -iamcool12 -261271 -cc0929cc -vinben -mbdyer -blue -brentburgessg3 -sentinel -bar} -0167523533 -9130 -slid439 -pooh2007 -mysql -piconmotors -caressa -gibson. -homer81 -20202 -kensentme -future-processing -clinica0000 -VwwXw -vsdvdf -mollie12 -46231985 -0220241478 -aclab4 -513512 -28310193738 -JOSHTHEDOG -timeflies5 -kakao -joemomma258 -lickingcountyveterans -jpe5355 -sawahanjatinom -asdasd -TOMROB1 -ares9991 -countrythunder -xray-password -100310 -qBKDJK -bet123 -imdimdbux -panda1 -ahm96321 -misty2001 -4Hainraja -38992901 -IFT01CLS -Oakham97 -conta1n3rize14 -paskell12 -ashleymichelletisdale -blover1 -mikeyis6 -alfred -YPbfvwGx -Oequ9dae -cassandra -willie23 -professionaL123321 -startingonlinebusinesses -okrobec88 -hektik -Useraccount2130 -SEXYGIRL89 -callmejaneman804 -68mattson -chakara -cmd_password -nvUQZ55261 -london199 -sandals2 -jbai1ww -nForceIsGaybeavis -terri10 -lhaberma -zoey31 -P4ssW0rD -70765531 -batman -tomel12121 -starr1 -90topo12 -jsdf23 -Technology98 -david2005 -Florida1 -Gangstar1 -ohpacj -hustler1412 -southampton -vanman12 -cedmondehelmsby -karaeng kebo -user1 -44breaker -tigggggly123 -ph2f13d1 -USA1049 -p7bxzxv1 -bana jerby -MihaiiahiM99 -semaj1999 -gabimaus -guitar99 -09bohek -anonymous -wisconsin0 -RUGW7yDIwNgrmCkD -SABERTOOTH123 -17887396 -bunbuthen -64bd2ptn -p@a$$W0rD -9d4YquAD -sierra45 -manusiaku -Servusgenau. -eharanorio -swordfish1 -CDNBOX99 -cancer11 -faisal20 -iamlru -lucy14 -buluca -1156lsh -sherozia999 -loirohack -brukerpassord -onetwo123 -potion1weezer21! -Laura435 -ZSE$5rdxZSE$5rdx -Bigfish1 -yaboo77 -untilitsleeps -iFbWWlc -omgpop123 -gubug2009 -defg449 -kool12 -Podpod10 -202644 -1tIsB1g3rt -devilj1n -neron#1 -482jk -swr129 -8PDwTfDUyNQNu0m5 -wu62a4h -London= -gjijknb321 -eminem06 -satria86 -violinviola.1 -kk1818krad -hello:pass:world -608637 -NYsfinest1 -tsc120298 -poohbaby -3010JENNY -luis123 -blackmothsuperrainbow -god3179 -screw2u -idp-password -gagamyga -MANAGER -ellifee -ming0424 -Calibre225 -slater69 -!rightchoice!! -iloveyou12 -Matt9595 -j0mj0m -n3osp0r1n -290903 -ORCLCDB -FUNNYBEBE -Sandberg1405 -legolas123 -play4un -iceiceice1 -helloworld -icypoo -mipieza -1jaeger1 -pencho -!*123i1uwn12W23 -bhuyunghenk -habhoub -123123 -marcela23 -kankeraap -tRijks13 -a1l2e3c4 -498769201 -quasi79 -LetsDocker -4345884m -leparigo75 -il2gs4m -Albero123 -rainsmile -counter33 -bjw130580 -120877laura -aneczek93 -02075611897 -bemed@123 -arthurdeslandes -jesuschristmyredeemer1 -remy3991 -siria2 -jeffteenjefftyjeff -mind -0Y8rMnww$*9VFYE??59-!Fg1L6t&6lB -smrt97SS -emelie9 -mekproda -phantom88 -rysion -sunrunner -076108 -stanley1 -DB_PWD -o3o191 -VWTR5Mlo -chicue -EHARMONY7800 -peace -C2v5LmN464 -soranyi-241082 -eagle7654 -kicsi(m) -joseph'sproperty -dieseldog7 -11241231124 -tido246 -My_R@ndom-P@ssw0rd -4ef9xg -1331156 -popcorn2 -fXYa1N2 -h4p54r1 -bulldog28 -wahahawa1 -serpent -swagsurfing101! -thecatt2 -16624r860f -americandream1 -ruskijazik -yg1fhyww -yejun830210 -bedroomeyez412 -flopsy -2ed787a1 -kelso -ginger -9011081401 -wilmalove -yannik3699 -2213NMAIN -caritocorazon -p0ntus1337 -dvp0707 -99544cdcb19ad4e3fd64 -buffbuff -mamfeinsea -myP@ssW0rd -bz82pe52 -staff123 -dyerseve -188816 -carlangas -Agergaard8675309 -jokestar123 -PEACOCKITY -u6nog1g1pjadcj95937bk41vgb -fbileak -boeing707 -Dmdavil0 -BHm6VZpeZ0bFBFiTMuYc3INSE/0+pGmx3hDLMuudhl6u -kraft12 -mt.shsh27 -Hannover96 -7cproduct -baloncesto -holga333 -alondra8 -dholyth -687312692 -Grandma123 -isdykelis -0cnjq4 -carlitos21 -Manzoor1 -Skt2T0tjMk5PdQ== -xyd890225 -andrea99 -alfie. -laradock_jupyterhub -Professo98 -5264fbda -robdyrdek99 -palolas2308 -jmn100 -jz214828 -client -wootl33tftw -haribo121206 -seguimosavanzando -as,.23jk -Oracle18 -larguita4e -ilugraham69 -peter42 -f7hibees44 -MJMUmXdh -SDsu1314 -19771107 -Jack1dsatbt -randyjackson -esfil19 -lanre -vicecity -leningrad01 -Bearsfan1 -emokid06 -bendecida -killer -DMlxOaVa -LOUISBELLS -200401 -Gabriele18112006 -19paquerette20 -miembros -madar123 -ra141087 -creason1 -Jin19850911 -asesino666 -swami8837 -lumpen6099 -IMSEXY8546 -duck1437 -conreppingay123 -chickennuggetsforbrekky -drumandb4ss -spookysue3 -emseacnalb -ctrlaltdel4life -kavith2002 -tucker22 -vrolijk-meisje -Hackerds1 -Orest9 -278359 -gzer-bikers -1goldi9? -a6258821 -sagt1985 -Ppenguinzz33 -whiskas! -platinumroof53 -salsa1 -P@ssw0rd! -yosselin18 -television -970201cyy -coxexo39 -idontcare.5020 -WZAGLEBIE -robc21 -sikrit -35781lm -samaname8 -f8phase23 -onlyesterdy109 -moduloac -J3l0p3z1 -c0p8v2m9 -4GUJDEKI -sherai! -beerme1 -edjollen -ggpksd09 -redis-user-password -WGQ2HJY -yesnoyes95 -shauni1 -goodjob1 -mari5023 -welcome1@4!@#$%@ -solvay_prout -connecttoplotly -cit151 -love!you1992 -Princesa -9jlTsb -tiger67 -231168 -pedacito -lovelace -NAXU3003 -GGgg1580 -lancelot -dhruv19475 -mipeq<3 -oancing007 -guyguy1 -abcd1231 -Eqe7a -angelnegrito -tichou -legprod -kj1987 -#1cutiepie -ship coffin krypt cross estate supply insurance asbestos souvenir -32161aroma -4117093 -hannah -Missekh!85 -d41d8cd98f0a818 -Redajoe10 -yoenes80 -tmr15 -blkmrt2 -koala -mimi74 -Pierre71 -rashmi lamichhane -docker -haha -bigfoot1989 -Rockie83 -lilianmode -you-guys-suck-dick -aaronrocks -ZC88iEO977 -aneuk mumang -0127486817 -butkus51 -ms49sectord -bhante123 -ecacakep2803 -interinato -Pr0d1gythe -open2005 -9250090 -senramsusila123 -oldpw -Lettinga47 -yYh7KDQ2 -2477640 -303896423 -chilos -kingbogesz -otto0811 -mount holly springs95 -3512637spK1 -flamingo2 -f77789c9 -nick123 -6979GILLESE -DamnedFishBG -30072000 -16329198u -mini2007 -beven123 -489400239 -s3krit-password -table_password -unicorn1 -08N=O9T5*@N%3Y -ga983505 -higpig99 -piano1217 -1pussy -m013528 -Rose123 -apmserverpassword -h]6EszR}vJ*m -YANEZ85 -lauren7 -xavier10 -o9hQ7Gfz -cowboys911 -pk41529020 -chsihmud -salloum -bridgitte1 -soyelmejor -Archenemy123 -nifewe37 -!@#xdxdxd -4510462106 -VSpec99 -prom-operator -CLAVIERS1978 -pacophoto -store!!!! -hemnaPlan -shardae08 -jip080286 -lizard159 -envoy06 -coresolution999 -vagrant -stjeandeluz -usuck1 -slowdive -1luvhubby -mylife2265 -251089o -truite01 -917266361 -pass #w@rd ? -rooney77 -130687 -cobrar -superkoa -*~MIA~* -duplicate_user -@ratablanca@ -fuckme35 -mozhi -sb156323 -chanel! -required -bling11 -damayanthi -Honda123980 -dailee -ppio05101960 -19b4w1 -baseball5 -rafiki69 -selleckwaterfallsandwich -Password! -prem08 -pepe -H7{???Qj1n> -payet1402 -PINANA08 -hippodocus1 -jimmy1797 -bimal -strawberryfieldsforever -w049f856 -Awesome01 -roquie -faraD3yLight -tankist -brother3 -f@cilit@t0rPassword -my name is alicia -this -0031300el -Otto66111 -iamlovedrichandfamous -felicity94 -woshino1 -040304 -cocker -52825199 -ssv0321 -rain1721 -zamarripa -jQZ8mYjUNH -AIKIDO2006 -ginger2008 -ciscatani -oldpw -autumn2 -86ef67 -painkiller2213 -mysql -Shoemakb136 -alex2402 -Lizzie13 -jcrawford -12365478965 -malamar47 -abdullah -saint-georges-le-gaultier -miguelina -peanut5 -6uvafr -Joy130412ok -kingscollegecambridge -071403jcs -ysabella1 -6f9a5 -26042008 -barcamu2009 -priscilla -zx325703 -c172skyhawk -exodus23 -Suckadick -mjbdtqfk -nevermarry -060105706 -cliniclgs1 -morningst9 -1243300872 -BRAYDN -etams13 -gbnarmy -Tangmere1 -slac892 -malijai04 -D3v3l0p3R -sunshine -jason2001 -Ernesto -knappitsch -donteven32 -Manuelssd -marchiquita -kekballs -c-hout40 -esc%40ped -965oliver -lillove3 -kade123 -camilla -sabine2azema -i07150215 -92398040 -92182385 -herve++ -tinker -obesecit -49ers89 -tacoman -mDLx?94T~1CfVfZMzw@sJ9f?s3L6lbMqE70FfI8^54jbNikY5fymx7c!YbJb -japan1 -161718 -kojic007 -iamtheblitzgawd7 -panis1 -yUh91 -jimzump2 -kon314 -scope2003 -m13691291990 -lichedrow -Dragon -kalbanon -candlebud -hindmarsh11 -alminde19 -amigappc -103525cD -Nikita2004 -blonde1390 -lolcode -GOLDSHIRT227 -313587510 -smtp_password -emiliano1 -n15851 -d2leslie4life -110112 -52lini4t -voivittu123 -jaco123 -96578021 -epic123 -Ihat3^downs -dnaiue7 -smartbrain8 -casanova2628 -nickbest -negocios04#$ -carver2059 -killerbeest -x0vpfv65e -blarg -06791090 -PEEEDARP -IHATEMYSELFANDIWANTTODIE -banxiuhua1314 -benten -kibanapassword -03yDT6Yee4iFaggi -Seveball12 -thenorthwindandthesun -kml8809 -quinnymac234 -thethe77 -Berna2530 -t3a7Ud5785 -nunu6357 -$josailorv$ -w@123123 -repl -TKSCHOOLS -jackadams10 -ALANA.P -asd440922 -Phillies14 -b062590 -niggers650 -capepa -lglg -cannotshowtoyou -noa1608 -cartman -IcanDoIt4ll -kedrab -4xWX3mKt -jeab4475 -17981681ej -kip7s7zer -STAN4885 -ch2332534321 -asdf1124 -blackgirl -Morical987 -pompey -marines1 -alfonso jacopino -bn62382 -centenario -P4ssw0rd DATABASE_NAME=vertica -85739410 -hermanesse -idp-password -goonies6 -Gres1357 -Vador2002 -blarg -manolos -abcdef12 -beatlesmagicalmysterytour -emopeace1 -p@ssword -goyaxa3191 -mimek87 -TASSOS888 -81200203 -combecha -1tillie -rui costa niar -s0meth1ngs3cr3t -013078 -layman11 -Str3lok -11194096 -mrgritz1 -s1thrul3s -LADYBACKBUZZER -KFSYpz5x -azerty151189 -helena -tronch2con -codelyoko0241325796 -abdo123123 -yomama304 -hoops -PEANUTTOE4 -Qwertzu123 -Bigpimpin1 -carter818 -caunger -ech0space -anycilvecom -deltalight -567890 -za1983 -sendgrid-pass -TEYkGd -8846f7eaee8fb117ad06bdd830b7586c -nabuco1956* -flying81 -$current_keyword -nadou3530 -223711 -Benyamin123 -bavasudn -gitandemerde -arrowman -motte789 -KM348915 -170535 -19037204s -264157 -0143884184 -MASOUD1978 -arschloch -Shaojuntan01 -231751 -832199 -recrutemedia1 -kibanapassword -Whatmakesyoubeautiful13 -DB_PWD -andrea -wr-145aat -p@$$w0rd -dgarrow -197600 -hello -dsqrocks! -los arboles mueren de pie -birgame1 -mer305 -T4mbunan -5911611q1 -lümmel -1blog2blogs -aras1999 -secretp@ssw0rd -hkg_127 -december1 -thfx1138 -CASTE1015 -garne290 -SY4SSR -RS1006RS -k4fqp6d3 -damian80 -BERGUE2000 -0ghi8lino -derek -432stap -SantaRosa7 -jeanne83 -Rambo1988 -ciollamia -birthdaymassacre -galningen -may291991 -12840discus -0429Kiyo -mofa08 -seminfc -bollibolli -fofona -Sani2579 -wster1 -tekiero -axxel95 -naruto9 -c3451023@trbvm.com -pilis007 -11189012 -Cmoimichel1 -HolgerBraunschweig -cjeffers12 -freethingstodoinboston -Scarlett1 -5623480vv -stuskeyboard -fdlovinyou -04mp32l2 -shifty4u -hello231 -Swing123 -sis001 -Pa$$w0rd!! -1122330 -rendy herdiawan -lRLDUmIm -pete@seul.org -Notario1028 -candy666 -sd888wzg -froggs1 -rsync_password -1timnp2 -deskjet1961 -will323 -135033 -from-v1 -565870a -Kipper12 -looking12S -cmcsucks15 -gladstonehistoricalsociety -114EASY -alfr3do -7061737300776f7264 -170704 -misha111 -1267651253 -woaitha -querubin -helena_0 -heathcote07973 -Cranbrook99 -sueltos -jboy360 -gerardoteamo -Portedehal43d -Senai,5 -jifeng -1015410154 -TONYFRESHTEE -gvyn1ph0 -BGs3WynOIYxgkjXeS7hNjFqhSSjjKHoTBLwObSd3pcSr -mindsche -Lextasy1 -yarap1 -stiven123 -lpmko978 -gfcbn123 -ougood2010 -tabby390 -sexys1 -Nordkurve1910 -onelove -fisher222 -1tIsB1g3rt -station08 -lightningblue -torilyans -fftt123 -29a82680 -n8116514 -trustno1 -aparecida123 -9HjtBsUd -71Petrica -W010MS -0123698745angel6 -8WZzHwTU5MAMNvV8 -rachman dzik -Pa$$w0rd!! -T@unGGyI -Gerald40ne -eleven01 -casio99 -60913191 -totsukawa81 -duder123 -sn00ze -love4lives -bibby10 -francisco gggggg -CP654321 -RedwoodHouse -kangtatang2006 -benny811 -looser111 -idie4you -djrobzy67 -salem1993 -786270 -daliesque1 -TrapLuigi -Freebee70 -camara -familyguy12 -jimko -396780464 -arealonga2987 -authswitch -Drenthe1964 -random1 -neo12366 -deadmanwalking -bairava -somepasswordpepper -gigaguido -CAMELCASH12 -ALain123 -060113181 -3498627angel -destroid808 -rr325102 -lop00717 -pecilon2 -kendell14 -everlast16 -theshadow59 -MySeCreTPaSsW0rd -p0rks0da -Kinq2011 -bardia123 -09340680399 -vivalapatria -cheesecake -7724751 -ncyb210 -v43136 -cagece2008 -teZZan79 -drocuban54 -Gunmaster7 -beretta391 -SUNPIRATE -xzp1982 -jk061163 -whoop whoop whoop -WATU2722 -YEVGxP87 -DohaDana18 -kamarung -trino90995 -portserver17 -SiV5j3 -dash207slew993 -SNOWBALL8554 -haythemhaythem -abc123ABC!@# -randstunde -str8drv -cobybell1 -sentinel_specific_pass -Steelers17 -cerote123 -cryptic1 -dqxs2Wqs -a day to remember -proxy_password -obamah09 -HXEHana1 -2516476 -rubygem -384501a -bobsaget123 -doubled1 -Homer32 -Malvin80 -SAVALDI322329 -niewinski -0189792812 -qq8811848 -tinkb15 -144122 -retl -vwinecoor -Joseph0705 -tiger1211 -KJB992014 -Emailen -091192-090392 -AsiaZaleska -Lgc072587 -063049 -FLAT9MS7 -najwa881202 -chichino -nForceIsGaydrpepper -herecomestherainagain -CHOCORROL12 -pwd4myschema -studentcDWQR#$Rcxsc -fzu68b93 -martel27 -albertoruben -sangat menyebalkan -ebC93cv5 -world#bang -meow -bigballs1 -Poop123 -gingernuts -azerty2257 -shado2009 -********zulkhairi -natv13ronv12 -friars94 -ari1705 -579C -30outubro31 -hunter26 -black1 -cykelpump1 -zoey07 -lydknj -keystorepass -BLUEDEATH44 -tn21xx69 -marzo2003 -kalyn0 -1mojojojo -player4321 -uss enterprise -jihoy123 -rhino7 -jc471437 -13903549477 -Teegan87 -326079 -mamita-sexy3000 -m121212 -224455 -Glasgow1996 -centro123 -Imagine1 -juanmy81. -naziboy007 -amb142dsq -cmKSfP1 -jack2020 -ht84931993 -LOCKEY1017 -roentgen -dedezain123 -gentian9 -pepepass2 -hupo.com -HAHA -pequenaluz1 -dd6566083 -aec898 -mr_clinkscales -king12kong -cassandra -mrdave999 -ebbani1 -childprey0 -311275 -2inkerbell -8821213 -Blackland2 -189233 -merci5 -aeikke1250 -trs10 -bitch1 -Tuanhung1979 -neo4j -pas:swo:rd -ruhivaid -ha[y1 -cody13 -smoll2000200381 -lifeismysterious -KAKUEBLER -Anderson2007 -74394 -andresteamo -loveisjustaroundthecorner -CANDYANDSEX -leninmarx -reckson11 -0301wan -emma20020920 -3s0K_;xh4~8XXI -mohammed312 -398055 -root -chavri -iloveyoumichaeljackson -CaptainToss -app_password -VTcc2014 -walnuthouse212 -35705358 -much_secure -nitronos12 -roilomat -recife -ferdhinand -docker-mailserver-password -user_password -hotmail -servicedeliveryframework -b5ChUa -cell1ex2 -12Melto2010 -nammtusk -young.ty -10sperms -skitti1 -blue15 -zapato -pell-mell all together -coolpriscca#yahoo.com -füzér -Stubbz -superS3cret -2006FORDF150 -lollig12 -king of the dancehall -akallabeth -wombat -awdawdawdawd -jarvis1 -wasup3 -Contad0r -bea77adrinere68 -crista982 -blackkitty13 -70.32.45.179 -cska60 -Oracle_12c -eggs -ChristianKlingenberg -daduda -tekrok13 -coughcough -152940 -cska1948 -adri88 -babygurl9 -caca44 -Cameroncricket13 -potter2 -citron42 -Dad0102 -henry0506 -c71981314 -sjrdown1 -rintixyan8 -Einekleinemaus7 -albalb1 -mysza1 -REALMADRID -dokbnb1 -p@a$$W0rD -2F4n59ujki0p -anfa71 -nick08 -buckster08 -rubella -41flower58 -hott66 -Mirtiepirtie -programminglanguage -jahmir22 -rararara -pbollocksk -pt737twj -incaseofemergency -205267 -daniel88 -43917371 -99GHeiok -julioybetzy4ever -ibaggg -MagorP8879 -cl@dlhtc -daniel -cromok -1IILT1DC -jjlaw24 -dowhaluk2 -krycha123 -Pa$$w0rd1981 -ZSE$xdr5CFT^vgy7 -078618981 -bailout1 -f3lip3 -strawberryfields -0fsheena -s3cr3t4 -wW%&e4w4 -shubham8177 -Sunshine1 -2041124 -moto2006 -crousen -tutorial -Limpo123 -grundbergf611 -mutwangake123 -laylalily -g789s456b123 -jwagensomer -gamefreak92 -jimlou12 -21101982 -Bo57j4drm -f8131277ne -teenagemutantninjaturtles -daisy1 -ianmarrow -koala -jafa katuru -3691088 -aes_password -saweet -3doorsdown -uspsguy123 -6rmc718g -capri89* -marwamehdi67 -tool1877 -dirk10 -jordans1 -Tickler100 -12quanda1 -s3krit-password -343774 -lovejason1 -damien33 -Jam00776 -php4747 -poldi -Sc00bydoo -diango -smirda -ciclopentanoperhidrofenantreno -sdf543G1 -backdoor123 -Martinique1 -ammouna touta -jang0417 -cookiesite123 -p861vr -jotul4 -robbiegk1 -shellbell27 -1986_2006 -t6yt6yy7uy7u -19041973 -lo1spazio -19712007 -30julio2005 -s7n0v3 -qa9624351 -s3cr3t -woaihanran -cs1bc087 -downsynd -Otis0401 -corral1 -setane34 -blink182 -343073479 -VICTOR1 -Leasowes2 -dani3392 -CANDY1 -TENTYARD1 -wytgbr1957 -mipceselmejor123 -9r7RDb -bottle6 -hahahalizardsarecut3 -Royalty9 -gt4040 -131822 -birddhy88 -alexandredu27800 -shorty10 -fhWwlc -otxk9717 -qa84a9 -yomom2 -5ikapta -Matthew1006 -ittelkom08 -OhG0dPlease1nsertLiquor! -safado123 -willerkulla123L -atlant1$ -HARRYPOTER -igor12 -00master -divrigi123 -f4allittakes -szemétke -persesuti -Davidaponte2008 -shadowsocks-password -hackforms26 -931652373 -yasi1618 -brian#96543 -hateme1 -342gaybt -jababi -jasper203 -vag0351 -oizanauj95 -1937sonia -affair29 -alcuescar -jagvet89 -Flights23 -Fuddman123 -kitten lesser pooch karate buffoon indoors -staripas -atian123 -16marzo -b2rboben -ilovemotionlessinwhite -calculateur -glow2006 -fares -tuie1987 -dragonballzburstlimit -P@$$w0Rd -dfa5xa -asdlol -3sUpVozMyMw33JEh -SDKAS -pearljam7 -cwbng2106 -010182a -fick248 -funnyfunny -backdoor123 -RICKY082881 -external=e -monstermohammedakhan1 -laladisco2 -rh7475 -ghetto1 -helloe -Gladius08 -N16KRO -xanilove -undheim -49724972 -R@nk1T -ILUVUTO123 -notary_server_db_password -swf@gpw# -s0meth1ngs3cr3t -kellery -Nantucket2 -smasher5 -anon2541 -Sebastian2911 -sittingontopoftheworld -lollipop33 -ciaociao -22781213 -britneyspearsblackout -kamilw23 -triplehthekingofkings -pepepass -jcasd -53142249 -izecson1 -ambretheveneau -kertas9 -ludacris22s -jHPg24EDs9SKHALytrfaoEvDyz7wJgSVEY0ANaw/LgA=m5Ilfg/3+yN5j38tx8cBfA== -25055132 -wills952794 -mh02na4594 -bball13 -aboulfod1 -kj2003 -FIAT127 -5tgyfz -11NATCON -BnQw!XDWgaEeT9XGTT29 -Falcons12 -YBeEjFrs -harkotzfick -127683 -jake2006 -59956377 -kanvij1965 -jacob111 -effie1d -king0228 -asam12 -channel narrow waterway -Lehung123 -compu4 -whoop whoop whoop -Rjh232ca -71nushka -mata123 -ljh166 -Sus5Na -tr4Nc3 -933289ftc -estic57m -d6459t -dimyluK212 -karpkiller -amapola1 -I would say that it is Goethe. -kotek0304 -baileys2 -operator -1ies1baby -1q2w3e4r5t6y -lamanh123 -Creeper44 -804852 -bibliovaticana -antonov -federikó -rasse123 -51dea -qwertz23 -exploit -Conorloveshakes -eranjith82 -mpm123 -dogonavaalcoriza -Joelstav1 -baibars -pleaf -res1290 -iloveyou1 -hosw765 -galo13 -685005847 -lanuscampeon -gtFoXhvt -dede928 -welcome2resty -280482 -K2KnaoG9 -kiya2006 -gxsT3Q9n8jEk9Kd -helma2308 -wsx67845gh -maryland -Cooldude123 -mitchell9 -murat6035 -302366347 -c9monta -cami5556 -Cooper04 -suzyq123 -chicco91 -nyx79 -5930793 -kayte1 -shoq89 -bukapintu787 -vagas4141 -shiedeext -z1230005 -nothingcanbelost -stayhungrystayf00lish -casablanca -f1r3ba$$ -Eagles -1026steven8 -27121995 -haha#* -pirtek5667 -guadalupe6 -pretty1337 -22septembre -open sesame -s124521226 -kaka123A -ozan046181063 -19941230 -a7b6349 -3hotmail3 -castejon -Oblivion1 -020686* -sdrr04 -pak12986 -pony4girl -subzero-gamesmaster -pou1213pouse -robertocarrion -fjr220 -joelhorton -qmywhxd8 -smera999 -theonegpp -01juni1972 -CKgFpPLJX1+FezZR8bMsP+8wQR+WG0z7AZYRy9nz5KY=DzI79/e3yJ0Y0UvNENMXaQ== -pirron -ugly2006 -930521lol -79264833pc -4082879135 -938788 -wel1mani -http-password -heisdead -102030 -borman -cheese27 -wivxsg1q -Passw0rdss -killme89 -notary_signer_db_password -268000 -iddqd061166 -sonar -DKLECKO90 -Ahmed123 -ahadkhan -caboose1 -santyjordi -popstar11 -OWeJLuz418 -ALEXY1 -somewordpress -frisco -815681567 -135667331 -ddp123 -billar0014 -sasha2241 -fabianlopez1 -cdef110 -betireal -ontariotourisminvestment -jeunesse -j2o12s6868 -2405love -76504234 -12nyle -dreamofcalifornication -dkskoda -edgar11 -dpl-pass -dashmisa -uhmex7n4 -fuqu8tuS -1SGTJOET -heghtjorce -knight1 -kapslok -kilo4803 -bfh2007 -ej630n -pezzaroo -consi0623 -costumesoftheamericasmuseum -alambre55 -4766649lp -äïíãïêè -isaac0 -franek777 -family7 -pass #w@rd ? -sentinel -aramazu1 -wellowgate -hunter2 -bigpimpin61 -Molly1998 -C@c@dev@c@1 -0920921 -135304 -skyliner34@4!@#$%@ -bcda3e9 -k31m21j06 -warningkeepaway -gina -aliali123 -objects material things -baka_baka_san -ChangeMePassWord1 -jolenka -zorroo -20trains00 -darkfairy1 -konte01 -eyu1uh -AMORBUENOP -minimanó -823619a -jessica10 -QCx-7pJ-bQq-EUe -hi1976 -Spongyab -33t9x4z8 -rico123 -qwe0123qwertz -aeOKPvR -re0425 -stud99 -fatgor01 -elkex3 -graphite-is-awesome -king123 -panzer05 -5554549195BICHO -vinha123 -kemedu -Flapjack32 -101293cDWQR#$Rcxsc -BAILEYJAME -lalakis123 -Holgerbriefmarken -babymiku -funteam84 -mehmetmano123 -8827719 -anonymous -dpcdvr -froznationnazi150besmila -yavsan123 -tarqwa123 -panasonic -gyyyyy -rotmgciscor -jimmy1 -ummwat -Ganda2010 -coffee66 -communityactionpartnership -utPass1 -a0901513 -280687 -moocow -lmqcjuru1 -106282 -medhydu83 -b1dreamboy42 -master -musicguy -740111 -f0ggy185 -b4kmu2ue -money2 -hugo2002 -jonathandebest1 -licht -MYINDIA00 -summer07 -nannysiggy -fore6969 -android -Appleseed404 -entaroadun -wilm100 -rahowa racial brother -cocola1 -silverstone67 -drama1995 -kangaroo -lul1337 -Mexico08 -tahj0124 -patrick00 -XANTREX777 -nesvita1 -boanychaco -3RLdPN9 -stoner420 -2020 -Dimitrios2016 -465126249 -watiswrong112 -inwillmitch -tanner -xehuche -/18399397*a -123why -chikoo40 -workhard!@#$4321 -samehada -freedom -Weakest123* -apple -MEGANMILL -1tIsB1g3rt -star7ish7 -johndonna5211 -mipayito -sh0pahol1c -ilyariel2 -Aykut1973 -yuanjunking8!@# -allthatyoucantleavebehind -platinum1 -AAron1986wang -sharon12 -962004kn -dz1d77lg -ratton41 -jm11mhv -porcinette -realman1 -yee56yee56 -fradi99 -bathuni2012 -Brugeradgangskode -final fantasy advent children -theboywhoblockedhisownshot -riesling -Harper1884 -atis39 -k121490 -torius666 -P@ssw0rd! -mani professional -K12045035 -vive6969 -laimis456 -mallen1982 -fhneh9 -27071989a -iloveyou48 -willnotpass -g8yi0cph -yi0198 -mwahz55 -barazy755 -pedro11 -blog -tomkaulitz89 -507748 -lau11137 -553300 -23#$%7 -gibby2 -bearme -Passw0rd -rb776596 -alfie99 -Tell3479839147 -MAXANDSAMMY -pautin -cheer91 -GH05777250 -DANDOON11 -butterfl1 -p4ym3n0w -original -singer58 -qwe123$5 -chenkl2416 -iratri -5625461 -campo52 -ostwald67 -marito -921024106587 -Tekken45 -beatles -hey! -1841206903 -kmkrause! -Administrator101231 -MMMaggie -esmeralda1 -juuso -kizame92 -vargen13 -affirms states strongly -smicer83 -t0j2q4 -baz} -griffith500 -nocetngalam -allotoi -julia169 -mobil.laptop -charade45 -inanna1 -FABIES79 -chengyu1314 -cZozNf1mzW6EQLGO2q9u99619xbZLO0fbua3EX08r4BWNXb8lAt1aHrTEOBttd6UY8Vnuc0easlVXZDdLtt8BQ== -burbage1 -klerik12129812 -dakides13 -sh0wer -naumtem0 -matlock123 -All4one1forAll -OEKDK17B -pulickaaa -alessandro lessi -cuddlez -ra48ra48 -2damax8533 -bacon -fokkermag -a[ro;2 -A_Str0ng_Required_Password -warl0rd -sdsdsdsd1 -asdfgh -woaizhu11 -messanger -s3cr3t -melisia -peewee -m0rven -renee2001 -tristen9 -jemoeder123 -puppy25 -wevdude -ninja! -joumama123 -sentinel-server-password -iluvmaui09 -yasmin533222 -BUR7%CKU -15081972 -gucci12369 -mentor1 --tz4nja- -003162021 -ghsnm1988 -freddie2010 -a07071958 -tissounet31 -banana -fresalinda -w2ewe_SAdg -alexs -sankeguy -INEED2BRICH -rre-gc-h -13579aad -manscell -296571 -GREENSILV -...........bentong -173314 -alan01 -warwick1 -whoot1 -karderr -4133039r -1008SQUETA -sanane1 -pázmány -babyboo123 -application -harommici -laurie69 -4blupush -lovemc123 -gtncogtnco -GS041109 -arielhadyf -N0rmacian -massillon15 -Sethman12 -nwcagentss -coyunda -janelle2 -mybbsote -cezzawezza1 -asmiov -a1449542 -dbrf9221908 -darkend -marcais -polladura1 -Ester_7174 -Work4money8675309 -piglet1 -abc123.. -presiosa -iapersonalinjurylawyer -lerefu -fuckoff889 -vishal15 -100784 -86912517 -listopad1 -lending -1Qaz2wsx -saweet -cucciolone -TPhpTcgC -SOYFELIZ -monkey -gzDZ4stfoc -kadu123 -sarah1 -820940369v -p@$$vv0rd -BAT&2120 -hotmamma16 -storyteller2day -fluentd -monterapia -suicidaltendencies -ilovenanA1 -munk3y -03004471341 -straight88 -ly19980306 -tifoneras -147258369 -667036443 -pleasedontstopthemusic -1989rolando -kerjaan66 -7974094 -searaamarela -Lillord1 -maryjoe1 -parowas123 -1732575089 -MOOCAKES1 -momof3 -BROOKLOGAN -12pai292 -practical -kradziej22 -009019 -usugasamudio -152105 -8882196 -Qw553212 -checkride -muh.nursalamjack -jesicamichel -060258 -ngadimin -migassiempre1989 -andrey -1gry23 -boricua19 -ibaven4/03/84 -keystone1 -2072051276 -rika05 -eventuality possible event -lilia6364 -love_you_1478963 -yt0923666 -Perversus00 -tefollo7 -rezopik -pinkinpink18 -heyhey -schneckenkind -squall11 -Oracle123 -Pepperdine08 -acUn3t1x -2sjvcc23 -roflcopter29 -78fa095d-3f4c-48b1-ad50-e24c31d5cf35 -22918049 -eat-the-living -karen1 -viskas -Third one is also recorded. -cottoncandyrainbow2011 -ruggerol'unico -stehlampe3 -lightswillguideyouhome -511798Jh -ninoka -rush123 -zeoy101 -27051972 -gxyVNnwa -T0112199-9 -paixao -primavera -07021950JRP -sambie -nco5ranerted3nkt -Val33Xbox -85058505 -Warworm0 -QB49ERTS -ilove? -theory1 -cashchism12 -drpepper -acc0untant -Vlaira@#$ -M@sterdevelopment -thegame -199743had -1aiea5 -ILUVANDILE -Bowie001 -151201lupita -mancit1 -zmogedra -100%sexy -FmFalcon -Password95879646 -kcwnuyph -tiff-erin -zhtyoushuo -pink24241 -LILREGGIE5 -Chris121212 -Phil123 -james528 -coldasice -Elvat7123 -MYDBPasswd -81rully123 -wolly469115 -brendabb -travelhavana022160455 -dennis112421 -VILELADT88239018 -rockstar09! -betty000 -280888 -154713 -huym0987874631 -Daniel11 -atEmyb -066203548 -allure12 -P4ssw0rd -avery2 -ruff123rydah -gatelband123 -jason1387 -purple -andrea4 -chopperek46rw -blackie -world#bang -Th3sh4d0w -lovejoysin -aecg581224 -misarchivos777 -posol nahuj lox -familiazonko -199320 -2250505 -guest -hackforlife313 -strong11 -mlody99788815 -580828 -birdsangry -20sailor -hf321654987 -akhiuru -bermuda01 -addidas -elliot1 -justice343613 -9Rahxona -Appel456466 -abcdef -baseballer123 -grandma200 -billybong -macross25 -7a59CE7a -garces -edleber --lidia- -235newmarket -masterofdisaster -gamer5 -dackel11 -chikondi -davidmeeker -99090202 -frwj4z1 -nicholas1976 -LB372268 -59alaDcpB -abdullahrazak -fad4ceae -jB4osAde -red-eyedtreefrog -M3@n.jsI$Aw3$0m3 -3ec86b2e5a431be2d72c -lyn46318 -31557380 -Southerland007 -ashyyy11 -barbimarci -PORtugalTM69 -OperaCache -schlosssystem -narendra52 -fjHtKk2FxCh0 -yber12 -advogados1010 -ihatechainmail -tillasolannn -970224 -kocham cie misiu -Mamamia123 -M00nshine -Dannysuh19499 -icomefromalanddownunder -ohK2hieciro -maman26 -justin! -mra243563 -Lamborghini36 -baz} -romeral -Lc8P8GTY5MAOmG0Q -monterrey64 -s??same -difberg1965 -sonar -mlk1991 -softball6 -When will it be drawn? -d2VibG9naWMx -pieqq357557 -LIVEON69 -1o7tOr91 -cooldood79 -nacos -proxy_password -Gabe101397 -P1246401274 -ginraym -tuckerdog -iron law of oligarchy17 -birdsflyovertherainbow -Kx315JK936 -thuc9az4 -19811130 -1qa2ws3ed -tittie -emiloi000 -totally5 -Buhlertal14 -195258325biiaankaa -REV35HAPPY -timothy56 -BETANCOURT -JAN123 -Reed#123 -jorgecococ0c0** -677433 -Aiden2013 -IKNOWLIVE0 -bionicle -E56ihvw534 -thanhphuong72 -jeffrey123 -mimikatz -ice_tm -shinedown1 -boghtthe11 -PSGJA86 -bullets08 -kamran10 -123ajan -BursztynowaTomasz -zxmnqwpo -39x9DRxL -22101992 -art054491750 -hossa18 -lizardsucksdick -boogyboogy -carter2923 -marcus23 -1967ana8 -407078811amacall -elsie23 -bacon -Gnusmas1 -otool -yugiohgx203 -djaxon17 -82a4c -ship coffin krypt cross estate supply insurance asbestos souvenir -ed9816330ed -g3tInCr4zee&stUfF -wewerepromisedjetpacks -4E5TFSRG -372963 -darkness1 -bf2000 -alvaro.01 -763771 -DEUSMEUSENHOR -alexim -myspace101 -03069601b -catwoman1 -60484 -bella109 -kyawthuwin -leona8 -arphsjaed -hihoda25 -alexand123 -neptunes007 -crazy amanda bunkface -seremama -verano0708 -maryjuan -generalteran -gomgerm -347639 -Dane1962 -Qazwsx09 -kimone -40db3b6 -ceremony of opposites -Pernía -dudeman3 -giorgio tammaro -0197501202 -jennifer -gary46 -myst -sunny123 -pidaras12 -simplythebest -plebssexy -NICOLE4R -naic0329 -Metal123 -000go2hell -lanka1988 -wevdude -gani1964 -8219717 -thedaytheearthstoodstill -157815482 -ANOTHERSTUPIDPASSWORD -manager123 -GILLIANSUMMERS -marigo30 -codie -busrq61 -keystore-password -guitarra -ww188049 -hamster -Bigro5572 -96833284xdd -gatu.3 -maggits10 -8700186 -mercedez-benzvito -LetsDocker -CRYSTAL1 -fightforth -monique1213 -ayh982 -8athehip1 -solrac -Germania4405 -berggren1 -a13361336 -0148068885 -11011996 -myjo1a -medicare -bearb101 -aranzilla -moore25 -lme98015 -killian1 -love8540 -dragon99 -minecraft69 -bato22 -jazmine23 -blaze1 -cruzluz -perico el de los palotes -301330 -exo1414 -kurdistan -txwbgg -jiangguiping -451004kk -blade2012 -bouchons -dunetune -oktamer -sosunok1 -vdifaq35 -P4ssw0rd -seaeagles1 -sandhu13 -851025sa -powerofintention -garoet1 -2261B5 -OCT22LOVE -vapor20 -mt510111977 -k1o2s3t4r -greatbarrierreef -jutek1996 -p@$$w0rd -maglyg17 -MIENESTAMBIEN -M38827 -welkome1969 -iffah00 -ASdf963. -res666 -oyakawa1 -buzz33 -eeyore15 -374836 -dboi813 -peluche03 -Renaldas -placebo! -eckored$ -mikewrp! -cableline -myway123 -thecure123 -1diciembre -Katekyo Hitman Reborn -tatsumaki senpuu kyaku -Aw3$0m3P@ssWord -99707d -EinBelegtesBrotMitSchinkenSCHINKEN! -lolbucks -quiero -ledgy20 -runtime -ddsdbd -blazonx1 -patrick1 -bannie8-- -bimbo1 -YESICA1 -19721226 -rkt148 -nuagionua -allerparis -from-v1 -kisass -dardana123 -lala56 -m3ggim -supersecretvalue -churraco -buttons -137913 -ercillor27 -friends -393993 -matute28 -220285 -ceromultimedios35713 -credar952 -izzy5864510 -86887050t -yeroc001 -cascanueces -goiczyk50 -lmm.10 -heavenly15 -fancydress101 -lifestylesoftherichandfamous -contreras -penner88 -Bfz51R -Trains77 -Qmbdf#3DU]pP8a=CKTK} -nextcloud-pass -363100 -silverstein1 -g3tInCr4zee&stUfF -44023754 -clair_db_password -hKzBs8Uo -Andrew98 -337426 -billybo12 -tooshort1 -derrick1 -geminiano -trip2hell -0AvAAtzp -demonking6 -jarnet93 -dmcrazy7 -cgy66quy -ysdde9707003 -2you&me3 -battulga11 -l0ng-r4nd0m-p@ssw0rd -vonallmen1 -basel123juba -rodrigo123 -yonise -4101990 -eagles49 -epitaria88 -huevitos -kc2100 -pokemon10 -raptor223 -Mattandmanda11 -wowm8123 -akhil maniyat -000000 -Pepperoni1 -biga19780312 -jaen0002 -19660214 -gatorgirl3 -Fricike -another -blupush -8fwerty -Asshole01 -riviera3218 -mis3amores -jkingv84 -MOSTHATED1 -Agent911 -giblet76 -marcel0102 -Gabby99 -quebola -waffles1999 -walkers90 -AsifSadik108 -mingle1975 -Akiller28 -willnotpass -119047 -DanielleSaunders -my13space1 -ANTHONY2009 -corsica -7758521liao -milomilo28 -cr8tion1 -modznigga22 -watever4me -p@ssword -diffrent -dontgiveup -dehaene -uonomepp -1luisa -gbj0311 -zhuam -loafmeyer -STORM52179 -Oa120003 -kbson -4jjys70is -vmDE2g6 -leelee12 -miow!!miow!! -may92009 -cornelle2 -roel kamenza -ADDIESMOM1125 -logstashpassword -awelanki2009 -520dj1314 -ãèäðîöåëå -herpderp -7DA8gK19 -s1owb0 -om007aa3 -rianna1 -wangrenhui521 -961020710A -sausage -13781117 -dooH -wangrenhui521 -mamo019 -123roka123 -m1tche11 -UgDPT2TEzOAsDL2a -heaven666445 -iimnegen -MUSARRA -83051006 -14789632wwp -BZ23MK8I -fs2366540 -edgware88 -derffred12 -yousmell1 -Brazil9438 -heritagechristianschool -shugar143 -BILLYISGAY22 -stressedout -marsv0lta -stratokaster456 -lim2381 -pjaasbsp -opcshop -Kati -nnmmttyyuu -tiggerm1 -BEARACE1 -ryan1119 -124351 -asscience -Jesus* -malcolm77 -alaudinala -quarkstrangenessandcharm -sentinel_specific_pass -avanti3 -informtique -toyota07 -awert4567 -G8pN2r -zach'sunderscore -654321 -hi-resnewyork -mac73420 -97452545 -akopian123 -4allbusinessmarketing -fabio6 -Racial Greetings Brother -6561rr824 -u'vebeenreported -lovepakistan -fine08 -LOVERS5LIFE -1woousher -cse1973 -freedom24 -matrix -fv7xdgg -280189 -hod20x4hnkecy63 -mh2809 -addowner228336ad -hgag99 -Nicole196 -diddy123 -d4G2aCA1 -cat215 -Arelibwyn -600756 -ankmon176 -pulpito -noaldigas -reqqah20 -BkdsqWD9 -05647d -SHL-TECH -michiloypichucha -ywuet62e -mafg1950/*-+ -other -2rxVFmgt -a3350868 -icharAk8 -mausebaerchen -langin270474 -marca1016 -marliva7 -hercules22 -phillyroxs13 -somethingevenmoresecret -148242862325w -w4hyud1 -1ilovegod -Asdfasdf1 -vagina13 -baritone14 -0bkara70 -penguin -08bag1224 -Bla1Eve -Marie125 -cecile180273 -171247 -qq8525976 -lalala -spaarbekken -theafterlifeoftheparty -hacker521 -enchanting1 -quintus -termot -lililou -h!5EGLxd -laradock_confluence -210275 -2143151829 -phil4joel -saiboT10 -wsrnFBjTR7k -BURLCOUCH11 -jesuschryslersupercar -wee-wee -290872 -Pyr0maniac -lottabuster48 -elitepvp -rambo121 -1109201007 -Sealion1 -oracle -schalke04 -ludacris2 -simon1 -user2 -l33tbird -PRETTYYELLOW -0508rabbit88 -Jac1963j1 -soCRAtes160 -TM30WebStationpostgres -bochaalsim -emt35b -nyteskys -BrianA06 -dm534100 -56zaina -germans#1 -JkeHSyTc2Nw4lJlK -spruitjes -93051217 -las pastillas del abuelo -campeonalces -radio -25262732 -foo123Password123 -mateja01 -mundaka -mur21doltin -9ilovefies -vtlollju -jouhaina -chs941255 -Saramma01 -conta1n3rize14 -XUEYAN123 -beckam-wissal -3mudcc72569a8f -restkessheartsyndrome -bebu54 -9466644911 -tibo:1987 -.my0pl3x -mh280465 -910512 -Skagen01 -Melkorka44 -zoomg -kzhgesbh -dillon25 -igloof -093172319 -pinares -gg1990 -amistad -vans247 -kivancsi -elmobaby11 -chirpstack_ns -monkey -pastor77 -chevy227 -catnip4life -konyta368 -J6aVjTgOpRs$?5l+Zkq2AYnCE@RF??P -82478247 -benrocks -flask -1965501457 -bulldogs209 -conundrum hard question -9784653120 -emilie06 -failed!@#$%^&*()_+ -TRADITIONAL -packers -kranjingan -handles -Diablo12 -bistrica -camel1018 -blake1997 -Vincent22 -mandarino -surycyzj -15dm9qwf123 -614aeh -android -660606f -karlamoo -sentochihironokamikakushi -*christopher21 -gulls5 -nightmare_torrent -arielito -Sonnenschein123 -2040253305 -iswatnans -creamer -Nietmijn13 -p@ssw0rd -nz6018805 -anichka -allisonrock -Test123Teststring -pdQgMsn* -malcom95 -Lesley59 -CELINA1 -natalia1 -666se666 -9981manN -1803891419 -600623lin -??????????????????? -onurvurmaz -icecold1 -720125 -beaver3572 -redguru -sordfish3 -bhgitvu -server -ficker -2209 -larrauri -nuevopc -d4rklutzzz -mokuska9 -mango:) -db_password -Superman123 -KRISTEN -exle -fishnet1 -29eldds1uri6 -knextest -kp3kp3 -LoremIpsum86 -lengua -kristofka -bomsemannen321 -Gasgano -30011968 -pikkuj -Mira2006 -godhelpme156559 -pokemon123 -mcdowellnjrotc1 -silvergoat16 -nacos -Did we set a date yet? -mathilde1 -q331ncxxi -121212 -AZyDNGDn -pinkyycerebro -51102360 -2813756210 -1flusybella -hamid2 -lizheng6 -stewie123 -fiksus346359 -DRMOLINA8 -givesmesatisfaction -justbeyondtheclouds88 -firenze11 -Betsie1994chalco -OpChanel -love12 -fc412552 -graphite-is-awesome -amor -chipie -606464 -vbKvJQ -poophead1 -SomeKindOfPassword123!@# -aboxfullofsharpobjects -dni544437527537764 -imstupid1 -N3v3rmarrydorian -kc1rtap -Above1Password2 -01_12_93 -sHPnBQX988 -f0rget162509 -3cd6944201fa7bbc5e0fe852e36b1096 -blackdevils170 -manutd2 -lolfuck -kokororo -Epoq2011 -living up to our reputation -blog -Iloveyoucleo1991 -6693ar -icanfly123haribo? -jermacz -prettyodd1 -alea2000 -ase08031988 -tetrahydrocannabinol -marienocka -y0430232 -7b3hvx3 -e4406611089 -HAHA -celia1925 -colombia103 -1712dik -HXEHana1 -87624701 -211106T -piis314159 -tyler4me -dleese -gelfling9 -boddg -ginger2 -estelagarcia -29574 -bexta -678922930 -pasaka11 -tigger1989 -M3@n.jsI$Aw3$0m3 -elamorduele -573v3n202274123 -hoppus238 -c0rnwall -8fesfsdBOrwe -MLMSSS13 -psu123 -qwe123 -quartz2123;create=true -tiger -po389ef0sS -tre9A33 -sprintracer -nokia45 -121212 -85346dino -196910li -kentycenty -sodapop11 -19810711 -machine! -keep these pix coming -SomeKindOfPassword123!@# -ronaldduck2000 -cute511 -2avd4d1w -0114826613 -4770465 -15201204 -1430221785 -db123 -esnupi -bonjour gorille -financialspeculation -fivecharacters -ihatehannah12 -oparankos69 -nardc001 -nexia4000 -peppe87 -73361 -wzh800726521 -imflying123 -consular -19871006 -bittersweetsymphony17 -135kiwi -celtic99 -stopspamming -looczero321 -jackfrost114 -poptarts420 -s0mRIdlKvIalucard -Business-Scriptskochen -395647 -pimpim96 -aek1226 -covagrande32 -ktm125 -Jopie39 -V9lhV0 -cw01 -hehe -SILVIARONNY -hanibald -animerocks3 -tuning12 -P@$$w0rd! -aca601215 -191342 -990257 -amykath1 -gbyudbycerfyf[eq -b6875646 -fatihgoksu -2Wakeup12 -lostworld1 -m!n!s0ft -keystorepass -5701116990 -CODYBROOK -634727388 -apsu13 -phantoms30 -yt0923666 -fe7uv726 -0913650306z -vcqnj -mrdurst -toyota2005 -ALISHA250 -wojciekofsky -qweasd -701005 -zombiesareawesome -Italia12 -v5qyc3 -ashlee8 -hockeyboy -xumHxtTE1MgmbDzR -sazzzzzz1 -ballcock1 -Fzns6D7a -kurva88 -mb175935 -blaugruen -0d9b4a40 -HITTET -24863179 -q1w2e3r4t5y6@4!@#$%@ -marlene87 -hertz007 -MYTFINE1 -fcfamous7 -hahahalql -XhfVlxxao -Durham28 -08098989 -cari-recehan -guinness -reesespeanutbuttercup -welcome2resty -Scooby212 -bugmenot -anirvana -26944905566 -amazigh -b2o15v2 -bus531 -trustno1 -skander -shakirapeter#gmail.com -thunderbolts_007 -strider1 -020486 -otservrox123 -yarbro -retl -new_user123 -75BlueBell -utrecht2010 -pas:swo:rd -Danielle1 -eJn794 -S0meVeryHardPassword -soundstream -tomasa -rockstar! -userAPass -5172220 -honeymum -360sglab -youmakemefeelbrandnew -april806 -Denny008 -asdfasdf -cmf1218 -mh020296 -ueberbach -Mariaandfirebird -aaron899 -8c6976e5b5410415bde908bd4dee15dfb167a9c873fc4bb8a81f6f2ab448a918 -kmaestre1 -ada777 -BPOTGH691075 -ownage11 -gnarly2286 -vk713b9x -1ma2fa3r -dpl-pass -way2kool -green242 -157591 -rutabegga7 -nextcloud-secret -win$ter -james199639 -my awesome password -030988aa -mylove -tekierofran37480 -s3ren1ty -va101205 -7983a -Super2man -thearob -nani**nani456 -meloen9 -kukylinda -1penny2 -rider94 -myrho03150 -6868jenki -skylinegtr89 -5838211 -esfod9687 -userCPass -netty7 -1445japan -aibsaware -FutureSapphire10 -establish get started -fabienne-isabella -rlp1018 -nee1thai -rjay015 -weelee123 -davidreilly -not_bacon -b1cb6e31e172577918c9e7806c572b5ed8477d3f57aa737bee4b5b1db3696f09 -dualib -OHR6ITSOTW9MB6 -y7yv3dns -keyboard1239 -123danielle -gay123 -Thankappan -azucar09 -dontunderestimate -mrsabin -emmasky13 -21367555 -raggareALLA -6tggfa -42755756 -sintesis -Fishy123 -timothy88 -314159267 -canal -roz9aug -sakopi -Simulator1 -LoremIpsum86 -nadia1970 -josh3061 -thelegendofthesword -8kwiecien1987 -pegotina -genudel01 -abjoehoova52 -789789ABCPAABC -mugenn18 -Holleron4 -Delldell12 -mrs.black -resic098 -bbccnn06 -tslinux -fivehead! -9c1fuckyou -#P18#12# -eggs -ACURAG69 -datel23 -ompie123 -519830822 -Pussie111 -1j23an -vitruviusdart -1tIsB1g3rt -ilovecats321ilovecats321 -407017988 -s3curE_pa5Sw0rD -asdasdasdas -Honsel.16 -121212 -userCPass -mendozaq -52301996 -feet123 -Tatertot1 -WRKNGWMN1 -allisay95 -danube75 -nikonaku -msmith98 -300tdi -sagaranten2 -centerstage -6540 -ercomspeple -cynder24 -18051975 -rabbix123 -b-2002 -1159d -music6 -yesmenwhy -Ninja01 -witsanu1 -verify-full -hello:pass:world -die kunst des krieges -myfamilyisgreat -palermito2008 -carlos_ortiz -29091977 -ifgodwillsendhisangels -503mrpelon -zacisze17 -Mapetit09 -a0C1Nxn -kasibbo -a52sdf -Digger2011 -onefifty -safe6469 -RAFAELmendoza21 -(retard) -Farango01 -emily. -250964 -idp_user_password -916458346 -Blablabla1 -505999m -52n6jpjo -evendb -whdghk33 -osmica -killinki -Òîíå÷êà -bar????? -minibug2 -il2ftg -cometotakeyouaway -Carvalhais2008 -jazzdance -s3cr3t -savethecheerleadersavetheworld -017631 -mohamad -x1zx91 -360sglab -ariel -kinkladze700 -adobe123 -19660712 -qwerty -snarkiez1211 -ihatekof -welkinsjhon22 -zz0312 -6FdzU5uS -541886 -texans80 -Melisa11 -leeds1983 -Was Terreblanche christian? -04/03/1965 -n1cole -3118 -tholk2005 -79559350 -nosypeople1 -shadowsocks-password -amigosfox -4815162342max -Jordan23 -gfd8977 -richest3 -slayer2009 -prolegend125232! -ananab -leony-katharina -livelifetothefullest! -newholland1 -MEGJAY12 -d3af5azl -fp7fp7fp7 -0000rubioa -520520px -yakuza03 -snakes91 -romera3mauricio -jqsr78Db -azerty -sunpower123# -SSStreifilichen -4br4k4d4br4 -nrowich13 -giantbluenosehorn -bogaczsa -brok27 -mookie17 -brooke8 -muppathiyil -princess -SMOKEYRAE -3o1wcl -Spango04 -perraputa -29tha533 -@wyzqgm516 -Bonjour -gra00145 -Abdouomri -hamburg6458 -12412140 -djdr16 -docker-mailserver-password -saska83 -manunited. -vbdn300892 -penis98penis -rysy2499 -grafana -rare44 -sprinkles2 -kanem0t06 -jdeere22 -bjg1999 -some-gibbberish -rickys -jackinthebox69 -tfen88 -budmol -ruialexandre -840604 -aswin -mathurin -vincentt1 -dusty10 -14121994 -bopesponja -27652765 -cGFzc3dvcmQ= -priv4te -yolo123 -math101 -rlovesj21 -marcandrefleury -uwatwiur -myfamily -20051984Qn -bonethugs -wtfuxnet -stopmessingwithmyaccount -gemaulorden111 -w4w3434 -1Dog2Dog3 -vangoghChangeme1 -teerentie -Gixivi84 -natan1999 -A1A59093 -vANIAjAZMIN18 -d9VZHolN -bula0909 -m34ui5cn -NENICHES -oktario0803 -Monkey¹ -pupi2251 -laradock -download123 -pinkie -thea1108 -clodobite -Qazwsxedc99 -Poepie00 -queen123vic -riksnet -231181 -haveafaith7175 -5545cg00 -H7{???Qj1n> -annjohn1 -kortez13 -155115 -frederic44 -chayotita -albus2007 -sarahj8393 -Ingolinotheb -motox0555 -jasujjhshd -vZfG80R883 -loveDiane -Lildhood4504 -py52xdrt -brodie4eva -powdathefuck -Bakugan123 -s3krit -14tokiohotel -coinslash1 -PrivetEkaterinburg -love2love@4!@#$%@ -b19721972 -celc1969 -exmo1125 -love4life -Dcc83xrd -balongan123 -prashant123 -sjedki -kirakira55 -peanut6 -timothy1 -I11i12k1987 -kychtipv6 -a9nikki0159 -dc5607 -14jcasaz -beatspassword -2091980 -LARA2006 -35uehxax -feeder22 -latagator -Suschi93 -DINGO228 -matt69 -runarts784 -zerorox1 -35C4S5V -NShaqva463 -cdJDDbE -ripnigga -pilots -thisentry -spam -ecldxl -363d6e14363d6e14 -peacekeeper -@Boldbone12 -23lustfulmoi -alwayslove01 -beach2 -sudio820 -moore20 -Mimino25 -onlyme666 -Merrill10 -bayarmaa88 -galiza -nightmare16 -teddy34 -biancalatrolitaa -cGFzc3dvcmQ= -980214 -braedan16 -cheaterbitch8 -1014AGUILA -madison73001 -manager123 -gonzalo12 -no1themnq -music0 -cheeky_cha -2822robson -stefie -361755290 -pies06 -godsend1 -kihara69 -Banania59_ -Kruger03! -trei123 -rara6969 -Mamsen123 -navarraGETA -6445 -08uaetocihc -zikos13 -insta -john12206 -008081 -thinkhappythoughts123 -zKVS7sa816 -960109015627 -$@lut@t10n5 -S95622 -031227rika -2382998ganyini -bentley90 -972616 -0235842035 -ysctwp74 -04309 -yarik0 -railtrack2 -thisentry -rm1343 -teddan18 -radilla84 -flotetotal2 -Hidude320 -@juicyfruit91 -deltarocks -Kakula -marocenforce -PEQUE.OJOS.29 -Tarquinjock1 -terraboard -miss60kil60 -monkey1 -3505_8512 -devon -deulofeu -andytran45528 -HyL6358 -luqmanphp -busterbird18 -trippone -shakira5 -q1y5z3f7 -mariana11 -08spoon -gonzalez -hol1day -midnight363 -pjkch -12198812 -denon-cerwinvega -PwmOztUh -yamahar6 -E90cir_mak1K4 -laradock_jupyterhub -vivelavidaalmaxi -stress5953 -draganaalexandra~yahoo.com -namidnmaid -duplicate_user -kukulcan2 -sandi011079 -Emmanuel29* -943465 -40807 -lorealsa -zabbix -proskaja13 -123derball -prosnipe1 -hayes101 -250596 -meowmeow1 -yanteng -noopeetza1 -juga35 -elgalan -lujuria1011 -14291429 -LVth0911 -247lopes -ldap-password -spongebob8 -00synovus -thekingofthedancehall -panthers615 -They come from hell.... lol -MAMAKIN24 -50double -cosmos01010 -2327178jxb -ai-3055 -A156k1s1 -toupin18 -209580 -mx**?zf+9- -killer159357 -passxyz -china6655 -Armadylgs1 -schrodinger'scat -Buddy007 -6ceIQVE -huso1982 -karta109026 -Ozzi1man -hfvbkm08 -pope59 -gordon24 -16481363 -bookshelf -53455963 -8925024 -cm470904 -JAMMINNIK -black -M096F) -fluff123 -begood -isle99 -vladimirdamika -73f7lt0t -petroleos -dana1974 -Cava1981 -hammer11 -mcbrain -p@/ssword -LILAMOS8 -tierfreund9 -BLUEDOG123 -offer_x -KRYSTAL6705 -907733deniz -18010508 -jh220792 -favouriteworstnightmare -nn7qpr8v -hippo15 -Deirdre_9586 -beaw00 -seth1014 -member3 -Oreo2301 -72motherf -muahmuah)(*&^%$#@! -muamba32@& -alcS56nGsvHx2pJG/7xIfQ -CONDER -grdead -3Uostu -sardines99 -bemaqfb82 -herewego -K1mTk9D852 -zxcasdqwe123 -241075 -llalop -thuglifedead -naro89 -252550 -9828960202 -corona69 -ngxinyie -pilou2106 -2002fiatmarea -rastaman1 -vachier66 -sumomo123 -mrn1ceguy -jersi -ame25lia -1927639912 -sammeswe12 -85violinista79 -laguera10 -görkori -32765995 -17497 -aebn2242123 -41104110 -carlos -Provo88 -MXRACER958 -canal -letmeout25 -7f62bk8zt9x -newsletter01 -monkey -ineslorenz -Jordan12 -phukkk01 -atif900 -Luv2yu1 -miguera -hakurei -wrestler10 -5FjqtX -5cpkhwau -shw560 -OKS00NERS -soulreaver -whenutellmethatuloveme -macromedia -humbleservantofgod -damianvidal -bonitame19 -fellow_view@lifehacker.com -5010304 -Smiley145 -5tephanie -lovexueer -babygirl -peaceloveandhappiness -p0stalpassw0rd -198968971794 -zebra1010 -m1lkduds -Hukycoh -xj88ffueu -tutorial -sasuke10 -matkapra5895 -415308 -3toR6NDMzNgtmQkq -own3d -cheref123 -throwthejewdownthewell100 -597ROXBURY -Pyromancie1 -19740116 -e3zappax -david31lim -janet94 -josemari -crocky01 -junior -ayouya -sonnie95 -everythingisplanned -SYLD -dockerhub_password -055115 -shark3yily -hjceps -373642st -05021997Nc -antony83 -Nv6Z8lx896 -weeee -jodido -deska123 -322819 -r2002310 -aswin2505 -Hamiltoncampus04 -SAPOVERDE -speedy21 -caio10 -Elementarymydearwatson -07cave1$ -cailan98 -user_password -IW@$6v -********noorhisam -pablo123d -macilaci123 -Taylorc9419 -carterdud1 -vetttle69 -samsung7 -nanacoco -kllgrlo -bW9jLmxpYW1nQGhjaW5pbW1pay5ucmVvamI= -7r97skfx -ddos123 -nextcloud -DeltaDelta -wvideo2008 -emily -12a6554 -VistaKiller2301 -slavek -Ultimate95 -akrobat1992 -chilangabanda2 -underground1382 -454545 -belllleb -agung adi affandi -weiqi23 -hguelhk05 -everythingcomesandgoes -c19891225xx -notgivinumypw -61735 -STEVENBIMG -angreal -pij066190 -m70ab2 -Ol11v1 -WEI42NER -lenalcsno -harrier55 -4mytrouble -birou07 -13850293459!@#$% -n37cvE -pepe2 -mother1 -821118 -fall05 -nmraliraq -HOLLOWHOLAND -rhodeta -ff488331 -isobella89 -bibi5500 -nirvana111 -ekjfbqyt -JHU21218 -!!Estresado!! -kln123 -cspw898 -ROZGEM58 -matteo -penguintim3 -123slll -sell55 -gggggg -lecera1983 -IMAALESBIAN -NONE11NONE -Leona22 -theendofallthingstocome -BISOUNOURSdoudou -Portland02 -Tarheels23 -LUPEARIAS -jimmi1 -CircleOfLife -urnan123 -zidane1803 -061601sh -omega123 -spp2sgtp -996921 -eivissa19644 -67511136 -piotr87 -heborchfi -adrimatyi -qwe123LP -pr3ston -inl0ve -7mary112112 -vamamasi -jasonstewart12 -matnau -risna05 -ih8hsc -tacodog1 -bystry16 -nicetry -cZozNf1mzW6EQLGO2q9u99619xbZLO0fbua3EX08r4BWNXb8lAt1aHrTEOBttd6UY8Vnuc0easlVXZDdLtt8BQ== -SARA01 -T8kK4o -66618 -33globalshop -cde346 -0chobson -tE2DajzSJwnsSbc123 -j160203 -axelco -pizza -kyomi3 -6fnicole -buali123 -hello188 -051104 -superti+17 -ddlk95 -brunifrost14 -baboon92 -12tigers -waleed88 -dhaklasa1 -iloveyou -wilmerarmando -brukerpassord -EMFRIENDS4LIFE -vanston1402 -rqknvzMy --rhcp- -Linky123 -trustme -fuckthe$%&police -ll14111981 -r7mc6kg0g -timothy11 -ccr-user-password -Popcorn354 -69cougar -bored1 -58bae11c -starnuto -sendgrid-pass -a1g2a3t4e5 -ihatemyhusbandrightnow -f7marcom2007 -39forlars -ihatemyselfandiwanttodie -eczemastuff -ga7bak -danger9 -gereja -miguel25 -coollf -81880359 -youtellme -sht1977 -shmmshmm -Veronica2 -Mightykobe7414 -deshone1 -lovelace -0201314 -e!@$%s^&*a -Wa140354Aw -XIAOLUBAO -MM2541 -020487sr -PC05*-+ -monitor -potato85 -microcasm -Allsrightwiththeworld -BnQw&XDWgaEeT9XGTT29 -8317012 -kleemo99 -Bitmor308 -Tweety123 -13722 -BECCABO2006 -WhatThat170 -2k4darkneo -Mamamia18 -dbblog-jasypt -770523777 -shouldnotchange -6682721DAD -3020302 -c7KyuMi -ANAOLGARS -JCHMAX -youcool15638 -niggerjews -mamanez11 -buster -28122001 -baleu12 -Angelson11 -PLREICHARD -ofjgxc -roope1520 -Rangers123 -greaves68 -100199 -iMacMB417 -regarderautourdevous -tonalli2120 -19822525 -oelilag -ali89 -<3fabiolA -rashad800 -rw4d4xka -hajwvv6p -cuntlover -fetamelove -boavista3 -66franklin -r1791974 -Papa29 -iwoulddoanythingforyou -Dion1998 -5551 -001048 -hello90 -travis -1052525 -0483_0483 -Bulletformyvalentine123 -Manuel2003 -winterforever -black2007 -GR?XGR?XGR?XGR?X -ty3bfg -1grosben -special, permissions: $admin_user} -CrAJi28266 -charger123 -Watts103 -pixie123 -aqu no hay quien viva -coupfaim -arpita690 -praja5RAJYAM6 -omar6627 -ellen423 -pepper -117getmoney -mrbball1 -thisisthefirstdayofmylife -100200123@4!@#$%@ -ZUZU080686 -15498 -peaches79 -Graham2010 -sefa6767 -noobhar1 -LS.mp3xxicd3c4e -pudding44 -paranoid -jay143 -1q2w3e -esta1986 -HEDLEY! -higher_further_faster -t9e8npv3 -vvppppgg -199904 -yeeeeeeeeeep -a3945a -STicks123 -Digital rights management -391262 -1sister -*zalena6 -03060811 -14samsux -/,infra18postgres -cristinel1 -prom-operator -lhlh.lkjh -damnit1 -opensesame! -QWEasdzxc123 -June1972 -itsme -yvonn3 -3s0K_;xh4~8XXI -karlmarx1 -santa0 -geetar00 -RAUNCHYRG -flowerlodge -Vandra20 -Salutsalepute -7301496 -225588 -pitcuesta -juliette -73ed6 -nomed6 -0167527620 -varay12 -jagel82 -joysu9791 -Uge6U -T5583199 -790830201 -20975 -animal21 -8AYB2TOR -blujello1 -slipknot1 -luismesa -TØVE -chichou4 -buster1 -married3 -CARLOSbeltran -reis145363783 -Pikito01 -6267381 -shazam9 -mike1013 -AvOk2609 -6011Anyita -waqwq -BABIE1 -m1022 -ynsanqi021 -IcanDoIt4ll -mucudo29 -angels20081973 -dbblog-jasypt -jellyfish1 -Roelando03042000 -HFN-cEe-vtf-Dm4 -hockeyman123 -239812 -jaro02 -Kitten2009 -stooch1a -10Vournl -3303pp -d4a26n86 -Adhisunu -49587 -769100 -cradleme123 -d804052 -0704FLA -den01051988 -coibaf -yuannshan -pokemon battle revolution95 -lildrj24 -33*mEhMeT* -filoufil -redskins03 -asefty1995 -capuja -versace1 -Oradoc_db1 -Majestic12 -r8XfRQTMyMABte4d -yamajo123 -model -1302955393 -mcd123$postgres -FM7iEZr793JnXUE -110386 -lumidee -lierse04 -wieseler1 -Wildcatsrock2012 -airida -mdkpanasync -inesnico98 -elastic -MANAGER -vySvPh -oiseau92 -lile68 -mongster -r30566503 -kampe_16 -pHd4mmskprogamer -spiderman74 -chato7 -3.96921E+11 -Punchdrunk1 -Johannes11 -e!@$%s^&*a -macaron -35296683 -obfncbs5 -47575c5a435b4251 -gavrox4123 -air crash investigation -ILOVEU5 -mmarttin -DAIRYFARM -melgc16 -870dc668 -8d8swybas -snowie20900 -256425122 -sonic18 -alianca9989 -gemjamdan3 -KIKIWRIGHT01 -bizzare love triangle -eduard11 -aapiwei -effiepingpong1 -0124334814 -iCzzM2j4 -s??cr??t -cool1992 -bucetamelada -a147896325a -DCRRENNER -imn00b123 -holy4u2 -hooli-suxx -dr0g0n -xuinemuine1 -112233 -t01s31m90 -nymets22 -arcangel321321 -inonglamno -wclkyle -sandroskita22 -Pokey203 -monitor123bd -saigonlab01 -174856 -FillipM45 -ed20075a -florenceandthemachine -accessgranted000 -zilan123 -R04N0K31585 -boytoy1997 -Anneleen0305 -Grace1580 -.commar113 -moridaci -micklem -datfunky -7258934 -kopson1 -simaijani635 -soyaldogay -carolina2 -71413630 -kosmuyz -azhary71 -document8e -83589018 -Wachtwoord -whatthefuckisgoingon777 -patita123 -AIrplanesfly12!@ -standupforthechampions -skaterboy14 -Chisholm -MySeCreTPaSsW0rd -BASEBALL15511551 -Aa123123 -iron law of oligarchy1709 -heartss! -+60177373512 -pompom07 -81275 -twatosaur -clinea73 -800124 -riley25 -UQMed123 -Gilang1409 -lindensch -applefan123 -bivol constanta -909590 -Muchalu922984 -505681 -yellowsun3 -msn200702020 -rafael -looper8ily -anothertimeanotherplace -1Trujillo -tk2712tk -8846f7eaee8fb117ad06bdd830b7586c -XJoCk0EB -Kahl4ever -182061 -pistons1 -19653006 -c0stel -mouayad2 -bcg555 -1512244 -ncy10old -element18 -Collboy123 -drdub2407 -lowbattery420 -K750iProblem -jeab_8499 -4n6x0wgy -coollf -Foxio2002 -5966595 -2herbertas -matthew1 -labonita1 -my;secure*password -qk1931982 -patsynoodle -barrealluimmu777 -1985654 -ecgalls76 -charlesvrr -man123 -tiggerman1 -john -my name is mohammad -alper1990 -sonar -18941658 -noelita -Y20HJ7505A!5LP -juls-djenka -gendou94 -083107 -nosybe -cod5 -spafford123 -emcommpp -014017971aa -fuckbitchesgetmoney!! -rosapink -markusrules -ghgh123 -81eecaiUFSC -rcc056659 -ksara2008 -6By25xzL -master0pp -livertad -snipershotgunr7 -canal -kékpillango -rusty5700 -13101986dp5 -monse281289=3D? -20042004 -jeka17121971270776jeka -1999baby -sandyj24 -pepev456321 -roman623 -fluffy1 -mysqlrootpassword -oxfdscds -denisekc -kurtis -g0hna0kb0 -bluroftheotherworldly -jordan -483314654 -metrakit11 -luying26 -logan63 -KRISANTO1 -nooneleseenters -65890066 -faktura -lincey -1aldi2back3gaul -ELDUKES174 -I will make it tonight -BLAKEALT123 -beef -nelportoc07 -05022007 -10009!@#robben!@# -welcometothenewme2011 -quincy13 -aLazzari81 -matura1 -habibi77 -cuuqn1n8 -simba123 -Ducati02 -9001264 -cool28 -BAoxHVGhbWpRsd9rduFIH9vKK7YAAUy4qy8aS1VVS/IB -sffar530 -americano2009 -112533 -Bruno@22 -uhtnnf -IrAcema2012@ -PIMPTOUT1 -CaptainAhab -sparkle111 -2ofamerikazmostwanted -beatrizainoamartin -Tyson1996 -4lt415um -lilnips1 -6785431yy -Fr7eyft -jango160 -Halo3odst -AnnaKokowska -forum157 -xochil2456 -gar6neT -xugy5b7k -vampire2121 -masroy -charu9997274545 -u72p7005 -t0lmy818 -dcunited1 -b4chicubs1 -hotmail.babycakes -32736vu3 -pudding! -29192886 -Justice123 -pimpin5 -polizor -hubie09 -SuperFoch44 -b1129532 -gabujay777 -dziama99 -01rob.rush -blue -frambuesita -fadil -challenge sporting offer -E1j2CPLu -201029 -notredame1 -991250 -tddu7r36 -OSYDE760 -Gtaonline1 -17/09/1969 -zxasqw12 -Gazelem1804 -gomitas -bkteck112011183 -PenelopeSpillo -99520 -boost1 -Ipittydafoo1 -gfbankbooth -muqeet123 -4e4r -091068 -CipiRipi1988 -de24656663 -Dal1as -436500003 -alliemaria -35353535 -naya07 -bfkey -klin2090 -ttboi13 -19747708rafa -jailbreak12 -colleen2 -Hami5h123 -IW@$6v -jesuschristwasanonlychild -bYT0zuA5 -fussionr1981 -sonar -sdmodi99 -simonyoni -lol12boss -OMPMODELJP -forever21 -k6b25c -Jsky8427 -2231pj -ary1245 -w@123123 -Ammarww -lolwut -Texas1993 -qwerty -hallo-hallo -11081999 -TODDJ123 -J6aVjTgOpRs$?5l+Zkq2AYnCE@RF??P -rocket1` -Suckers45 -blue485 -101875 -d9e95c -bloom89 -flexible6817$$$ -2009.019 -pinkipinki -Komel123lol -some-gibbberish -togipuc -StefanEngelhardt -muda-muda > ora-ora -1980de06 -ATGUOHAELKiubahiughaerGOJAEGj -tpain557 -kimaknei -welldone-yougotit -brunoa -centrum. -MYDBPasswd -astuce -1238255287 -amani3 -cfht7Awk -izuska97 -mismatch -19812623 -Sniperviper1 -0509925952 -porkchop -190326 -madura -?acota412? -gudang-glodok -defaultUfrag -anh070 -srara2 -mori-senpai15 -a098890 -asdaasdda -kny1125 -kitteycat -yaseeniloveyou!! -postgres -terraboard-pass -NacimDZ -confucius -3435357 -e5pamskk -rambeau2k -master-password -072584 -s0hr4b -eeyore -b2x5d8mc -fil2soie -emreadim36 -k911911 -EinBelegtesBrotMitSchinkenSCHINKEN! -daminou9 -Gamefreak69 -somethingwickedthiswaycomes -p3k4bound -879521 -puffy987 -Axel84 -elastic -ka131182 -piruli7 -kool7745 -newyork66 -federico92 -tel0715869080 -nightmare24 -bones2010 -s3cr3t55 -lokottv -wassup -g#4s62g9 -catalin12 -anita34 -07171981 -cklabman7 -28cd0 -drummond22 -910395 -B64412527 -pegamento -august85 -4fe2MRDA4MAoI3jq -allwhowanderarenotlost -lZ3kjO5E -ik2zl2wg -tantan100 -f479l -isabelle asmelash -metricsmetricsmetricsmetrics -dens8709 -frosty -51354706 -014238 -yahssyiar0109 -cariuang1000 -w@!l123 -Tv38KLPd]M -kangjieK1 -1127911279 -emmanuel -redblue62 -manufarias -1b2o1y -bt61636163 -leydo80 -vakarmet -skate123 -lun4pbby -2smexiass -Luffy01 -clair_db_password -jay198212 -amfbullfrog -blabulsdf -31504 -lovelust -dalida12 -chr59 -vls241 -Thesoup1 -gyteTiyQ -ZbKdKJnuEi5K -lolly1670 -8matt8 -johndoe -pbpaste -jon316cr -9133410 -naradu09 -16paxday -RockIt4Us! -4blupush -Tracegaming -Diciembre*81 -batalha11 -Lmao9090 -cao88304st -knubbel -saaass -gundam1986 -Aircraft Carrier -SEyfet6634 -3101984 -ingorion177g -ROLAFI12 -kid1010 -70osc3005 -sailsRules -quoc1988 -jelly13 -Runner12 -m3wissexy -linkinpark_marcus -19291929 -12vlajna34 -sqil9637 -yg@log_ -madmax99 -alexmodz59 -novitet -catnip4life -nirvana.2therescue -evelin -mosh277 -Admin123 -x5f1v0 -W018l3 -dlptzqs8 -peneenorme -291251 -thats ceramic terracotta. -hockeyguy -dekker -docker -Marie1974 -man66 -asdfjk1 -sonic7 -wrongway -kolaci -daemon-password -thetruthisoutthere -septiembre -leesah123 -YK7hVD -mr1789 -modmaptri -Megatron11 -Bobstar25 -relationshipofcommand -tomakelo53 -aresares12 -workers_password -becajoma -greece1007 -surfpolo -Papawopper1 -bundyrum32 -lorien12 -basicuser -jmp3380 -alicia1 -J1moW0cp -ILbw0DTUyOQyVUgs -neybar99 -abomhmd -Aa1984 -livette1 -369641 -master-password -13156185201 -betutu71 -6kjorbyn9 -Spanky69 -ilovebears -flask -nurul0366 -puffthemagicdragon117 -Danthe1man -952007zf -virágcsokor -operata63 -lonesometearsinmyeyes -crimen1980 -qk457159 -12323q -cathrin erber -c1914al -ljg123 -ducati -8Q7610 -randall16 -Preacher2005 -ijkl808 -Bahrain91 -babytee1 -225501 -sdfjkhggjkdfghk -kikina7 -guitarist! -defaultUfrag -ih42arwz -everybodyknowsmyshit -burbuja -Billay43 -schmitty11 -wrmsqk -b32611c -ihatea;ex6 -FERRAGINI -lucialucia -Sajmon25 -basicuser -WINDOWS0ULTIMATE -ricki.8 -marifer -oekaki12 -towels12 -arisaidbonita -wi19808 -CleoCleo28n -120492PERRIN -guest -98lobx1 -w8wfy99DvEmgkBsE -jamal10 -boobs69 -155lxhq777*999! -tocool4u -9cdepot1 -feeley3007 -zwemdiploma -doom6194 -m1ranxdwo -march1956 -pleats573 -4326180a -psp88 -becerrito -NEpatriots12 -umam886262 -montario1 -therani2345 -2721987 -ASDFG12 -qs11212001 -frankie7hannah--x -CARROTTY85 -UnclEt -8101010 -zioo83 -firefly -runner50 -84898 -doracool1 -donottrustanybody -4uonly -parumala123 -allguns -Andrada1 -shebie -l0ng-r4nd0m-p@ssw0rd -jojoMKZ -Poptropica12 -enthit58 -soccer15 -123abc@@@ -SU1PER11 -ilianailiana -Rozália9 -braunsoden -danper1 -^___^ -bebe0524 -1101940Hipo -myS3curepass -Mattz56 -KGB1714 -mexican1 -gullable4 -52936467 -jabber_pw -tylerw321 -qazwsx -kden123 -Giants44 -4071973 -10101985luluk -barcelona06 -robricks27 -?????????? -shri1233 -misdocumentos26 -pepepass2 -Fr@nsisc@26 -iskall123 -plastelin -jSljDz4whHuwO3aJIgVBrqEml5Ycbghorep4uVJ4xjDYQu0LfuTZdctj7y0YcCLu -luvmyfamily -pontianak00 -090971508 -soniatko -ATGUOHAELKiubahiughaerGOJAEGj -IsisDel -mdelli -JamirB123 -180734 -lolilol69120 -pebama1 -alrosyid -junior2004 -10kilosmenos -7472008 -p1028146 -2112_andy -thornhill1 -jd1984jd -enterypas -1alom1 -shoesaddict -94104001 -tdw025 -D45BLAKE -lp92 -tenaya -coaster2008 -iame -DOOMBUCKET99 -aran032717 -p433w0rD -mkbapm08 -19730629 -harbor_db_password -EMILYDA6IN -duke1290 -kfc1150 -baffle46 -1of12JOEjoe -andreea2006 -emptystone -Mr. N00dles -rionedin -al1378al -34053774 -ownsit1 -35Toast1 -mika71 -renae1 -government government -all4322017 -sammy-11 -s3cr3t} -kengo69 -p@ssw0rd -hhhhhh1 -1s2i3m4b -chodogg3 -theshakespeareproject -hidroxiperoxiecosatetraenoico -evelyn45 -jeffteenjefftyjeff -ASDFGHJKL20090101 -gym#clean -Youtube123 -makis_password -b1cb6e31e172577918c9e7806c572b5ed8477d3f57aa737bee4b5b1db3696f09 -paranoid -ob6o7jbw -asdfghjkl -rom1619 -monkey summer birthday are all bad passwords but work just fine in a long passphrase -p3pp3r -bci6kpem -azerty789 -kev1nlop3z -it#employe -tcd316 -022502jls -blackworld -abejas -hamedani -942404955 -310597bu -berenice3 -itshernow -goddnuoh -919497 -eloisa -fuckhackers91 -maracas1 -mismatch -softball -motosboxer6 -zeebra6 -ha07n4 -23rmitkb -MD5x3 -long-and-strong -y8g7kzkg -SATAN4THSOUL -1ofakind -mayette -Gadegaard1 -15841229q -3ISwltOu -youarenotprepared -elis26 -xiuce123 -gizmo1223 -EXdA0N -moustike -mqrxRY24 -BO6ix1HgpjRh4SeSTMLPn7voYczQdmO9CiwwS4SXtwvR -TSEUQ1 -hectorayala123** -Bpq5rr86 -399509 -computadora -dinas provinsi -retrorserhizopod -lizzie1 -tmnklmd -ninja@1 -EePoov8po1aethu2kied1ne0 -LINK159 -jack2008 -?????-????????? -dancingboy -jenny08 -john -poopoo6 -eemor1997 -table_password -arma12898 -mianelsa1 -goga770124mama -453211 -a5594531 -didouille -Orlando Bloom -oc25kjqn -wherethewildthingsarent -lite00 -csatorna -hjalsg00 -Ordeni31 -Yuuichi21 -puistola -benrocks -beti878 -9C7CGP -T0pS3cr3t -cubiche1 -921203127332 -bream05 -DiZzJuU678 -frankiegoestohollywood -KARENWOOD2630 -rafael20 -mitsubishi1899 -a528590f -tabb93 -a142635898 -paigey -bonnie1 -chepes -12552351255235 -majo75 -997722 -jackson100 -Brandbi1 -8462982 -untenkatze42 -indonesia4x4 -candado -1841è -ah33179 -OFcNQKrY -rafee2007 -Millie1996 -dragoon777 -keystorepassword -YE18Lbtl -91555feu -jptoma -rampage37 -122230 -198887960 -teacup99 -harrison1126 -audtl01 -nunubelle -sidorsky70 -reidmax13 -cheer18 -lennon25 -QUADWHEELS -104744421 -decay2580 -daki8542119 -IMSOICY1 -misteri27 -100882 -l122290 -defg631 -dangro -humelake11 -tslinux -2cmcmarkets -quianaj -opensesame! -ryan9876 -$2a$11$ooo -supatra30 -Domekillera180827 -thesecondstartotheright -yaboy52 -London777 -an050592 -lewis123 -mistaking being wrong -raver1 -my name is abhishek -amberis1 -9885dsp07 -jordan69 -TEYkGd -kolikas -sasuke753951 -amoremiodemi -hidayah85 -A troll account now banned. -gothic1213 -commandomc -007993 -k0472qtf -jojo -tm3855 -poopoo. -sr8442ik -funkyabe -meto820802 -bigdale -bucket01 -lily69 -milka_3791 -369uvnpw76 -alcohol -InstallationTEST -Hejmeddig123 -dk00lman -andrew -e0pharmacy1 -asdasdqwer -DIEGOGN07 -dmajirsky@aol.com -laura520 -vincent.sephiroth -makis_password -Skipper1960 -thereoncewasagirl -PHP & Information Security -1bandrew090986 -value#anchor -clapham1 -Hghggh78 -hbw2008 -rogerdog -maxrules8 -my awesome password -Pandora1 -gr33n19 -burntwood1 -CANDADO -baseball -throughthelookingglass -shade11 -Aa1993 -summer -Liam1996 -4dpnpckt -mm5889 -lahiru321 -aqwzsx987654321aqwzsx987654321 -funding1 -P@$$w0rd! -Pedacito07 -jaime18 -simlerdiock -sm1237e6 -griffin1 -supersmashbrothersbrawl -DER RING DES NIBELUNGEN -fénykard -omar2001 -Is that account now banned? -ToxicAlan -gilberto gustavo -mysqlrootpassword -9fSlipknot -khalas -BOCO80302 -Mondidi1er -b7woody -lolpopof09 -breanna23 -bcernst -doxagipe58 -gading31 -En un lugar de la Mancha -1loveriot -nikolai55 -fishtank-thieves -ellupii -kgbkgb -cathryn2197 -fedenar -goldenget -rqrq1414192 -whateva -ronono21 -ginger09 -masterf -yolo4729 -rc852456 -Chester123 -ghtpreerper -19guwapo78 -5hrWfiZ7 -hockey1 -criss22 -mvpg1bsz -Kalender6 -nudebra1n -Ra-Va-Le+2000 -wrongimpression -GLAD321877 -Warhammer1 -Torche%9 -MySuperHanaPwd123! -mongamin -40164016 -Purple60 -07091970 -gloriaizu -1987827 -albin1998 -tktyf -onisavy2008 -rl811013 -superbitch -khamul33 -lilmc10 -Bee2miuj -visalia -4c9f746b -mdp2le -alaska2001 -clampccd -nextgen93 -b3rWDdF6 -Soccer03 -109182057 -minu2010 -dragon09 -senhaProfissional -346820 -quieroserfeliz34 -yushie1 -sammymicky -Google123 -4556328 -AdrianalovesGod -NCC1701allostartrek -Primetime1 -mikiketibike -cousinesRAMA -mbok risah -slavisa79 -2212595 -xsmall120x -6742530 -s3cr3t -mis&jus -doyelchanda -abcd267 -kangaroo -triplechocolate1! -Atmasar#1 -god4ever -offer_x -clojure -19811125 -bls1980 -connecttoplotly -BAL1410 -s3curE_pa5Sw0rD -5LMkDj -lEtmein010 -KLkpBD4R -tsA+yfWGoEk9uEU/GX1JokkzteayLj6YFTwmraQrO7k=75KQ2Mzm -howdy9 -new_user123 -12packers -36672136 -pharaon13 -@Boldbone12 -SHEY971515 -dolphins092 -ARTISTA -fabian2507 -DFKYgm67 -in the beginning was the word -VANNESSA -6566846 -SHOVEL77HEAD -celina1998 -zabbix -fluentd -kazuyaito -daniluke88 -kattenmjau -spam -tomi321215 -ikilledthepromqueen666 -hockey42 -Ihmsl1212 -penis22 -heliosphan -asdasd -toyaamar02 -jQZ8mYjUNH -C8H10N4O2 -optica -JOYLOVE9 -wellthisisembarrassing -m1anowana -Raparperi_1 -marie12 -Coodies3 -slowdive -jord617512 -sexy77 -17891980 -bobcrane -COSTINA -userDPass -preston88 -london01 -authelia -awesome123 -charest -nicole0 -310785 -Hollywood3Charlie -jojo -Rygbec13 -sunny62 -f5DXSZp299 -manana93 -jifeng -cherichou -shaolin18 -KenKen13 -diogo271990 -5200709 -b12041977 -francin -angelnoah2 -not_bacon -zelley -rosmari -nld2008 -291192@@ -joska -2ui08s3e -apache143 -0031344 -f@cilit@t0rPassword -GOINGTOGETLAID -zhangpw -realtrash1 -7c5fc369 -vale11 -southwold61 -coolness1 -pasygma -moroko11 -lalinda05 -MAY1JULY29 -maviejeteveux_rodri13 -friends will be friends -misosoup5 -hecler&koch -urban2002 -LALSDL13A15PfDAWE -9145387 -maddie1 -893891 -whtfaams -atong1314 -maggie -11399 -Nemrac54 -tillie9790 -s3cr3t4 -trustme72 -Rand343y001100001 -scooter9 -susana0089 -sam -Fires2Ch -4567bis -xolisas -Password1337 -metsfan84 -ahtpos -victor -Oracle123 -ploppy11 -comunicazioneinterculturale -28194202fcc -iluvsega1 -10393Ravens52 -droidr2d2 -Roxybuster09 -go-acme -25454521 -tingtzu -amirah336 -cojones1 -august88 -U5c9o7ju -PASSWORD.ratula -cherrie11 -smtp_password -selenid -delpiero82 -cheyoye -dust0225 -samsung -whywhatwhen -bakerr1 -112516 -maliza -stlaurent4 -lynchfarm12 -tyler12 -somewherealongthehighway -9brindley -lolipop100 -DGcl9387 -audiofly -47011636 -mozhi -Very interesting article -1q2w3e4r -tonomono -zenoth16 -swordfish -silver- -surferboy123 -beto1981 -NYNLYE -mafiawars -terrill75 -mildew8 -bousselmi -MyP@ssW0RD -D3vil123 -Games600 -weningsusanti amungkasi -3b721d42ab -skytower -bachner55 -iam4christ000 -kemodd92 -BmBe02 -jay72116891 -160974 -8amosman -spencer61 -geoval01 -240379 -plop99 -burocracia -apple -VEHWMCcfuMJ -laika4laika -1975323561 -dragamajomka -39425588 -w427dne7 -wyitpfgb -cooldude1 -93flhtc -pAPWVQjM5NQkAKOz -DENNIS1275 -Different_Password1! -29dejulio -chang1991 -scooter1 -asdf159357 -pepper2 -psst -uwotm8? -fuckyou123 -userBPass -mupp -giqgen.83 -Pokemon09 -LouisX730 -harmonygreen -bear3876 -!@#wasdqweszxc -internet -disposal put somewhere -05Joshcallum -Jw04251997 -04kosova -Dblier454 -410505 -23192022 -dwhershey5 -ferris23 -opsdead1197 -beatspassword -265543 -operationgroundandpound -08yw908hi8h -harbor_db_password -1542124 -mhegdrei -TrOoPeR -monalisa -carr.* -xray-password -gorm -aysxdcfvgbhnjmkaysxdcfvgbhnjmk -required -fucktheworld -cliearl@gmail.com -radio -d324823d -daemon-password -Doe%n -polgár999 -hiatgen -dolphins90 -chadweller -scottie197 -tamarindo -porn4fun -Cap86joao -015500 -3Wafels-3 -kharmagas -seiginomikata -920610 -sexyy69 -Carlos66 -PfxPassword -17111980 -Brugeradgangskode -290693 -raaflie318 -mb#laeufer -feb14 -vish7615 -SPEEEDR1 -a34ddd24 -7575111 -valverde -2cnewlife2 -tE2DajzSJwnsSbc123 -joanne20 -EePoov8po1aethu2kied1ne0 -49124 -luis23021 -dragonnarutoz -plato123 -piangela89 -kafademapa -meamocontodoelcorazon -6f142439 -321321321a -23flavors! -abc!@#580231jxcfs -dduhamel -reymisterio -ccm4344 -pokemon219 -gamestop1 -Dottie123 -m650y9eb -56983522 -demo -T0PS3cr3T! -FIFA07 -juicey888 -Mabad123 -Baller23 -abaskar79 -runtime -p4ssw0rd -khadra1612 -Tira1356 -syed28091978 -ayse020277 -jy5ra0 -Cloverfields1 -morethanyoulleverknow -3cjwilkinson123 -y&x5Z#f6W532ZUf$q3DsdgfgfgxxUsvoCUaDzFU -lexiboo69 -pwd4myschema -cambodia1 -MYDOGJESSIE -cinteza -28122904 -domy59 -priv4te -canarias -9977bea -obange -Ract7228 -areyouanigger? -flo13flo -ff0960078288 -Sunnymanhas123 -cs_walle -126903 -jHPg24EDs9SKHALytrfaoEvDyz7wJgSVEY0ANaw/LgA=m5Ilfg/3+yN5j38tx8cBfA== -dpg777 -Pq8vrmnj -0849825068TUK -Mampuz84 -FREDENZO5 -nutsack99 -789456123 -disturbed1 -1014Aa -M0E180265 -sateliti -dr0g0n -gfljj27251100 -FQSXhIG367 -levittown190541 -HARRON1 -micasanueva -penveperve -madcow2 -Cra1gvar -F125727437 -luciled'amour -ilovetom13 -beautiful1 -P@$$w0rd!!! -london2000 -30a.1618postgres -pillow7 -cpy0126 -610651 -nonazi -firefox291 -kenwood123321 -T0pS3cr3t -3RLdPN9 -Bamsebus2 -28100897 -1615bicho -mixupmaster786 -900000 -jeg981998 -100motherfuckers -exp838650 -July1997 -wanbaeq86 -spyzapper -RfmrFm -thelillywhitesessions -m121212 -Sm1l1ng18 -Genesis128 -Maria1970 -Drake20022 -1q2w3e4r5t -danie0151 -universo738 -\""amistad\"" -kassandralea -NEALMEISTER -98336070 -13819016009 -ar11796 -march003 -31meseratti -Zip-A-Dee-Doo-Dah -apocalypse1 -4tyler -picco19820426 -zeus#olimp -pömpike92 -MWAMSONGOLE -jason29 -Simon1984 -iloveyou9 -HkieK5m991 -4asies1 -b0fa67ef4 -bugatti2 -940327 -djetouan2008 -neo4j -LXC5333 -iris_password -ownage2014 -mihsaash -man500 -DDDDDD -long-and-strong -siew5931 -240989lt -minibabe -92001268 -enorbita2009 -IIOUNIL88 -badidi41 -Milad2001 -cici123 -April 13 -4hét -123mudar -8211ys94ax -sunshine! -sunflower2516 -chuah6000 -A29092001w -Ew1fresh -edgart14 -dhaka123 -WCHCROOK -123soleil -subrosa -overit2 -minouche97 -cmd_password -19682008 -6sH-rSP-Zgn-6W2 -ioio123 -thomas123 -contactdirector -piensoenti -abstinencia -Prindle1 -ncaa07 -macaron -Hintk90210 -hellomom2 -BBur1413 -8369 -billypliers -stIkI12 -u1r2o3s4 -MUMIS3766\'\'\' -bun7bun7 -A000000 -eminem85 -lolage123 -fire1317 -bobbrad1 -!!!bafini -Asd123 -Hell4u -iddqdidkfa33 -Millenium1 -DADABEEUH -ruffey -Tn8Xgt -unearth666 -Er2F48Ag -0tut011cold90t -frog9gate -98800619 -228482 -Alfie123 -willow -http-password -brucelee! -b9841238feb177a84330f -Lolcheses1 -eznehjtm -Z65ZXWPUJ3TbyF5 -verify-full -10021403 -propro69 -tiger -Niklas1 -PEMERINTAHAN -&_&=C3=A0&=C3=A7=C3=A7=C3= =A7 -Cheron01 -bimbumbam123 -25102000 -TaylorAnn87 -7634281993 -GazwXa4711 -bq2naf -asu1218 -j15a04b18 -iu88t573 -cm9vdHBhc3N3b3Jk -littleone443 -IAMASELFMADEMILLIONAIRE -zanyap4682 -loveme+3 -mar666 -K8s_admin -sailsRules -Togetherinelectricdreams -ungovernable -souljagayorgirl -assho1e -25dejunio -zebras1 -noway -9502573031 -hooli-suxx -modaraja -2h2jp69b1sm39 -joel4321 -du21053 -mehmet0202 -Amazing123 -innovativepriya#yahoo.com -54coanas17 -Tik6W6aPTUW -99strength -hello -PINEAPPL3Z -helloworld -heath929 -monkey13 -mikel.060806 -melendi -f@rmb0y -batman1986 -j4s0n. -293164 -062692@dr -templeoftheancients -tigger -saosin1 -JESUSLUVS98 -lohotron1 -procellec -salsa20_password -preocupado -espiasimpsons13 -Blackie20 -tiger2000 -28DENOVI -!*123i1uwn12W23 -Raphael1 -blupush -gaetan37 -mosadsri2007 -180400 -millos -errtime1 -bg210465 -noackdum2 -papi22 -producteur -74522952chl -chely40 -5574951 -djdjdj1 -bluewa!! -Chantelle145 -4zOhyuqn -sanchez -jakubjulian -spm060587 -bigboi147 -dograt -RandyMoss81 -zerozero00 -pepepass -TOTHETOP67 -sm6688 -khooverdempsey -asdasd42342fds -29eldds1uri6 -value#anchor -uwfknDup -881212021 -iheardtheowlcallmyname -941475 -27354j -JACKSON -jamin91 -springs13 -buster6 -j0h4nch4n -caihuaguo860819^ -SPLENKIDU -s1thrul3s -ladywiola -patriciateamo -flavio -michael17 -ccr-user-password -donuts -159753RT -omri19 -postgres -wilson72 -tribecore -darek66 -134978510 -jp57101688 -anime01841 -suckmydick -yoloo -shadyrecords -my3labs -bitches -biafra -LIZEDELIOT -x7aoxcco -greg11 -delfines -prince88 -JUSTIN88 -moc3012 -pygmalion -99102030 -cant high-sounding talk -thaivuong -ru89ca91 -aa7788135 -ngocminh221091 -01021992Y -pingpong69 -!magnum -SETH1BRO -lenin889 -Gooseman17! -Trier1987 -338333 -zndj54 -awesome1231 -jesuss041190 -INT006D -janedoe -Chvalkovicka70 -chuck92 -Heracr0ss -that'sbonk -frytrix94 -lovek58 -ayyylmao1 -Jakethesnake12 -1tate4me -flythesky -WHOSMIKE555 -3397rls333 -262006 -sgréta -happyfeet06 -Summer2005 -s??cr??t -alilou03. -jbeatles -oligopoli -roperto123 -lemongrovehistoricalsociety -PassWordMustBeAtLeast6Chars. -thebestteamintheworld -endan9 -joke7zoo -tku1056 -BpkNIjF7LfzS1C76HT7B1bJgmGIDtPihqIvHBlC92L1IFqsMfoJEMk1EkxSzjasWB4GWoUcODYO4AaJstdAp5w== -psst -ashlee2 -trdodais4 -PAMELA2565 -7003731 -coaltrain -zhut0u -pacocabra05 -baseball1 -aparecid -ohiostate1 -federico -soliman breem -856607799 -stephaniesays -copybite -asdfadsfasdf -Dboyblue02 -1qaz2wsx -radit oktaviansyah -hateallofyou -quartz2123 -Slacker1 -sdnkutabaru1.com -lucasmarkus -210980 -george123 -zededrar4 -MinecraftHacking -TIME0908 -PcGKmxzEzOQdl3Vk -CIULLA3744 -mynodemanagerpassword -6108992 -66bagot66 -ong5161 -lnotes01 -10leethax -thepooh1 -NOHAZARAHIT -dark123 -7skye6 -EmscrBTI4MQB4Jko -STARZ77 -my1boo -KPMG Rese3arch -598752 -hanner2105 -00000 -wilmalove -64045086 -Manutd07 -5.419E+15 -61cD4gE6! -kujct089 -ErhardWischmeyer -255656 -eszem1 -59Vincent -versailles -winwin999238 -betty1052007 -buddertown4327983 -goldis44 -thringdup -sucker123 -lilymae06 -6sixmin -gunit110a -jlsmay7 -p4ssw0rd -xlutfx -28207277 -zomgzomg -dilicien -rebels18 -1249263462Rr -Pandro3k -ilovetobmx -zecaxi42 -bankploy555 -Purplewombat1 -Jpc319197 -Syracusa7 -Julmat17 -mediyla195 -s3krit -66144034 -MYOPENHEART -scribe -sepultribe1 -harout92 -rolyat1 -plokijuh05 -iseeyou -grinty -horror1368 -K5312113 -0852312022 -MCORDERO1 -Weakest123* -numberj11 -13203123 -BAoxHVGhbWpRsd9rduFIH9vKK7YAAUy4qy8aS1VVS/IB -ndspword -ronningstam -bibihex7 -0a6p35zn -WtS1970 -portonovo@4321 -mapleleaf1 -nomaden -battlefield3 -Spezialist -laroushka -29e651b0 -police11 -IYAOYAS5 -godofwar21/09/95 -ejakobsson -diciembre0578 -di990eee -130H$u -12qwaszx1x -100168 -520240 -RMGNYLB06 -fdsa -SADFADSFSA -asusatom -fucker123 -141800 -iwillloveyouforever1996 -snake -secure123!@# -e7fcw45et6w54ey -ttrich888 -7268318 -10001 -thebooksoftheprophets7 -odontologa -Kevin2108Janine -loop100 -roslop -r2d2iskl -250585 -zeke1010 diff --git a/experiment/augmentation/main.py b/experiment/augmentation/main.py deleted file mode 100644 index 1ffcba96f..000000000 --- a/experiment/augmentation/main.py +++ /dev/null @@ -1,356 +0,0 @@ -import logging -import os -import random -import sys -from pathlib import Path -from shutil import rmtree - -import pandas as pd - -from credsweeper.utils import Util -from .obfuscation import get_obfuscated_value, obfuscate_value, SecretCreds - -BASE_PATH = ["test", "src", "other"] -COLUMN_TYPES = { - "Id": str, - "FileID": str, - "Domain": str, - "RepoName": str, - "FilePath": str, - "LineStart:LineEnd": str, - "GroundTruth": str, - "WithWords": str, - "InURL": str, - "InRuntimeParameter": str, - "CharacterSet": str, - "CryptographyKey": str, - "PredefinedPattern": str, - "VariableNameType": str, - "Entropy": float, - "Base64Encode": str, - "HexEncode": str, - "URLEncode": str, - "Category": str -} -RENAME_OLD_COLUMNS = { - "LineStart:LineEnd": "Old_LineStart:LineEnd", # - "FilePath": "Old_FilePath" # -} -RENAME_NEW_COLUMNS = { - "New_LineNumb": "LineStart:LineEnd", # - "New_FilePath": "FilePath" # -} - - -def get_pool_count() -> int: - """Get the number of pools based on doubled CPUs in the system""" - return os.cpu_count() * 2 - - -def load_meta(meta_path, directory): - meta_file = directory + ".csv" - meta_path = meta_path / meta_file - df = pd.read_csv(meta_path, dtype=COLUMN_TYPES) - return df - - -def obfuscate_row(row, meta, secret_creds: SecretCreds): - try: - position = int(meta.ValueStart) - pos_end = int(meta.ValueEnd) - except ValueError: - return row - space_len = len(row) - len(row.lstrip()) - value = row[position + space_len:pos_end + space_len] - if "Password" == meta.Category: - obfuscated_value = secret_creds.get_password() - elif "Predefined Pattern" == meta.Category: - pattern = meta.PredefinedPattern - obfuscated_value = get_obfuscated_value(value, pattern) - elif "Cryptographic Primitives" == meta.Category: - obfuscated_value = secret_creds.generate_secret() - elif meta.Category in [ - "Authentication Credentials", # - "Generic Secret", # - "Generic Token" # - ]: - obfuscated_value = obfuscate_value(value) - else: - print(f"Unusual category '{meta.Category}' in {row}") - obfuscated_value = obfuscate_value(value) - - if position > 0: - obfuscated_line = row[:position + space_len] + obfuscated_value + row[position + space_len + len(value):] - elif position == -1: - obfuscated_line = row.replace(value, obfuscated_value) - else: - obfuscated_line = obfuscated_value + row[position + space_len + len(value):] - - return obfuscated_line - - -def add_raw_lines(meta_df, filepath, content): - secret_creds = SecretCreds() - temp_df = meta_df[meta_df.FilePath == filepath] - false_df = temp_df[temp_df.GroundTruth == "F"] - # Get line for row with "false" label - for index, row in false_df.iterrows(): - line_numb = row["LineStart:LineEnd"].split(":") - assert line_numb[0] == line_numb[1], row - # line_numb = int(row["LineStart:LineEnd"].split(":")[0]) - meta_df.loc[index, "RawLine"] = f"{content[int(line_numb[0]) - 1]}\n" - # Get line for row with "true" label - true_df = temp_df[temp_df.GroundTruth == "T"] - for index, row in true_df.iterrows(): - line_numb = row["LineStart:LineEnd"].split(":") - assert line_numb[0] == line_numb[1], row - line = "" - for l_n in range(int(line_numb[0]), int(line_numb[0]) + 1): - obf_row = obfuscate_row(content[l_n - 1], row, secret_creds) - line += obf_row - meta_df.loc[index, "RawLine"] = f"{line}\n" - # Get line for row with "Template" label(temporary solution) - template_df = temp_df[temp_df.GroundTruth == "Template"] - for index, row in template_df.iterrows(): - line_numb = row["LineStart:LineEnd"].split(":") - assert line_numb[0] == line_numb[1], row - line = "" - for l_n in range(int(line_numb[0]), int(line_numb[0]) + 1): - obf_row = obfuscate_row(content[l_n - 1], row, secret_creds) - line += obf_row - meta_df.loc[index, "RawLine"] = f"{line}\n" - - -def write2aug_file(repo_local_path, meta_df, aug_file): - fls_path = list(set(meta_df.FilePath)) - for filepath in fls_path: - content = Util.read_file(repo_local_path / filepath) - add_raw_lines(meta_df, filepath, content) - with open(repo_local_path / aug_file, "w", encoding="utf8") as writer: - Rows = meta_df.RawLine - writer.writelines(Rows) - - -def join_series(series): - meta_df = pd.DataFrame(series) - return meta_df - - -def write_meta(aug_df, aug_metapath): - aug_df = pd.concat(aug_df) - aug_df.loc[aug_df['GroundTruth'] != "F", 'GroundTruth'] = 'T' - aug_df.rename(columns=RENAME_OLD_COLUMNS, inplace=True) - aug_df.rename(columns=RENAME_NEW_COLUMNS, inplace=True) - aug_df.to_csv(aug_metapath) - - -def get_linage(repo_local_path, df): - fls_path = list(set(df["FilePath"])) - files_length = {} - overall_linage = 0 - for filepath in fls_path: - # with open(repo_local_path / filepath, "r", encoding="utf8") as reader: - # content = reader.read().splitlines() - content = Util.read_file(repo_local_path / filepath) - overall_linage += len(content) - files_length[filepath] = len(content) - return files_length, overall_linage - - -def get_extentions(meta_df): - file_paths = set(meta_df["FilePath"]) - exts = set() - for file_path in file_paths: - if "." in file_path: - exts.update(["." + file_path.split(".")[-1].lower()]) - return list(exts) - - -def get_true_row(df, idx, aug_file): - temp_df = df[df["GroundTruth"] != "F"] - fl_path = list(temp_df["FilePath"]) - if len(fl_path) == 0: - return None, idx - - lines = list(temp_df["LineStart:LineEnd"]) - rand = random.randint(0, len(fl_path) - 1) - line_numb = lines[rand].split(":") - t_df = temp_df.iloc[rand].copy() - line_diff = int(line_numb[1]) - int(line_numb[0]) - new_linenumb = str(idx) + ":" + str(idx + line_diff) - add_series = pd.Series({ - "New_LineNumb": new_linenumb, # - "New_FilePath": aug_file, # - "RawLine": "" # - }) - idx += line_diff - t_df = pd.concat([t_df, add_series]) - return t_df, idx - - -def get_false_row(df, idx, aug_file): - temp_df = df[df["GroundTruth"] == "F"] - fl_path = list(temp_df["FilePath"]) - if len(fl_path) == 0: - return None, idx - - lines = list(temp_df["LineStart:LineEnd"]) - rand = random.randint(0, len(fl_path) - 1) - line_numb = lines[rand].split(":") - t_df = temp_df.iloc[rand].copy() - line_diff = int(line_numb[1]) - int(line_numb[0]) - new_linenumb = str(idx) + ":" + str(idx + line_diff) - add_series = pd.Series({ - "New_LineNumb": new_linenumb, # - "New_FilePath": aug_file, # - "RawLine": "" # - }) - idx += line_diff - t_df = pd.concat([t_df, add_series]) - return t_df, idx - - -def get_true_lines(df): - fl_paths = list(set(df["FilePath"])) - true_df = df[df["GroundTruth"] != "F"] - fls_true_lines = {} - true_cred_count = 0 - for fl_name in fl_paths: - fl_lines = [] - temp_df = true_df[true_df["FilePath"] == fl_name] - lines = list(temp_df["LineStart:LineEnd"]) - true_cred_count += len(lines) - for line in lines: - ls = line.split(":") - if ls[0] == ls[1]: - fl_lines.append(int(ls[0])) - else: - fl_lines.extend([l for l in range(int(ls[0]), int(ls[1]) + 1)]) - fls_true_lines[fl_name] = fl_lines - return fls_true_lines, true_cred_count - - -def generate_rows(repo_local_path, aug_filename, df, true_stake, scale): - files_length, overall_linage = get_linage(repo_local_path, df) - new_series = [] - aug_file_linage = int(scale * overall_linage) - fl_true_lines, true_cred_count = get_true_lines(df) - aug_file_linage = int(true_cred_count * scale / true_stake) - idx = 0 - for row_numb in range(1, aug_file_linage): - old_idx = idx - idx += 1 - rand = random.uniform(0, 1) - if rand < true_stake: - ground_trues, idx = get_true_row(df, idx, aug_filename) - else: - ground_trues, idx = get_false_row(df, idx, aug_filename) - if ground_trues is None: - # suppose, markup has F & T values for all filename cases - idx = old_idx - if 0 > idx: - idx = 0 - continue - new_series.append(ground_trues) - return new_series - - -def aug_data(repo_local_path, meta_data, true_stake, scale): - augument_list = [ - "Authentication Credentials", # - "Cryptographic Primitives", # - "Generic Secret", # - "Generic Token", # - "Password", # - "Predefined Pattern", # - ] - for base in BASE_PATH: - new_meta = [] - aug_meta = str(repo_local_path / "aug_data" / "meta" / base) + ".csv" - aug_file_template = repo_local_path / "aug_data" / "data" / base - meta_df = meta_data[meta_data["FilePath"].str.contains(f"/{base}/")] - meta_df = meta_df[meta_df["Category"].isin(augument_list)] - exts = get_extentions(meta_df) - for extension in exts: - ext_df = meta_df[meta_df["FilePath"].str.endswith(extension)] - aug_filename = str(aug_file_template) + extension - new_series = generate_rows(repo_local_path, aug_filename, ext_df, true_stake, scale) - if new_series: - new_meta_df = join_series(new_series) - write2aug_file(repo_local_path, new_meta_df, aug_filename) - new_meta.append(new_meta_df) - if new_meta: - write_meta(new_meta, aug_meta) - - -def build_corpus(repo_local_path: Path, meta_path: Path, repos_paths, true_stake: float, scale: float): - """ Build the corpus for this repo. - - Parameters - ---------- - repo_local_path: str - Path to the CredPosDataset repository - meta_path: str - Path to the metadata - repos_paths: List[str] - List of repos directory names - true_stake: - Part of the rows with "True" cases in the aggregated data - scale: - scale - - Returns - ------- - list - A list of strings (i.e., the extracts) - """ - try: - rmtree(repo_local_path / "aug_data") - except OSError: - pass - os.makedirs(repo_local_path / "aug_data") - os.makedirs(repo_local_path / "aug_data" / "meta") - os.makedirs(repo_local_path / "aug_data" / "data") - print(f"Start augmentation for {len(repos_paths)} repos, " - f"Generated data will be saved to {repo_local_path / 'aug_data'}") - meta_data = pd.DataFrame() - for rep_name in repos_paths: - _meta_data = load_meta(meta_path, rep_name) - meta_data = pd.concat([_meta_data, meta_data]) - aug_data(repo_local_path, meta_data, true_stake, scale) - print(f"Augmentation finished") - - -def main(cred_data_dir, true_stake, scale): - try: - cred_data_dir = os.path.abspath(cred_data_dir) - except: - raise ValueError("Please set a valid CredData directory") - if not os.path.isdir(cred_data_dir): - raise ValueError("Please set a valid CredData. It should be a valid path") - - try: - true_stake = float(true_stake) - except: - raise ValueError("Please set a valid true_stake. It cannot contain commas, spaces, or characters.") - if true_stake < 0 or true_stake > 0.5: - raise ValueError("Please set a valid true_stake. It should be between 0 and 0.5") - - try: - scale = float(scale) - except: - raise ValueError("Please set a valid scale. It cannot contain commas, spaces, or characters.") - - repo_path = Path(cred_data_dir) - data_path = repo_path / "data" - _meta_path = repo_path / "meta" - _repos_paths = os.listdir(data_path) - - build_corpus(repo_path, _meta_path, _repos_paths, true_stake, scale) - - -if __name__ == "__main__": - _cred_data_dir = sys.argv[1] - _true_stake = sys.argv[2] - _scale = sys.argv[3] - main(_cred_data_dir, _true_stake, _scale) diff --git a/experiment/augmentation/obfuscation.py b/experiment/augmentation/obfuscation.py deleted file mode 100644 index 20af0c6ba..000000000 --- a/experiment/augmentation/obfuscation.py +++ /dev/null @@ -1,84 +0,0 @@ -import random -import string -from os.path import dirname, join - -from credsweeper.utils import Util - -PASSWORDS_PATH = join(dirname(__file__), "dictionaries/passwords10000.txt") - - -class Chars: - BASE64_CHARS = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=" - HEX_CHARS = "1234567890abcdefABCDEF" - BASE36_CHARS = "abcdefghijklmnopqrstuvwxyz1234567890" - - -class SecretCreds: - - def __init__(self): - self.passwords = self.load_passwords(PASSWORDS_PATH) - - @staticmethod - def load_passwords(path): - """Load password samples - - Password samples based on typical password from https://github.com/danielmiessler/SecLists and - own sets of passwords obtained during the collection of the dataset - """ - lines = Util.read_file(path) - passwords = [line.rstrip() for line in lines if ' ' not in line] - return passwords - - @staticmethod - def generate_secret(): - """Generates random secret with random length""" - string_set = string.ascii_lowercase + string.ascii_uppercase + string.digits - secret = ''.join(random.choices(string_set, k=random.randint(12, 32))) - return secret - - def get_password(self): - """Get password sample""" - password = random.choice(self.passwords) - return password - - -def get_obfuscated_value(value, pattern): - obfuscated_value = "" - if pattern == "AWS Client ID" or value.startswith("AKIA"): # AKIA, AIPA, ASIA, AGPA, ... - obfuscated_value = value[:4] + ''.join(random.choices(string.ascii_uppercase + string.digits, k=16)) - elif pattern == "Google API Key": # AIza - obfuscated_value = "AIza" + ''.join(random.choices(string.ascii_letters + string.digits + "-" + "_", k=35)) - elif pattern == "Google OAuth Access Token": # ya29. - obfuscated_value = "ya29." + obfuscate_value(value[5:]) - elif pattern == "Twilio API Key": - obfuscated_value = "SK" + ''.join(random.choices(string.ascii_letters + string.digits, k=32)) - elif pattern == "JSON Web Token": # eyJ - header = "eyJ" + obfuscate_value(value.split(".")[0][3:]) - obfuscated_value = header - if len(value.split(".")) >= 2: - payload = "eyJ" + obfuscate_value(value.split(".")[1][3:]) - obfuscated_value += "." + payload - - if len(value.split(".")) >= 3: # Signature is optional - signature = obfuscate_value(value.split(".")[2]) - obfuscated_value += "." + signature - else: - obfuscated_value = obfuscate_value(value) - - return obfuscated_value - - -def obfuscate_value(value): - obfuscated_value = "" - - for v in value: - if v in string.ascii_lowercase: - obfuscated_value += random.choice(string.ascii_lowercase) - elif v in string.ascii_uppercase: - obfuscated_value += random.choice(string.ascii_uppercase) - elif v in string.digits: - obfuscated_value += random.choice(string.digits) - else: - obfuscated_value += v - - return obfuscated_value diff --git a/experiment/src/data_loader.py b/experiment/src/data_loader.py index 384959f0f..c2d1a51e1 100644 --- a/experiment/src/data_loader.py +++ b/experiment/src/data_loader.py @@ -65,19 +65,20 @@ def read_metadata(meta_dir: str, split="CredData/") -> Dict[identifier, Dict]: file_meta = pd.read_csv(csv_file, dtype={'RepoName': str, 'GroundTruth': str}) for i, row in file_meta.iterrows(): j += 1 + line_start = int(row["LineStart"]) + line_end = int(row["LineEnd"]) if "Template" == row["GroundTruth"]: print(f"WARNING: transform Template to FALSE\n{row}") row["GroundTruth"] = "F" if row["Category"] not in ml_categories: - print(f"WARNING: skip not ml category {row['FilePath']},{row['LineStart:LineEnd']}" + print(f"WARNING: skip not ml category {row['FilePath']},{line_start},{line_end}" f",{row['GroundTruth']},{row['Category']}") continue - line_start, line_end = row["LineStart:LineEnd"].split(":") if line_start != line_end: print(f"WARNING: skip multiline as train or test data {row}") continue relative_path = strip_data_path(row["FilePath"], split) - index = relative_path, int(line_start) + index = relative_path, line_start if index not in meta_lines: row_data = row.to_dict() row_data["FilePath"] = relative_path From a368ea40cf8cd2f46a1801d71a6a8c70f882d472 Mon Sep 17 00:00:00 2001 From: Roman Babenko Date: Mon, 29 Apr 2024 11:08:20 +0300 Subject: [PATCH 2/9] migration to hatchling (#544) --- .github/workflows/check.yml | 2 +- .github/workflows/test.yml | 3 +- credsweeper/__init__.py | 2 +- pyproject.toml | 63 ++++++++++++++++++++++++++++++ setup.cfg | 2 - setup.py | 76 ------------------------------------- 6 files changed, 67 insertions(+), 81 deletions(-) create mode 100644 pyproject.toml delete mode 100644 setup.cfg delete mode 100644 setup.py diff --git a/.github/workflows/check.yml b/.github/workflows/check.yml index 8ce7d3d25..ce7f637bf 100644 --- a/.github/workflows/check.yml +++ b/.github/workflows/check.yml @@ -141,7 +141,7 @@ jobs: - name: Check project style if: ${{ always() && steps.setup_credsweeper.conclusion == 'success' }} run: | - for f in credsweeper tests docs experiment setup.py; do + for f in credsweeper tests docs experiment; do yapf --style .style.yapf --recursive --in-place --parallel $f done if [ 0 -ne $(git ls-files -m | wc -l) ]; then diff --git a/.github/workflows/test.yml b/.github/workflows/test.yml index 187c67795..35364c333 100644 --- a/.github/workflows/test.yml +++ b/.github/workflows/test.yml @@ -21,7 +21,7 @@ jobs: strategy: fail-fast: false matrix: - os: [ ubuntu-latest, windows-latest, macos-13 ] + os: [ ubuntu-latest, windows-latest, macos-latest ] python-version: ["3.8", "3.9", "3.10", "3.11"] steps: @@ -35,6 +35,7 @@ jobs: uses: actions/setup-python@v4 with: python-version: ${{ matrix.python-version }} + cache: 'pip' - name: Upgrade PIP run: | diff --git a/credsweeper/__init__.py b/credsweeper/__init__.py index 8b1f22c2e..b4ab2f906 100644 --- a/credsweeper/__init__.py +++ b/credsweeper/__init__.py @@ -20,4 +20,4 @@ '__version__' ] -__version__ = "1.6.3" +__version__ = "1.6.4" diff --git a/pyproject.toml b/pyproject.toml new file mode 100644 index 000000000..89009d9eb --- /dev/null +++ b/pyproject.toml @@ -0,0 +1,63 @@ +[project] +name = "credsweeper" +dynamic = ["version"] +description = "Credential Sweeper" +authors = [ +] +dependencies = [ + "base58", + "beautifulsoup4>=4.11.0", + "cryptography", + "GitPython", + "google_auth_oauthlib", + "humanfriendly", + "lxml==4.9.4; platform_system == 'Darwin' and python_version<'3.9'", + "lxml; platform_system != 'Darwin'", + "numpy", + "oauthlib", + "onnxruntime", + "openpyxl", + "pandas", + "password-strength", + "pdfminer.six", + "pybase62", + "pyjks", + "python-dateutil", + "python-docx", + "PyYAML", + "requests", + "schwifty", + "scikit-learn", + "scipy", + "typing_extensions", + "whatthepatch", +] +requires-python = ">=3.8" +readme = "README.md" +license = {text = "MIT"} +classifiers = [ + "License :: OSI Approved :: MIT License", + "Operating System :: OS Independent", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3 :: Only", + "Programming Language :: Python :: 3.10", + "Programming Language :: Python :: 3.11", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "Topic :: Security", + "Topic :: Software Development :: Quality Assurance", +] + +[project.urls] +Homepage = "https://github.com/Samsung/CredSweeper" +"Bug Tracker" = "https://github.com/Samsung/CredSweeper/issues" + +[project.scripts] +credsweeper = "credsweeper.__main__:main" + +[build-system] +requires = ["hatchling"] +build-backend = "hatchling.build" + +[tool.hatch.version] +path = "credsweeper/__init__.py" diff --git a/setup.cfg b/setup.cfg deleted file mode 100644 index f720fe248..000000000 --- a/setup.cfg +++ /dev/null @@ -1,2 +0,0 @@ -[metadata] -version = attr: credsweeper.__version__ diff --git a/setup.py b/setup.py deleted file mode 100644 index 3e747574c..000000000 --- a/setup.py +++ /dev/null @@ -1,76 +0,0 @@ -import setuptools - -with open("README.md", "r", encoding="utf8") as fh: - long_description = fh.read() - -install_requires = [ - "beautifulsoup4>=4.11.0", # the lowest version with XMLParsedAsHTMLWarning - "cryptography", # - "GitPython", # - "google_auth_oauthlib", # - "humanfriendly", # - "lxml", # - "oauthlib", # - "openpyxl", # - "pandas", # - "password-strength", # - "pdfminer.six", # - "PyYAML", # - "python-docx", # - "requests", # - "scipy", # - "schwifty", # - "typing_extensions", # - "whatthepatch", # - "numpy", # - "scikit-learn", # - "onnxruntime", # - "python-dateutil", # - "pyjks", # - "pybase62", # - "base58", # -] - -setuptools.setup( - name="credsweeper", - description="Credential Sweeper", - long_description=long_description, - long_description_content_type="text/markdown", - packages=setuptools.find_packages(include=("credsweeper*",)), - package_data={ - "credsweeper": [ - "py.typed", # - "common/keyword_checklist.txt", # - "common/morpheme_checklist.txt", # - "ml_model/ml_model.onnx", # - "ml_model/model_config.json", # - "secret/config.json", # - "secret/log.yaml", # - "rules/config.yaml" # - ], - }, - python_requires=">=3.8", - install_requires=install_requires, - include_package_data=True, - url="https://github.com/Samsung/CredSweeper", - project_urls={ - "Bug Tracker": "https://github.com/Samsung/CredSweeper/issues", - }, - classifiers=[ - "Programming Language :: Python :: 3", # - "Programming Language :: Python :: 3 :: Only", # - "Programming Language :: Python :: 3.8", # - "Programming Language :: Python :: 3.9", # - "Programming Language :: Python :: 3.10", # - "Programming Language :: Python :: 3.11", # - "License :: OSI Approved :: MIT License", # - "Operating System :: OS Independent", # - "Topic :: Security", # - "Topic :: Software Development :: Quality Assurance" # - ], - entry_points={ - "console_scripts": [ - "credsweeper=credsweeper.__main__:main", # - ], - }, -) # yapf: disable From efdc0ce9a1e18d94287ba9241b0082c82296b151 Mon Sep 17 00:00:00 2001 From: Roman Babenko Date: Mon, 29 Apr 2024 12:39:26 +0300 Subject: [PATCH 3/9] releasefix (#546) --- Dockerfile | 4 ++-- experiment/main.py | 3 ++- experiment/main.sh | 6 +++--- pyproject.toml | 7 ++++--- setup.cfg | 0 setup.py | 0 6 files changed, 11 insertions(+), 9 deletions(-) create mode 100644 setup.cfg create mode 100644 setup.py diff --git a/Dockerfile b/Dockerfile index a934a7030..0451c2afa 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,10 +1,10 @@ -FROM python:3.9 +FROM python:3.10 WORKDIR /app ADD credsweeper /app/credsweeper -COPY setup.py /app/ +COPY pyproject.toml /app/ COPY README.md /app/ RUN pip install . diff --git a/experiment/main.py b/experiment/main.py index 595499631..a524800f1 100644 --- a/experiment/main.py +++ b/experiment/main.py @@ -165,5 +165,6 @@ def main(cred_data_location: str, jobs: int) -> str: _jobs = int(args.jobs) _model_file_name = main(_cred_data_location, _jobs) - print(f"\nYou can find your model in: {_model_file_name}") + # print in last line result model + print(f"\nYou can find your model in: \n{_model_file_name}") # python -m tf2onnx.convert --saved-model results/ml_model_at-20240201_073238 --output ../credsweeper/ml_model/ml_model.onnx --verbose diff --git a/experiment/main.sh b/experiment/main.sh index bf556cce0..b37f4c933 100755 --- a/experiment/main.sh +++ b/experiment/main.sh @@ -12,11 +12,11 @@ rm -rf data python main.py --data ~/q/DataCred/CredData -j 32 -last_tf_model=$(ls -t1 results | head -n1) +tf_model=$(tail -n1 main.log) -echo $last_tf_model +echo $tf_model pwd -python -m tf2onnx.convert --saved-model results/$last_tf_model --output ../credsweeper/ml_model/ml_model.onnx --verbose +python -m tf2onnx.convert --saved-model $tf_model --output ../credsweeper/ml_model/ml_model.onnx --verbose diff --git a/pyproject.toml b/pyproject.toml index 89009d9eb..4bf520168 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -52,12 +52,13 @@ classifiers = [ Homepage = "https://github.com/Samsung/CredSweeper" "Bug Tracker" = "https://github.com/Samsung/CredSweeper/issues" -[project.scripts] -credsweeper = "credsweeper.__main__:main" - [build-system] requires = ["hatchling"] build-backend = "hatchling.build" [tool.hatch.version] path = "credsweeper/__init__.py" + +[project.scripts] +credsweeper = "credsweeper.__main__:main" + diff --git a/setup.cfg b/setup.cfg new file mode 100644 index 000000000..e69de29bb diff --git a/setup.py b/setup.py new file mode 100644 index 000000000..e69de29bb From bb5ebb78da9d5e019044aec023e08afcb280ede6 Mon Sep 17 00:00:00 2001 From: Roman Babenko Date: Mon, 29 Apr 2024 14:40:40 +0300 Subject: [PATCH 4/9] Remove SLSA (#547) * Remove SLSA * Update .github/workflows/pypi.yml * simplify --- .github/workflows/pypi.yml | 66 ++++---------------------------------- setup.cfg | 0 setup.py | 0 3 files changed, 7 insertions(+), 59 deletions(-) delete mode 100644 setup.cfg delete mode 100644 setup.py diff --git a/.github/workflows/pypi.yml b/.github/workflows/pypi.yml index d96a37d7b..d1e3d39ec 100644 --- a/.github/workflows/pypi.yml +++ b/.github/workflows/pypi.yml @@ -12,69 +12,17 @@ on: types: [ released ] jobs: - build: - uses: samsung/supplychainassurance/.github/workflows/python_builder.yml@v1.0.2 - with: - version: "3.11" - upload: ${{ 'release' == github.event_name }} - - slsa_release: - needs: [ build ] - if: ${{ 'release' == github.event_name }} - permissions: - id-token: write - uses: samsung/supplychainassurance/.github/workflows/slsa_release.yml@v1.0.2 - with: - hash: "${{ needs.build.outputs.hash }}" - artifact: "${{ needs.build.outputs.artifact }}" - build_cmd: "${{ needs.build.outputs.build_command }}" - secrets: - EXPECTED_REPOSITORY: "${{ secrets.EXPECTED_REPOSITORY }}" - ECODETOKEN: "${{ secrets.ECODE_TOKEN }}" - - upload_asset: - needs: [ build, slsa_release ] - if: ${{ 'release' == github.event_name }} - permissions: - contents: write - runs-on: ubuntu-latest - steps: - - name: Install hub tool - run: | - sudo apt-get update && sudo apt-get install -y hub - - name: Upload Assets - uses: samsung/supplychainassurance/.github/actions/upload-release-asset@v1.0.2 - env: - GITHUBTOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - artifacts: ${{ needs.slsa_release.outputs.artifacts }} - deploy: runs-on: ubuntu-latest - needs: [ build, slsa_release, upload_asset ] steps: - - name: Download Artifacts - if: ${{ 'release' == github.event_name }} - id: download - uses: samsung/supplychainassurance/.github/actions/download-artifact@v1.0.2 - with: - hash: ${{ needs.build.outputs.hash }} - - - name: Set up Python - uses: actions/setup-python@v4 + - name: Checkout + uses: actions/checkout@v4 with: - python-version: "3.11" - - - name: Install dependencies - run: | - python -m pip install --upgrade pip - pip install twine + ref: ${{ github.event.pull_request.head.sha }} - name: Publish if: ${{ 'release' == github.event_name }} - env: - TWINE_USERNAME: __token__ - TWINE_PASSWORD: ${{ secrets.PYPI_PASSWORD }} - run: | - cd ${{ steps.download.outputs.outdir }} - twine upload ${{ needs.build.outputs.artifact }} + uses: pypa/gh-action-pypi-publish@release/v1 + with: + user: __token__ + password: ${{ secrets.PYPI_PASSWORD }} diff --git a/setup.cfg b/setup.cfg deleted file mode 100644 index e69de29bb..000000000 diff --git a/setup.py b/setup.py deleted file mode 100644 index e69de29bb..000000000 From 6ebb093d0de686fb6fb7155a753ee60df582b3e2 Mon Sep 17 00:00:00 2001 From: Roman Babenko Date: Mon, 29 Apr 2024 16:03:23 +0300 Subject: [PATCH 5/9] Release fix (#548) The force commit to skip extra time wait --- .github/workflows/pypi.yml | 11 +++++++++++ pyproject.toml | 5 ++++- requirements.txt | 5 +++-- 3 files changed, 18 insertions(+), 3 deletions(-) diff --git a/.github/workflows/pypi.yml b/.github/workflows/pypi.yml index d1e3d39ec..6c68daa18 100644 --- a/.github/workflows/pypi.yml +++ b/.github/workflows/pypi.yml @@ -20,6 +20,17 @@ jobs: with: ref: ${{ github.event.pull_request.head.sha }} + - name: Set up Python + uses: actions/setup-python@v4 + with: + python-version: "3.8" + + - name: Install dependencies + run: | + python -m pip install --upgrade pip + pip install -r requirements.txt + python -m build + - name: Publish if: ${{ 'release' == github.event_name }} uses: pypa/gh-action-pypi-publish@release/v1 diff --git a/pyproject.toml b/pyproject.toml index 4bf520168..46188bda1 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -59,6 +59,9 @@ build-backend = "hatchling.build" [tool.hatch.version] path = "credsweeper/__init__.py" +[tool.hatch.build.targets.sdist] +ignore-vcs = true +only-include = ["/credsweeper"] + [project.scripts] credsweeper = "credsweeper.__main__:main" - diff --git a/requirements.txt b/requirements.txt index 56735d957..d22d3fc1b 100644 --- a/requirements.txt +++ b/requirements.txt @@ -30,8 +30,9 @@ scipy==1.10.1 # ^ the version supports python 3.8 onnxruntime==1.17.0 -# setup.py requirement -setuptools==69.1.0 +# build requirement +build==1.2.1 +hatchling==1.24.2 # Auxiliary # Tests and maintenance packages From 7ccc0ed322676ba7815fe6271b3412baeb2953fd Mon Sep 17 00:00:00 2001 From: ShinHyung Choi Date: Tue, 14 May 2024 18:40:02 +0900 Subject: [PATCH 6/9] Refactor rule config (#555) * Add target field to config.yaml of Rule * Modify tests for target field of Rule * Remove credsweeper_rule field * Remove credsweeper_rule field from Rule config --- credsweeper/rules/config.yaml | 243 ++++++++++++++++-- credsweeper/rules/rule.py | 17 +- credsweeper/scanner/scanner.py | 7 +- .../test_value_array_dictionary_check.py | 2 +- .../filters/test_value_not_allowed_pattern.py | 2 +- tests/filters/test_value_similarity_check.py | 2 +- tests/rules/test_rule.py | 4 +- tests/scanner/scan_type/test_multipattern.py | 2 +- 8 files changed, 238 insertions(+), 41 deletions(-) diff --git a/credsweeper/rules/config.yaml b/credsweeper/rules/config.yaml index f2ea890fa..fa1468906 100644 --- a/credsweeper/rules/config.yaml +++ b/credsweeper/rules/config.yaml @@ -21,7 +21,8 @@ - 암호 - 암호화 - 토큰 - doc_only: true + target: + - doc - name: PASSWD_PAIR severity: medium @@ -47,7 +48,8 @@ - 비번 - 패스워드 - 암호 - doc_only: true + target: + - doc - name: IP_ID_PASSWORD_TRIPLE severity: medium @@ -62,7 +64,8 @@ min_line_len: 10 required_substrings: - "." - doc_only: true + target: + - doc - name: ID_PAIR_PASSWD_PAIR severity: medium @@ -84,7 +87,8 @@ - 비번 - 패스워드 - 암호 - doc_only: true + target: + - doc - name: ID_PASSWD_PAIR severity: medium @@ -105,7 +109,8 @@ - 비번 - 패스워드 - 암호 - doc_only: true + target: + - doc - name: API severity: medium @@ -118,7 +123,8 @@ min_line_len: 11 required_substrings: - api - doc_available: false + target: + - code - name: IPv4 severity: info @@ -131,7 +137,8 @@ min_line_len: 10 required_substrings: - "." - doc_available: false + target: + - code - name: IPv6 severity: info @@ -144,7 +151,8 @@ min_line_len: 10 required_substrings: - ":" - doc_available: false + target: + - code - name: AWS Client ID severity: high @@ -157,6 +165,9 @@ - A min_line_len: 20 required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: AWS Multi severity: high @@ -170,6 +181,9 @@ - A min_line_len: 20 required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: AWS MWS Key severity: high @@ -181,6 +195,9 @@ required_substrings: - amzn min_line_len: 30 + target: + - code + - doc - name: Credential severity: medium @@ -193,7 +210,8 @@ min_line_len: 18 required_substrings: - credential - doc_available: false + target: + - code - name: Dynatrace API Token severity: high @@ -205,6 +223,9 @@ required_substrings: - dt0 min_line_len: 90 + target: + - code + - doc - name: Facebook Access Token severity: high @@ -216,6 +237,9 @@ required_substrings: - EAAC min_line_len: 31 + target: + - code + - doc - name: Github Old Token severity: high @@ -230,6 +254,9 @@ required_substrings: - git min_line_len: 47 + target: + - code + - doc - name: Google API Key severity: high @@ -243,6 +270,9 @@ required_substrings: - AIza min_line_len: 39 + target: + - code + - doc - name: Google Multi severity: high @@ -257,6 +287,9 @@ required_substrings: - .apps.googleusercontent.com min_line_len: 40 + target: + - code + - doc - name: Google OAuth Secret severity: high @@ -268,6 +301,9 @@ required_substrings: - GOCSPX- min_line_len: 40 + target: + - code + - doc - name: Google OAuth Access Token severity: high @@ -279,6 +315,9 @@ required_substrings: - ya29. min_line_len: 27 + target: + - code + - doc - name: Heroku API Key severity: high @@ -290,6 +329,9 @@ required_substrings: - heroku min_line_len: 24 + target: + - code + - doc - name: Instagram Access Token severity: high @@ -301,6 +343,9 @@ required_substrings: - IGQVJ min_line_len: 105 + target: + - code + - doc - name: JSON Web Token severity: medium @@ -313,7 +358,8 @@ required_substrings: - eyJ min_line_len: 18 - doc_available: false + target: + - code - name: MailChimp API Key severity: high @@ -327,6 +373,9 @@ required_substrings: - -us min_line_len: 35 + target: + - code + - doc - name: MailGun API Key severity: high @@ -338,6 +387,9 @@ required_substrings: - key- min_line_len: 36 + target: + - code + - doc - name: Password severity: medium @@ -351,7 +403,8 @@ required_substrings: - pass - pw - doc_available: false + target: + - code - name: PayPal Braintree Access Token severity: high @@ -363,6 +416,9 @@ required_substrings: - access_token$production$ min_line_len: 72 + target: + - code + - doc - name: PEM Private Key severity: high @@ -371,6 +427,9 @@ values: - (?P-----BEGIN\s(?!ENCRYPTED)[^-]*PRIVATE[^-]*KEY[^-]{0,40}-----(.+-----END[^-]+KEY[^-]{0,40}-----)?) min_line_len: 27 + target: + - code + - doc - name: BASE64 encoded PEM Private Key severity: high @@ -385,6 +444,9 @@ - UFJJVkFURSBLRVkt - QUklWQVRFIEtFWS0t - FBSSVZBVEUgS0VZ + target: + - code + - doc - name: BASE64 Private Key severity: high @@ -397,6 +459,9 @@ min_line_len: 160 required_substrings: - MII + target: + - code + - doc - name: Picatic API Key severity: high @@ -408,6 +473,9 @@ required_substrings: - sk_live_ min_line_len: 40 + target: + - code + - doc - name: Secret severity: medium @@ -420,7 +488,8 @@ min_line_len: 14 required_substrings: - secret - doc_available: false + target: + - code - name: SendGrid API Key severity: high @@ -432,6 +501,9 @@ required_substrings: - SG. min_line_len: 34 + target: + - code + - doc - name: Shopify Token severity: high @@ -443,6 +515,9 @@ required_substrings: - shp min_line_len: 38 + target: + - code + - doc - name: Slack Token severity: high @@ -456,6 +531,9 @@ required_substrings: - xox min_line_len: 15 + target: + - code + - doc - name: Slack Webhook severity: high @@ -467,6 +545,9 @@ required_substrings: - hooks.slack.com/services/T min_line_len: 61 + target: + - code + - doc - name: Stripe Standard API Key severity: high @@ -480,6 +561,9 @@ required_substrings: - sk_live_ min_line_len: 32 + target: + - code + - doc - name: Stripe Restricted API Key severity: high @@ -491,6 +575,9 @@ required_substrings: - rk_live_ min_line_len: 32 + target: + - code + - doc - name: Square Access Token severity: high @@ -504,6 +591,9 @@ required_substrings: - EAAA min_line_len: 64 + target: + - code + - doc - name: Square Client ID severity: medium @@ -517,6 +607,9 @@ required_substrings: - sq0 min_line_len: 29 + target: + - code + - doc - name: Square OAuth Secret severity: high @@ -528,6 +621,9 @@ required_substrings: - sq0csp min_line_len: 50 + target: + - code + - doc - name: Token severity: medium @@ -540,7 +636,8 @@ min_line_len: 13 required_substrings: - token - doc_available: false + target: + - code - name: Twilio API Key severity: high @@ -552,6 +649,9 @@ required_substrings: - SK min_line_len: 34 + target: + - code + - doc - name: URL Credentials severity: high @@ -564,7 +664,8 @@ required_substrings: - :// min_line_len: 10 - doc_available: false + target: + - code - name: Auth severity: medium @@ -577,7 +678,8 @@ min_line_len: 12 required_substrings: - auth - doc_available: false + target: + - code - name: Key severity: medium @@ -590,7 +692,8 @@ min_line_len: 11 required_substrings: - key - doc_available: false + target: + - code - name: Telegram Bot API Token severity: high @@ -602,6 +705,9 @@ required_substrings: - :AA min_line_len: 45 + target: + - code + - doc - name: PyPi API Token severity: high @@ -613,6 +719,9 @@ required_substrings: - pypi- min_line_len: 155 + target: + - code + - doc - name: Github Classic Token severity: high @@ -631,6 +740,9 @@ - ghs_ - ghr_ min_line_len: 40 + target: + - code + - doc - name: Github Fine-granted Token severity: high @@ -644,6 +756,9 @@ required_substrings: - github_pat_ min_line_len: 90 + target: + - code + - doc - name: Firebase Domain severity: info @@ -655,6 +770,9 @@ required_substrings: - .firebase min_line_len: 16 + target: + - code + - doc - name: AWS S3 Bucket severity: info @@ -667,6 +785,9 @@ - .s3-website - .s3.amazonaws.com min_line_len: 14 + target: + - code + - doc - name: Nonce severity: medium @@ -679,7 +800,8 @@ min_line_len: 13 required_substrings: - nonce - doc_available: false + target: + - code - name: Salt severity: medium @@ -692,7 +814,8 @@ min_line_len: 12 required_substrings: - salt - doc_available: false + target: + - code - name: Certificate severity: medium @@ -705,7 +828,8 @@ min_line_len: 12 required_substrings: - cert - doc_available: false + target: + - code - name: Jfrog Token severity: high @@ -719,6 +843,9 @@ - cmVmdGtuO - AKCp min_line_len: 64 + target: + - code + - doc - name: Azure Access Token severity: high @@ -731,6 +858,9 @@ required_substrings: - eyJ min_line_len: 148 + target: + - code + - doc - name: Azure Secret Value severity: high @@ -742,6 +872,9 @@ min_line_len: 40 required_substrings: - 8Q~ + target: + - code + - doc - name: Bitbucket App Password severity: high @@ -754,6 +887,9 @@ min_line_len: 28 required_substrings: - ATBB + target: + - code + - doc - name: Bitbucket Repository Access Token severity: high @@ -765,6 +901,9 @@ min_line_len: 183 required_substrings: - ATCTT3xFfGN0 + target: + - code + - doc - name: Bitbucket HTTP Access Token severity: high @@ -777,6 +916,9 @@ min_line_len: 49 required_substrings: - BBDC- + target: + - code + - doc - name: Bitbucket Client ID severity: info @@ -787,6 +929,9 @@ filter_type: WeirdBase64Token min_line_len: 18 required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: Bitbucket Client Secret severity: info @@ -797,6 +942,9 @@ filter_type: WeirdBase64Token min_line_len: 32 required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: Jira / Confluence PAT token severity: high @@ -812,6 +960,9 @@ - N - O required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: Atlassian Old PAT token severity: info @@ -822,6 +973,9 @@ filter_type: WeirdBase64Token min_line_len: 24 required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: Atlassian PAT token severity: high @@ -833,6 +987,9 @@ min_line_len: 191 required_substrings: - ATATT3xFfGF0 + target: + - code + - doc - name: Digital Ocean Token severity: high @@ -845,6 +1002,9 @@ required_substrings: - doo_v1_ - dop_v1_ + target: + - code + - doc - name: Dropbox OAuth2 API Access Token severity: high @@ -856,6 +1016,9 @@ min_line_len: 138 required_substrings: - sl. + target: + - code + - doc - name: NuGet API key severity: high @@ -867,6 +1030,9 @@ min_line_len: 46 required_substrings: - oy2 + target: + - code + - doc - name: Gitlab PAT severity: high @@ -878,6 +1044,9 @@ min_line_len: 26 required_substrings: - glpat- + target: + - code + - doc - name: Gitlab Pipeline Trigger Token severity: high @@ -889,6 +1058,9 @@ min_line_len: 46 required_substrings: - glptt- + target: + - code + - doc - name: Gitlab Registration Runner Token severity: high @@ -900,6 +1072,9 @@ min_line_len: 29 required_substrings: - GR1348941 + target: + - code + - doc - name: Gitlab Registration Runner Token 2023 severity: high @@ -911,6 +1086,9 @@ min_line_len: 25 required_substrings: - glrt- + target: + - code + - doc - name: Grafana Provisioned API Key severity: high @@ -923,6 +1101,9 @@ min_line_len: 67 required_substrings: - eyJ + target: + - code + - doc - name: Grafana Access Policy Token severity: high @@ -935,6 +1116,9 @@ min_line_len: 87 required_substrings: - glc_eyJ + target: + - code + - doc - name: Dropbox API secret (long term) severity: high @@ -946,6 +1130,9 @@ min_line_len: 43 required_substrings: - AAAAAAAAAA + target: + - code + - doc - name: Dropbox App secret severity: info @@ -956,6 +1143,9 @@ filter_type: WeirdBase36Token min_line_len: 15 required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: Gitlab Incoming Email Token severity: info @@ -966,6 +1156,9 @@ filter_type: WeirdBase36Token min_line_len: 24 required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: Gitlab Feed Token severity: info @@ -976,6 +1169,9 @@ filter_type: WeirdBase64Token min_line_len: 20 required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: Jira 2FA severity: info @@ -991,6 +1187,9 @@ - ValueTokenBase32Check min_line_len: 16 required_regex: "[a-zA-Z0-9_/+-]{15,80}" + target: + - code + - doc - name: OpenAI Token severity: high @@ -1000,6 +1199,9 @@ - (?sk-\w{20}T3BlbkFJ\w{20})(?![=0-9A-Za-z_/+-]) min_line_len: 51 required_regex: T3BlbkFJ + target: + - code + - doc - name: Docker Swarm Token severity: high @@ -1011,3 +1213,6 @@ filter_type: - ValueCoupleKeywordCheck required_regex: SWMTKN-1- + target: + - code + - doc diff --git a/credsweeper/rules/rule.py b/credsweeper/rules/rule.py index 0de7394bc..2fa981d46 100644 --- a/credsweeper/rules/rule.py +++ b/credsweeper/rules/rule.py @@ -48,8 +48,7 @@ class Rule: REQUIRED_SUBSTRINGS = "required_substrings" REQUIRED_REGEX = "required_regex" VALIDATIONS = "validations" - DOC_AVAILABLE = "doc_available" # True - by default - DOC_ONLY = "doc_only" # False - by default + TARGET = "target" def __init__(self, config: Config, rule_dict: Dict) -> None: self.config = config @@ -80,8 +79,7 @@ def __init__(self, config: Config, rule_dict: Dict) -> None: self._malformed_rule_error(rule_dict, Rule.REQUIRED_REGEX) self.__required_regex = re.compile(required_regex) if required_regex else None self.__min_line_len = int(rule_dict.get(Rule.MIN_LINE_LEN, MAX_LINE_LENGTH)) - self.__doc_available: bool = rule_dict.get(Rule.DOC_AVAILABLE, True) - self.__doc_only: bool = rule_dict.get(Rule.DOC_ONLY, False) + self.__target: List[str] = rule_dict.get(Rule.TARGET, []) def _malformed_rule_error(self, rule_dict: Dict, field: str): raise ValueError(f"Malformed rule '{self.__rule_name}'." @@ -250,11 +248,6 @@ def min_line_len(self) -> int: return self.__min_line_len @cached_property - def doc_available(self) -> bool: - """doc_available getter""" - return self.__doc_available - - @cached_property - def doc_only(self) -> bool: - """doc_only getter""" - return self.__doc_only + def target(self) -> List[str]: + """target getter""" + return self.__target diff --git a/credsweeper/scanner/scanner.py b/credsweeper/scanner/scanner.py index a91d2c3d8..eaf61b2ed 100644 --- a/credsweeper/scanner/scanner.py +++ b/credsweeper/scanner/scanner.py @@ -93,11 +93,10 @@ def _is_available(self, rule: Rule) -> bool: if rule.severity < self.config.severity: return False if self.config.doc: - # apply only available for doc scanning rules - if rule.doc_available or rule.doc_only: + if "doc" in rule.target: return True else: - if rule.doc_only: + if "code" not in rule.target: return False else: return True @@ -140,7 +139,7 @@ def scan(self, provider: ContentProvider) -> List[Candidate]: # "cache" - YAPF and pycharm formatters ... matched_keyword = \ target_line_stripped_len >= self.min_keyword_len and ( # - '=' in target_line_stripped or ':' in target_line_stripped) # + '=' in target_line_stripped or ':' in target_line_stripped) # matched_pem_key = \ target_line_stripped_len >= self.min_pem_key_len \ and PEM_BEGIN_PATTERN in target_line_stripped and "PRIVATE" in target_line_stripped diff --git a/tests/filters/test_value_array_dictionary_check.py b/tests/filters/test_value_array_dictionary_check.py index 62df6b936..4319374e9 100644 --- a/tests/filters/test_value_array_dictionary_check.py +++ b/tests/filters/test_value_array_dictionary_check.py @@ -20,7 +20,7 @@ def token_rule(self, config) -> Rule: "use_ml": True, "min_line_len": 0, "validations": [], - "doc_available": True, + "target": ["code", "doc"], } rule = Rule(config, token_rule_without_filters) return rule diff --git a/tests/filters/test_value_not_allowed_pattern.py b/tests/filters/test_value_not_allowed_pattern.py index 187ae3e4d..c168d8bb7 100644 --- a/tests/filters/test_value_not_allowed_pattern.py +++ b/tests/filters/test_value_not_allowed_pattern.py @@ -20,7 +20,7 @@ def token_rule(self, config) -> Rule: "use_ml": True, "min_line_len": 0, "validations": [], - "doc_available": True, + "target": ["code", "doc"], } rule = Rule(config, token_rule_without_filters) return rule diff --git a/tests/filters/test_value_similarity_check.py b/tests/filters/test_value_similarity_check.py index cc0006d5a..444619771 100644 --- a/tests/filters/test_value_similarity_check.py +++ b/tests/filters/test_value_similarity_check.py @@ -20,7 +20,7 @@ def password_rule(self, config) -> Rule: "use_ml": True, "min_line_len": 0, "validations": [], - "doc_available": True, + "target": ["code", "doc"], } rule = Rule(config, pass_rule_without_filters) return rule diff --git a/tests/rules/test_rule.py b/tests/rules/test_rule.py index 73f286442..396241139 100644 --- a/tests/rules/test_rule.py +++ b/tests/rules/test_rule.py @@ -23,7 +23,7 @@ class TestRuleConfigParsing: "min_line_len": 32, "use_ml": False, "validations": [], - "doc_available": True, + "target": ["code", "doc"], }, # Check proper config with no validations { @@ -35,7 +35,7 @@ class TestRuleConfigParsing: "filter_type": GeneralPattern.__name__, "min_line_len": 32, "use_ml": False, - "doc_available": True, + "target": ["code", "doc"], }, ]) def rule_config(self, request: str) -> Any: diff --git a/tests/scanner/scan_type/test_multipattern.py b/tests/scanner/scan_type/test_multipattern.py index badd7e106..e15ec2808 100644 --- a/tests/scanner/scan_type/test_multipattern.py +++ b/tests/scanner/scan_type/test_multipattern.py @@ -27,7 +27,7 @@ def setUp(self) -> None: "values": ["a", "b"], "filter_type": [], "min_line_len": 0, - "doc_available": False, + "target": ["code"], }) def test_oversize_line_n(self) -> None: From 32b802ca9ec60038d95c60864dae46018d2403ad Mon Sep 17 00:00:00 2001 From: Roman Babenko Date: Wed, 15 May 2024 10:33:09 +0300 Subject: [PATCH 7/9] Value sanitize improvement (#554) * test ipmarkup * fix * test val pos * touch * Update .github/workflows/benchmark.yml * Update .github/workflows/benchmark.yml * Update .github/workflows/benchmark.yml * value sanitize in url improvement * style * fix ; split in url * fix dub 2024-05-07T20:06:19+03:00 * fix4test * Update .github/workflows/benchmark.yml * dynamical bBM report * fix google multi pattern * trigger * fix keyword pattern for \t * Update tests/samples/auth_n.template touch a file to rerun bm * \ for url pattern * touch * touch * cat md5 * sha256sum md5 * psd * entropy fix * BM scores fix * BM upd * cache upd * [skip actions] [valpos] 2024-05-13T16:13:18+03:00 * Rollback custom ref * BM upd for re-launch * BM upd for re-launch 2 * BM upd * doc FP fix * BM scores fix --- .github/workflows/benchmark.yml | 83 ++++---- cicd/benchmark.txt | 196 +++++++++++------- credsweeper/common/constants.py | 5 +- credsweeper/credentials/line_data.py | 10 +- .../filters/value_entropy_base64_check.py | 9 +- credsweeper/rules/config.yaml | 8 +- credsweeper/secret/config.json | 1 + tests/__init__.py | 8 +- tests/data/depth_3.json | 75 +++++++ tests/data/doc.json | 50 +++++ tests/data/ml_threshold.json | 75 +++++++ tests/data/output.json | 75 +++++++ tests/samples/auth_n.template | 3 + tests/samples/doc_ip_id_password_triple | 2 + tests/samples/doc_passwd_pair | 3 + tests/test_main.py | 17 +- 16 files changed, 489 insertions(+), 131 deletions(-) diff --git a/.github/workflows/benchmark.yml b/.github/workflows/benchmark.yml index 6aa0b5f1f..4d3c980dc 100644 --- a/.github/workflows/benchmark.yml +++ b/.github/workflows/benchmark.yml @@ -26,14 +26,18 @@ jobs: - name: Markup hashing run: | - for f in $(find meta -type f|sort); do md5sum $f; done >meta.md5 + md5sum snapshot.yaml >checksums.md5 + for f in $(find meta -type f|sort); do md5sum $f; done >>checksums.md5 + for f in $(find . -maxdepth 1 -type f -name "*.py"|sort); do md5sum $f; done >>checksums.md5 + cat checksums.md5 + sha256sum checksums.md5 - name: Cache data id: cache-data uses: actions/cache@v4 with: path: data - key: cred-data-${{ hashFiles('meta.md5') }} + key: cred-data-${{ hashFiles('checksums.md5') }} - name: Set up Python 3.8 if: steps.cache-data.outputs.cache-hit != 'true' @@ -57,6 +61,8 @@ jobs: run_benchmark: + if: ${{ 'pull_request' == github.event_name }} + needs: [ download_data ] runs-on: ubuntu-latest @@ -70,14 +76,18 @@ jobs: - name: Markup hashing run: | - for f in $(find meta -type f|sort); do md5sum $f; done >meta.md5 + md5sum snapshot.yaml >checksums.md5 + for f in $(find meta -type f|sort); do md5sum $f; done >>checksums.md5 + for f in $(find . -maxdepth 1 -type f -name "*.py"|sort); do md5sum $f; done >>checksums.md5 + cat checksums.md5 + sha256sum checksums.md5 - name: Cache data id: cache-data uses: actions/cache@v4 with: path: data - key: cred-data-${{ hashFiles('meta.md5') }} + key: cred-data-${{ hashFiles('checksums.md5') }} - name: Failure in case when cache missed if: steps.cache-data.outputs.cache-hit != 'true' @@ -99,60 +109,53 @@ jobs: run: python -m pip install --requirement requirements.txt - name: Checkout CredSweeper - if: ${{ 'pull_request' == github.event_name }} uses: actions/checkout@v4 with: ref: ${{ github.event.pull_request.head.sha }} path: temp/CredSweeper - name: Patch benchmark for PR work - if: ${{ 'pull_request' == github.event_name }} run: | sed -i 's|CREDSWEEPER = "https://github.com/Samsung/CredSweeper.git"|CREDSWEEPER = "dummy://github.com/Samsung/CredSweeper.git"|' benchmark/common/constants.py grep --with-filename --line-number 'dummy://github.com/Samsung/CredSweeper.git' benchmark/common/constants.py - - name: Run Benchmark + - name: Install CredSweeper run: | - python -m benchmark --scanner credsweeper | tee credsweeper.log + python -m pip install temp/CredSweeper + credsweeper_head= - - name: Get only results + - name: Run CredSweeper tool run: | - head -n 235 credsweeper.log | tee benchmark.txt - tail -n 15 credsweeper.log | grep -v 'Time Elapsed:' | tee -a benchmark.txt - cp -vf ./temp/CredSweeper/output.json report.json + credsweeper --banner --jobs $(nproc) --path data --save-json report.${{ github.event.pull_request.head.sha }}.json | tee credsweeper.${{ github.event.pull_request.head.sha }}.log + + - name: Run Benchmark + run: | + python -m benchmark --scanner credsweeper --load report.${{ github.event.pull_request.head.sha }}.json | tee benchmark.${{ github.event.pull_request.head.sha }}.log + + - name: Upload CredSweeper log + if: always() + uses: actions/upload-artifact@v4 + with: + name: credsweeper + path: credsweeper.${{ github.event.pull_request.head.sha }}.log - - name: Upload artifact + - name: Upload CredSweeper report if: always() uses: actions/upload-artifact@v4 with: name: report - path: report.json + path: report.${{ github.event.pull_request.head.sha }}.json - - name: Upload artifact + - name: Upload benchmark output if: always() uses: actions/upload-artifact@v4 with: name: benchmark - path: benchmark.txt + path: benchmark.${{ github.event.pull_request.head.sha }}.log - name: Verify benchmark scores of the PR - if: ${{ 'pull_request' == github.event_name }} - # update cicd/benchmark.txt with uploaded artifact if a difference is found - run: | - diff --ignore-all-space --ignore-blank-lines temp/CredSweeper/cicd/benchmark.txt benchmark.txt - - - name: Checkout CredSweeper on push event - if: ${{ 'pull_request' != github.event_name }} - uses: actions/checkout@v4 - with: - ref: ${{ github.event.pull_request.head.sha }} - path: CredSweeper - - - name: Verify benchmark scores on push event - if: ${{ 'pull_request' != github.event_name }} - # update cicd/benchmark.txt with uploaded artifact if a difference is found run: | - diff --ignore-all-space --ignore-blank-lines CredSweeper/cicd/benchmark.txt benchmark.txt + diff --ignore-all-space --ignore-blank-lines temp/CredSweeper/cicd/benchmark.txt benchmark.${{ github.event.pull_request.head.sha }}.log # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # @@ -175,14 +178,18 @@ jobs: - name: Markup hashing run: | - for f in $(find meta -type f|sort); do md5sum $f; done >meta.md5 + md5sum snapshot.yaml >checksums.md5 + for f in $(find meta -type f|sort); do md5sum $f; done >>checksums.md5 + for f in $(find . -maxdepth 1 -type f -name "*.py"|sort); do md5sum $f; done >>checksums.md5 + cat checksums.md5 + sha256sum checksums.md5 - name: Cache data id: cache-data uses: actions/cache@v4 with: path: data - key: cred-data-${{ hashFiles('meta.md5') }} + key: cred-data-${{ hashFiles('checksums.md5') }} - name: Failure in case when cache missed if: steps.cache-data.outputs.cache-hit != 'true' @@ -352,14 +359,18 @@ jobs: - name: Markup hashing run: | - for f in $(find meta -type f|sort); do md5sum $f; done >meta.md5 + md5sum snapshot.yaml >checksums.md5 + for f in $(find meta -type f|sort); do md5sum $f; done >>checksums.md5 + for f in $(find . -maxdepth 1 -type f -name "*.py"|sort); do md5sum $f; done >>checksums.md5 + cat checksums.md5 + sha256sum checksums.md5 - name: Cache data id: cache-data uses: actions/cache@v4 with: path: data - key: cred-data-${{ hashFiles('meta.md5') }} + key: cred-data-${{ hashFiles('checksums.md5') }} - name: Failure in case when cache missed if: steps.cache-data.outputs.cache-hit != 'true' diff --git a/cicd/benchmark.txt b/cicd/benchmark.txt index cf445096c..90d2c9e44 100644 --- a/cicd/benchmark.txt +++ b/cicd/benchmark.txt @@ -1,49 +1,73 @@ -DATA: 19076375 valid lines. MARKUP: 64566 items -Category Positives Negatives Template --------------------------- ----------- ----------- ---------- -Authentication Credentials 122 2631 22 -Cryptographic Primitives 54 170 3 -Generic Secret 1384 29619 466 -Generic Token 458 3715 447 -Info 650 3601 -Other 52 79 3 -Password 1937 7154 3777 -Predefined Pattern 442 5283 7 -Private Key 1013 1477 -TOTAL: 6112 53729 4725 +DATA: 19171104 valid lines. MARKUP: 65191 items +Category Positives Negatives Template +------------------------------ ----------- ----------- ---------- +API 7 10 +AWS Multi 71 2 +Auth 10 50 +Authentication Credentials 155 2662 17 +Azure Access Token 6 +BASE64 encoded PEM Private Key 1 +Bitbucket Client ID 1 +Bitbucket Client Secret 2 +Certificate 6 14 +Credential 5 42 +Cryptographic Primitives 62 168 3 +Facebook Access Token 1 +Generic Secret 1392 29631 461 +Generic Token 467 3727 438 +Gitlab Feed Token 2 +Google API Key 1 +Google Multi 10 2 +IPv4 580 295 +IPv6 13 +Info 236 3359 +JSON Web Token 4 +Key 13 90 +Nonce 2 4 +Other 81 69 3 +PEM Private Key 10 4 +Password 2091 7356 3671 +Predefined Pattern 438 5284 7 +Private Key 1015 1479 +Secret 12 10 +Token 34 45 +URL Credentials 8 +TOTAL: 6733 54306 4600 FileType FileNumber ValidLines Positives Negatives Template --------------- ------------ ------------ ----------- ----------- ---------- - 190 36319 52 406 74 -.1 1 116 1 + 197 36872 56 419 69 +.1 2 957 2 4 .admx 1 26 1 -.adoc 1 214 3 5 1 +.adoc 1 214 8 6 1 .api 2 148 4 -.asciidoc 96 18086 36 339 25 +.asciidoc 96 18086 38 341 23 +.axaml 5 286 6 .backup 1 77 1 1 .bash 2 3427 2 1 -.bat 4 280 1 9 3 -.bats 14 2918 5 40 10 +.bat 4 280 1 10 2 +.bats 15 3238 6 45 9 .bazel 3 477 8 .build 2 40 3 .bundle 4 1512 442 .bzl 3 2913 11 -.c 179 362133 14 949 5 +.c 179 362133 15 949 5 .cc 30 36227 621 1 .cf 3 133 2 1 .cfg 1 424 1 1 +.cjs 1 797 1 .clj 2 140 2 .cljc 5 2541 11 .cls 2 819 5 .cmd 4 462 2 3 -.cnf 8 882 13 32 19 +.cnf 8 882 13 35 19 .coffee 1 626 2 -.conf 62 5799 52 60 50 -.config 18 405 7 27 1 -.cpp 14 6422 60 +.conf 62 5799 57 60 46 +.config 20 508 8 28 1 +.cpp 15 7499 2 61 .creds 1 10 1 1 .crlf 1 27 1 .crt 2 5124 206 -.cs 198 86213 9 782 96 +.cs 269 104694 62 872 96 .cshtml 5 207 12 .csp 3 447 9 .csproj 1 14 1 @@ -53,7 +77,7 @@ FileType FileNumber ValidLines Positives Negatives Templat .deprecated 1 130 1 .development 1 5 1 .diff 2 2910 8 1 -.dist 4 256 5 13 +.dist 5 288 6 13 .doc 1 2509 3 .dockerfile 1 19 1 .dot 1 161 6 @@ -63,7 +87,7 @@ FileType FileNumber ValidLines Positives Negatives Templat .erb 13 420 27 .erl 4 108 7 .ex 25 6185 2 94 4 -.example 18 1915 54 30 51 +.example 18 1915 54 31 50 .exs 24 6070 3 183 4 .ext 5 265 1 4 2 .fsproj 1 76 1 @@ -71,35 +95,35 @@ FileType FileNumber ValidLines Positives Negatives Templat .gd 1 38 1 .gml 3 4011 16 .gni 3 6340 17 -.go 1090 718367 565 4028 681 -.golden 5 1246 1 12 31 -.gradle 41 3647 2 79 59 +.go 1094 718594 587 4052 662 +.golden 5 1246 2 13 29 +.gradle 45 3830 2 88 59 .graphql 8 575 1 13 .graphqls 1 38 1 -.groovy 20 6361 17 212 1 +.groovy 23 6840 23 212 1 .h 11 2353 38 .haml 9 200 16 .hbs 4 108 7 -.hs 18 5072 33 59 4 -.html 56 30394 10 116 18 +.hs 18 5072 33 60 4 +.html 57 30417 10 117 18 .idl 2 841 4 .iml 6 699 32 -.in 6 2190 4 44 7 +.in 6 2190 4 46 7 .inc 2 81 2 1 -.ini 11 1489 12 10 18 +.ini 11 1489 12 11 17 .ipynb 1 210 4 .j 1 329 2 .j2 32 6327 9 175 10 -.java 589 169939 204 1262 149 +.java 625 178733 235 1324 148 .jenkinsfile 1 78 1 6 .jinja2 1 64 2 -.js 665 705090 355 2453 323 -.json 856 15025976 396 10632 122 +.js 670 705907 356 2462 320 +.json 864 15057527 636 10658 121 .jsp 13 4101 1 38 1 .jsx 7 1162 19 .jwt 6 8 6 -.key 82 2690 69 14 -.kt 93 18642 4 315 1 +.key 83 2743 70 14 +.kt 125 26695 33 369 1 .l 1 1082 2 .las 1 7556 37 .lasso 1 269 7 @@ -112,16 +136,16 @@ FileType FileNumber ValidLines Positives Negatives Templat .libsonnet 2 324 1 11 .list 2 15 2 .lkml 1 44 1 -.lock 23 155176 41 -.log 2 200 91 +.lock 24 166499 42 +.log 2 200 2 89 .lua 10 2367 3 37 3 .m 17 17112 16 153 4 .manifest 3 109 3 .map 2 2 2 .markdown 3 146 3 1 -.markerb 3 12 2 1 +.markerb 3 12 3 .marko 1 32 2 -.md 659 172418 528 2381 609 +.md 688 177717 603 2460 591 .mdx 3 723 7 .mjml 2 183 3 .mjs 22 5853 85 309 @@ -133,7 +157,7 @@ FileType FileNumber ValidLines Positives Negatives Templat .mqh 1 1390 2 .msg 1 26646 1 1 .mysql 1 40 2 -.ndjson 2 5006 34 256 +.ndjson 2 5006 41 264 .nix 4 280 1 12 .nolint 1 2 1 .odd 1 1304 43 @@ -143,14 +167,14 @@ FileType FileNumber ValidLines Positives Negatives Templat .patch 4 131816 27 .pbxproj 1 1104 1 .pem 48 1169 47 8 -.php 373 109681 122 1659 69 +.php 374 109725 130 1667 67 .pl 16 15748 6 34 1 .pm 3 880 7 .po 3 2996 15 -.pod 9 1921 6 21 1 +.pod 9 1921 7 22 .pony 1 106 4 .postinst 2 441 3 12 -.pp 10 687 14 1 +.pp 10 687 16 .ppk 1 46 36 .private 1 15 1 .proj 1 85 3 @@ -162,13 +186,13 @@ FileType FileNumber ValidLines Positives Negatives Templat .pug 3 379 3 .purs 1 73 4 .pxd 1 153 5 1 -.py 896 327022 507 3372 710 +.py 908 329128 550 3418 688 .pyi 4 1418 9 .pyp 1 193 1 .pyx 2 1175 21 .r 5 83 5 5 1 .rake 2 66 2 -.rb 868 173874 212 3286 540 +.rb 868 173874 222 3302 526 .re 1 40 1 .red 1 232 1 .release 1 13 4 @@ -181,20 +205,21 @@ FileType FileNumber ValidLines Positives Negatives Templat .rs 31 12604 2 228 11 .rsc 1 748 1 .rsp 16 7203 21 11 28 -.rst 89 36385 31 304 60 +.rst 90 36744 39 317 53 .rules 1 6 2 .sample 2 25 1 7 2 .sbt 3 652 6 2 .scala 40 6603 13 101 .scss 16 10191 32 1 .secrets 1 12 1 -.sh 138 26742 44 455 29 +.sh 144 27030 48 463 28 .slim 1 174 1 2 +.sln 1 308 2 .smali 1 814 12 .snap 3 2390 1 32 2 .spec 2 372 2 .spin 1 636 1 -.sql 27 16562 25 568 4 +.sql 29 16638 25 570 4 .storyboard 20 1808 339 .strings 20 1280 121 .stub 3 111 6 @@ -202,7 +227,7 @@ FileType FileNumber ValidLines Positives Negatives Templat .sum 43 23158 1128 .svg 1 798 12 .swift 6 373 13 -.t 9 1903 7 35 11 +.t 9 1903 12 42 11 .td 2 17425 6 .template 19 2604 5 35 6 .test 2 24 11 2 @@ -212,38 +237,57 @@ FileType FileNumber ValidLines Positives Negatives Templat .tfvars 1 32 3 2 .tl 2 2161 155 2 .tmpl 5 345 3 9 -.token 1 1 1 -.toml 83 2566 29 71 126 +.token 1 1 2 +.toml 83 2566 30 73 123 .tpl 1 50 1 .travis 1 34 2 3 1 -.ts 584 141059 130 1760 198 +.ts 585 141143 137 1761 195 .tsx 55 13122 1 118 5 .ttar 2 6526 8 3 -.txt 449 84341 1735 9476 46 +.txt 449 84341 1737 9483 42 .utf8 1 79 2 .vsixmanifest 1 36 1 .vsmdi 1 6 1 .vue 50 10998 1 154 1 -.xaml 17 7220 115 +.xaml 21 8230 152 .xcscheme 1 109 6 .xib 11 504 164 +.xml 9 693 9 .xsl 1 315 1 -.yaml 151 23500 98 379 46 -.yml 450 41925 314 963 337 +.yaml 152 23522 106 382 44 +.yml 461 42372 344 972 332 .zsh 7 1109 13 .zsh-theme 1 121 1 -TOTAL: 10214 19076375 6112 53729 4725 -Detected Credentials: 7114 -credsweeper result_cnt : 6021, lost_cnt : 0, true_cnt : 5422, false_cnt : 599 -Category TP FP TN FN FPR FNR ACC PRC RCL F1 --------------------------- ---- ---- -------- ---- -------- -------- -------- -------- -------- -------- -Authentication Credentials 105 27 2626 17 0.010177 0.139344 0.984144 0.795455 0.860656 0.826772 -Cryptographic Primitives 47 33 140 7 0.190751 0.129630 0.823789 0.587500 0.870370 0.701493 -Generic Secret 1254 60 30025 130 0.001994 0.093931 0.993962 0.954338 0.906069 0.929577 -Generic Token 418 24 4138 40 0.005766 0.087336 0.986147 0.945701 0.912664 0.928889 -Info 487 304 3297 163 0.084421 0.250769 0.890143 0.615676 0.749231 0.675920 -Other 38 10 72 14 0.121951 0.269231 0.820896 0.791667 0.730769 0.760000 -Password 1636 122 10809 301 0.011161 0.155395 0.967128 0.930603 0.844605 0.885521 -Predefined Pattern 424 19 5271 18 0.003592 0.040724 0.993545 0.957111 0.959276 0.958192 -Private Key 1013 0 1477 0 1.000000 1.000000 1.000000 1.000000 - 5422 599 19069664 690 0.000031 0.112893 0.999932 0.900515 0.887107 0.893761 +TOTAL: 10477 19171104 6733 54306 4600 +credsweeper result_cnt : 6637, lost_cnt : 0, true_cnt : 5987, false_cnt : 650 +Category TP FP TN FN FPR FNR ACC PRC RCL F1 +------------------------------ ---- ---- -------- ---- -------- -------- -------- -------- -------- -------- +API 1 0 10 6 0.857143 0.647059 1.000000 0.142857 0.250000 +AWS Multi 71 1 1 0 0.500000 0.986301 0.986111 1.000000 0.993007 +Auth 6 0 50 4 0.400000 0.933333 1.000000 0.600000 0.750000 +Authentication Credentials 137 32 2647 18 0.011945 0.116129 0.982357 0.810651 0.883871 0.845679 +Azure Access Token 6 0 0 0 1.000000 1.000000 1.000000 1.000000 +BASE64 encoded PEM Private Key 1 0 0 0 1.000000 1.000000 1.000000 1.000000 +Bitbucket Client ID 1 0 0 0 1.000000 1.000000 1.000000 1.000000 +Bitbucket Client Secret 1 0 0 1 0.500000 0.500000 1.000000 0.500000 0.666667 +Certificate 2 0 14 4 0.666667 0.800000 1.000000 0.333333 0.500000 +Credential 4 0 42 1 0.200000 0.978723 1.000000 0.800000 0.888889 +Cryptographic Primitives 52 32 139 10 0.187135 0.161290 0.819742 0.619048 0.838710 0.712329 +Generic Secret 1283 49 30043 109 0.001628 0.078305 0.994982 0.963213 0.921695 0.941997 +Generic Token 429 23 4142 38 0.005522 0.081370 0.986831 0.949115 0.918630 0.933624 +Google API Key 1 0 0 0 1.000000 1.000000 1.000000 1.000000 +Google Multi 10 1 1 0 0.500000 0.916667 0.909091 1.000000 0.952381 +IPv4 580 294 1 0 0.996610 0.664000 0.663616 1.000000 0.797799 +IPv6 13 0 0 0 1.000000 1.000000 1.000000 1.000000 +Info 73 56 3303 163 0.016672 0.690678 0.939082 0.565891 0.309322 0.400000 +JSON Web Token 4 0 0 0 1.000000 1.000000 1.000000 1.000000 +Key 6 3 87 7 0.033333 0.538462 0.902913 0.666667 0.461538 0.545455 +Other 70 16 56 11 0.222222 0.135802 0.823529 0.813953 0.864198 0.838323 +PEM Private Key 0 2 2 10 0.500000 1.000000 0.142857 +Password 1759 122 10905 332 0.011064 0.158776 0.965391 0.935141 0.841224 0.885700 +Predefined Pattern 419 19 5272 19 0.003591 0.043379 0.993367 0.956621 0.956621 0.956621 +Private Key 1014 0 1479 1 0.000985 0.999599 1.000000 0.999015 0.999507 +Secret 11 0 10 1 0.083333 0.954545 1.000000 0.916667 0.956522 +Token 26 0 45 8 0.235294 0.898734 1.000000 0.764706 0.866667 +URL Credentials 7 0 0 1 0.125000 0.875000 1.000000 0.875000 0.933333 + 5987 650 19163721 746 0.000034 0.110798 0.999927 0.902064 0.889202 0.895587 diff --git a/credsweeper/common/constants.py b/credsweeper/common/constants.py index f144ab2f2..d14668802 100644 --- a/credsweeper/common/constants.py +++ b/credsweeper/common/constants.py @@ -10,12 +10,13 @@ class KeywordPattern: # there will be inserted a keyword key_right = r")" \ r"[^:='\"`<>{?!&]*)[`'\"]*)" # + # Authentication scheme ( oauth | basic | bearer | apikey ) precedes to credential separator = r"\s*\]?\s*" \ - r"(?P:( [a-z]{3,9} )?=|:|=>|!=|===|==|=)" \ + r"(?P:( [a-z]{3,9} )?=|:( oauth | basic | bearer | apikey | accesskey )?|=>|!=|===|==|=)" \ r"((?!\s*ENC(\(|\[))(\s|\w)*\((\s|\w|=|\()*|\s*)" value = r"(?P((b|r|br|rb|u|f|rf|fr|\\)?[`'\"])+)?" \ r"(?P(?:\{[^}]{3,8000}\})|(?:<[^>]{3,8000}>)|" \ - r"(?(value_leftquote)(?:\\[nrux0-7][0-9a-f]*|[^`'\"\\])|(?:\\n|\\r|\\?[^\s`'\"\\])){3,8000})" \ + r"(?(value_leftquote)(?:\\[tnrux0-7][0-9a-f]*|[^`'\"\\])|(?:\\n|\\r|\\?[^\s`'\"\\])){3,8000})" \ r"(?P(\\?[`'\"])+)?" @classmethod diff --git a/credsweeper/credentials/line_data.py b/credsweeper/credentials/line_data.py index d02246a0c..80e29ec64 100644 --- a/credsweeper/credentials/line_data.py +++ b/credsweeper/credentials/line_data.py @@ -27,6 +27,9 @@ class LineData: comment_starts = ["//", "*", "#", "/*", "|\\w+?\\>|\\&)") + # some symbols e.g. double quotes cannot be in URL string https://www.ietf.org/rfc/rfc1738.txt + # \ - was added for case of url in escaped string \u0026amp; - means escaped & in HTML + url_detect_regex = re.compile(r".*\w{3,33}://[\w;,/?:@&=+$%.!~*'()#\\-]+$") INITIAL_WRONG_POSITION = -3 EXCEPTION_POSITION = -2 @@ -118,11 +121,12 @@ def clean_url_parameters(self) -> None: If line seem to be a URL - split by & character. Variable should be right most value after & or ? ([-1]). And value should be left most before & ([0]) """ - if "http://" in self.line or "https://" in self.line: + line_before_value = self.line[:self.value_start] + if self.url_detect_regex.match(line_before_value): if self.variable: - self.variable = self.variable.split('&')[-1].split('?')[-1] + self.variable = self.variable.split('&')[-1].split('?')[-1].split(';')[-1] if self.value: - self.value = self.value.split('&')[0] + self.value = self.value.split('&')[0].split(';')[0] def clean_bash_parameters(self) -> None: """Split variable and value by bash special characters, if line assumed to be CLI command.""" diff --git a/credsweeper/filters/value_entropy_base64_check.py b/credsweeper/filters/value_entropy_base64_check.py index 99c6c069d..6dec39fe8 100644 --- a/credsweeper/filters/value_entropy_base64_check.py +++ b/credsweeper/filters/value_entropy_base64_check.py @@ -1,6 +1,6 @@ import math -from credsweeper.common.constants import Chars +from credsweeper.common.constants import Chars, ENTROPY_LIMIT_BASE64 from credsweeper.config import Config from credsweeper.credentials import LineData from credsweeper.file_handler.analysis_target import AnalysisTarget @@ -45,9 +45,14 @@ def get_min_data_entropy(x: int) -> float: y = 4.1 elif 32 == x: y = 4.4 - elif 12 <= x: + elif 12 <= x < 35: # logarithm base 2 - slow, but precise. Approximation does not exceed stdev y = 0.77 * math.log2(x) + 0.62 + elif 35 <= x < 60: + y = ENTROPY_LIMIT_BASE64 + elif 60 <= x: + # the entropy grows slowly after 60 + y = 5.0 else: y = 0 return y diff --git a/credsweeper/rules/config.yaml b/credsweeper/rules/config.yaml index fa1468906..8e087d95d 100644 --- a/credsweeper/rules/config.yaml +++ b/credsweeper/rules/config.yaml @@ -29,7 +29,7 @@ confidence: moderate type: pattern values: - - (?P[`'\"]?(?i:(?[`'\"(])?(?P(?-i:(?P[A-Z])|(?P[a-z])|(?P[0-9/_+=~!@#$%^&*;:?-])){4,31}(?(a)(?(b)(?(c)(\S|$)|(?!x)x)|(?!x)x)|(?!x)x))(?(quote)[)`'\"]) + - (?P[`'\"]?(?i:(?[`'\"(])?(?P(?-i:(?P[A-Z])|(?P[a-z])|(?P[0-9/_+=~!@#$%^&*;:?-])){8,31}(?(a)(?(b)(?(c)(\S|$)|(?!x)x)|(?!x)x)|(?!x)x))(?(quote)[)`'\"]) filter_type: - ValueAllowlistCheck - ValuePatternCheck @@ -56,7 +56,7 @@ confidence: moderate type: pattern values: - - (^|\s|(?P(?i:\bip[\s/]+id[\s/]+pw[\s/:]*))|(?P://))(?P[0-2]?[0-9]{1,2}\.[0-2]?[0-9]{1,2}\.[0-2]?[0-9]{1,2}\.[0-2]?[0-9]{1,2})((\s*\()?|(?(variable)[\s,/]+|(?(url)[,]|[,/])))\s*\w[\w.-]{3,80}[\s,/]+(?P(?(url)(?-i:(?P[A-Z])|(?P[a-z])|(?P[0-9_+=~!@#$%^&*;?-])){4,31}(?(a)(?(b)(?(c)(\S|$)|(?!x)x)|(?!x)x)|(?!x)x)|(?-i:(?P[A-Z])|(?P[a-z])|(?P[0-9/_+=~!@#$%^&*;?-])){4,31}(?(e)(?(f)(?(g)(\S|$)|(?!x)x)|(?!x)x)|(?!x)x)))(?:\s|[^/]|$) + - (^|\s|(?P(?i:\bip[\s/]+id[\s/]+pw[\s/:]*))|(?P://))(?P[0-2]?[0-9]{1,2}\.[0-2]?[0-9]{1,2}\.[0-2]?[0-9]{1,2}\.[0-2]?[0-9]{1,2})((\s*\()?|(?(variable)[\s,/]+|(?(url)[,]|[,/])))\s*\w[\w.-]{3,80}[\s,/]+(?P(?(url)(?-i:(?P[A-Z])|(?P[a-z])|(?P[0-9_+=~!@#$%^&*;?-])){7,31}(?(a)(?(b)(?(c)(\S|$)|(?!x)x)|(?!x)x)|(?!x)x)|(?-i:(?P[A-Z])|(?P[a-z])|(?P[0-9/_+=~!@#$%^&*;?-])){7,31}(?(e)(?(f)(?(g)(\S|$)|(?!x)x)|(?!x)x)|(?!x)x)))(?:\s|[^/]|$) filter_type: - ValueAllowlistCheck - ValuePatternCheck @@ -280,7 +280,7 @@ type: multi values: - (?P[0-9]{3,80}-[0-9a-z_]{32}\.apps\.googleusercontent\.com) - - \b(?PGOCSPX-[0-9A-Za-z_-]{28}|((?P[A-Z])|(?P[a-z])|(?P[0-9_-])){24}(?(a)(?(b)(?(c)\b|(?!x)x)|(?!x)x)|(?!x)x)) + - \b(?PGOCSPX-[0-9A-Za-z_-]{28}|((?P[A-Z])|(?P[a-z])|(?P[0-9_-])){24,80}(?(a)(?(b)(?(c)\b|(?!x)x)|(?!x)x)|(?!x)x)) filter_type: GeneralPattern validations: - GoogleMultiValidation @@ -672,7 +672,7 @@ confidence: moderate type: keyword values: - - auth(?!(or|ors)(?!i[tz])) + - auth(?!ors?(?!i[tz])) filter_type: GeneralKeyword use_ml: true min_line_len: 12 diff --git a/credsweeper/secret/config.json b/credsweeper/secret/config.json index 8f25f733d..8c5a9442b 100644 --- a/credsweeper/secret/config.json +++ b/credsweeper/secret/config.json @@ -43,6 +43,7 @@ ".pak", ".png", ".pptx", + ".psd", ".pyc", ".pyd", ".pyo", diff --git a/tests/__init__.py b/tests/__init__.py index d7f012126..669ba3190 100644 --- a/tests/__init__.py +++ b/tests/__init__.py @@ -7,14 +7,14 @@ NEGLIGIBLE_ML_THRESHOLD = 0.00001 # credentials count after scan -SAMPLES_CRED_COUNT: int = 409 -SAMPLES_CRED_LINE_COUNT: int = 426 +SAMPLES_CRED_COUNT: int = 412 +SAMPLES_CRED_LINE_COUNT: int = 429 # credentials count after post-processing -SAMPLES_POST_CRED_COUNT: int = 394 +SAMPLES_POST_CRED_COUNT: int = 397 # with option --doc -SAMPLES_IN_DOC = 402 +SAMPLES_IN_DOC = 404 # archived credentials that are not found without --depth SAMPLES_IN_DEEP_1 = SAMPLES_POST_CRED_COUNT + 21 diff --git a/tests/data/depth_3.json b/tests/data/depth_3.json index 75bee7e40..291004b97 100644 --- a/tests/data/depth_3.json +++ b/tests/data/depth_3.json @@ -259,6 +259,81 @@ } ] }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "VALIDATED_KEY", + "ml_probability": 0.99667, + "rule": "Auth", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "curl -H \"Authorization: Basic WxhZGRpVuc2VzYW1lbjYp12vcG\" http://localhost:8080/.", + "line_num": 8, + "path": "tests/samples/auth_n.template", + "info": "tests/samples/auth_n.template|RAW", + "value": "WxhZGRpVuc2VzYW1lbjYp12vcG", + "value_start": 30, + "value_end": 56, + "variable": "Authorization", + "entropy_validation": { + "iterator": "BASE64_CHARS", + "entropy": 4.085055102756476, + "valid": false + } + } + ] + }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "VALIDATED_KEY", + "ml_probability": 0.99711, + "rule": "Auth", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "curl -H \"Authorization: Bearer eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj\" http://localhost:8080/.", + "line_num": 9, + "path": "tests/samples/auth_n.template", + "info": "tests/samples/auth_n.template|RAW", + "value": "eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj", + "value_start": 31, + "value_end": 65, + "variable": "Authorization", + "entropy_validation": { + "iterator": "BASE36_CHARS", + "entropy": 3.2479906920322064, + "valid": true + } + } + ] + }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "VALIDATED_KEY", + "ml_probability": 0.99711, + "rule": "JSON Web Token", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "curl -H \"Authorization: Bearer eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj\" http://localhost:8080/.", + "line_num": 9, + "path": "tests/samples/auth_n.template", + "info": "tests/samples/auth_n.template|RAW", + "value": "eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj", + "value_start": 31, + "value_end": 65, + "variable": null, + "entropy_validation": { + "iterator": "BASE36_CHARS", + "entropy": 3.2479906920322064, + "valid": true + } + } + ] + }, { "api_validation": "NOT_AVAILABLE", "ml_validation": "NOT_AVAILABLE", diff --git a/tests/data/doc.json b/tests/data/doc.json index 77661e7f1..adc664b66 100644 --- a/tests/data/doc.json +++ b/tests/data/doc.json @@ -9714,6 +9714,31 @@ } ] }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "NOT_AVAILABLE", + "ml_probability": null, + "rule": "SECRET_PAIR", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "GI_REO_GI_FACEBOOK_TOKEN = \"EAACEdEose0cBAlGy7KeQ5Yna9Coup39tiYdoQ4jHF\"", + "line_num": 1, + "path": "tests/samples/facebook_key", + "info": "tests/samples/facebook_key|RAW", + "value": "EAACEdEose0cBAlGy7KeQ5Yna9Coup39tiYdoQ4jHF", + "value_start": 28, + "value_end": 70, + "variable": "TOKEN", + "entropy_validation": { + "iterator": "BASE64_CHARS", + "entropy": 4.766968315481371, + "valid": true + } + } + ] + }, { "api_validation": "NOT_AVAILABLE", "ml_validation": "NOT_AVAILABLE", @@ -10344,6 +10369,31 @@ } ] }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "NOT_AVAILABLE", + "ml_probability": null, + "rule": "SECRET_PAIR", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "\"https://example.com/api/js?key=dhd0lCQVFRZ0ViVnpmUGWxhQW9KQWwrLzZYdDJPNG1PQjYxMXNPaFJB&bug=true\"", + "line_num": 7, + "path": "tests/samples/key.hs", + "info": "tests/samples/key.hs|RAW", + "value": "dhd0lCQVFRZ0ViVnpmUGWxhQW9KQWwrLzZYdDJPNG1PQjYxMXNPaFJB", + "value_start": 32, + "value_end": 87, + "variable": "key", + "entropy_validation": { + "iterator": "BASE64_CHARS", + "entropy": 4.962822440640043, + "valid": true + } + } + ] + }, { "api_validation": "NOT_AVAILABLE", "ml_validation": "NOT_AVAILABLE", diff --git a/tests/data/ml_threshold.json b/tests/data/ml_threshold.json index c84e9cb19..389648435 100644 --- a/tests/data/ml_threshold.json +++ b/tests/data/ml_threshold.json @@ -174,6 +174,81 @@ } ] }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "VALIDATED_KEY", + "ml_probability": 0.99667, + "rule": "Auth", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "curl -H \"Authorization: Basic WxhZGRpVuc2VzYW1lbjYp12vcG\" http://localhost:8080/.", + "line_num": 8, + "path": "tests/samples/auth_n.template", + "info": "", + "value": "WxhZGRpVuc2VzYW1lbjYp12vcG", + "value_start": 30, + "value_end": 56, + "variable": "Authorization", + "entropy_validation": { + "iterator": "BASE64_CHARS", + "entropy": 4.085055102756476, + "valid": false + } + } + ] + }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "VALIDATED_KEY", + "ml_probability": 0.99711, + "rule": "Auth", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "curl -H \"Authorization: Bearer eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj\" http://localhost:8080/.", + "line_num": 9, + "path": "tests/samples/auth_n.template", + "info": "", + "value": "eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj", + "value_start": 31, + "value_end": 65, + "variable": "Authorization", + "entropy_validation": { + "iterator": "BASE36_CHARS", + "entropy": 3.2479906920322064, + "valid": true + } + } + ] + }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "VALIDATED_KEY", + "ml_probability": 0.99711, + "rule": "JSON Web Token", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "curl -H \"Authorization: Bearer eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj\" http://localhost:8080/.", + "line_num": 9, + "path": "tests/samples/auth_n.template", + "info": "", + "value": "eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj", + "value_start": 31, + "value_end": 65, + "variable": null, + "entropy_validation": { + "iterator": "BASE36_CHARS", + "entropy": 3.2479906920322064, + "valid": true + } + } + ] + }, { "api_validation": "NOT_AVAILABLE", "ml_validation": "NOT_AVAILABLE", diff --git a/tests/data/output.json b/tests/data/output.json index 210c5df2f..b32f55041 100644 --- a/tests/data/output.json +++ b/tests/data/output.json @@ -174,6 +174,81 @@ } ] }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "VALIDATED_KEY", + "ml_probability": 0.99667, + "rule": "Auth", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "curl -H \"Authorization: Basic WxhZGRpVuc2VzYW1lbjYp12vcG\" http://localhost:8080/.", + "line_num": 8, + "path": "tests/samples/auth_n.template", + "info": "", + "value": "WxhZGRpVuc2VzYW1lbjYp12vcG", + "value_start": 30, + "value_end": 56, + "variable": "Authorization", + "entropy_validation": { + "iterator": "BASE64_CHARS", + "entropy": 4.085055102756476, + "valid": false + } + } + ] + }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "VALIDATED_KEY", + "ml_probability": 0.99711, + "rule": "Auth", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "curl -H \"Authorization: Bearer eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj\" http://localhost:8080/.", + "line_num": 9, + "path": "tests/samples/auth_n.template", + "info": "", + "value": "eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj", + "value_start": 31, + "value_end": 65, + "variable": "Authorization", + "entropy_validation": { + "iterator": "BASE36_CHARS", + "entropy": 3.2479906920322064, + "valid": true + } + } + ] + }, + { + "api_validation": "NOT_AVAILABLE", + "ml_validation": "VALIDATED_KEY", + "ml_probability": 0.99711, + "rule": "JSON Web Token", + "severity": "medium", + "confidence": "moderate", + "line_data_list": [ + { + "line": "curl -H \"Authorization: Bearer eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj\" http://localhost:8080/.", + "line_num": 9, + "path": "tests/samples/auth_n.template", + "info": "", + "value": "eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj", + "value_start": 31, + "value_end": 65, + "variable": null, + "entropy_validation": { + "iterator": "BASE36_CHARS", + "entropy": 3.2479906920322064, + "valid": true + } + } + ] + }, { "api_validation": "NOT_AVAILABLE", "ml_validation": "NOT_AVAILABLE", diff --git a/tests/samples/auth_n.template b/tests/samples/auth_n.template index 47ef1bfa0..7d2418f51 100644 --- a/tests/samples/auth_n.template +++ b/tests/samples/auth_n.template @@ -4,3 +4,6 @@ authors = "Nobody John Doe" authors_info = "Nobody John Doe" AUTH_TOKEN= + +curl -H "Authorization: Basic WxhZGRpVuc2VzYW1lbjYp12vcG" http://localhost:8080/. +curl -H "Authorization: Bearer eyJGRpVu1c2VzY2-823r_db32hbf4W1lbj" http://localhost:8080/. diff --git a/tests/samples/doc_ip_id_password_triple b/tests/samples/doc_ip_id_password_triple index 969a4bcad..18e9fdf34 100644 --- a/tests/samples/doc_ip_id_password_triple +++ b/tests/samples/doc_ip_id_password_triple @@ -16,3 +16,5 @@ ifconfig eth0 192.168.0.1 netmask 255.255.255.0 Service(Standby) ip : 192.168.127.24(23591 port) ip : 192.168.142.42(21345 port) ip : 192.168.12.23(23827 port) 127.0.0.1/root/OTHER_ETC/job/OTHER_CPI6_COVERAGE/376/GCOV_32Coverage_32Report_12CAPI_42/ +FP# [Wi-Fi HotSpot] 5.2.0.299-WR220224U #Wi-Fi + diff --git a/tests/samples/doc_passwd_pair b/tests/samples/doc_passwd_pair index 0162df494..b2fc7e77e 100644 --- a/tests/samples/doc_passwd_pair +++ b/tests/samples/doc_passwd_pair @@ -56,3 +56,6 @@ FALSE: # password: keep empty 암호 : @@@hl@@@비번@@@endhl@@@ +FP# 10.0.0.1 8888 TLSv1.2 + + diff --git a/tests/test_main.py b/tests/test_main.py index 7e4961c54..a0514fa78 100644 --- a/tests/test_main.py +++ b/tests/test_main.py @@ -797,10 +797,19 @@ def test_param_n(self) -> None: def test_param_p(self) -> None: # internal parametrized tests for quick debug - items = [("test.template", b" STP_PASSWORD=qbgomdtpqch \\", "STP_PASSWORD", "qbgomdtpqch"), - ("accept.py", b"password='Ahga%$FiQ@Ei8'", "password", "Ahga%$FiQ@Ei8"), - ("test.template", b" NAMED_API_KEY=qii7t1m6423127xto389xc914l34451qz5135865564sg ", "NAMED_API_KEY", - "qii7t1m6423127xto389xc914l34451qz5135865564sg")] + items = [ # + ("prod.py", b"secret_api_key='Ah\\tga%$FiQ@Ei8'", "secret_api_key", "Ah\\tga%$FiQ@Ei8"), # + ("x.sh", b"connect 'odbc:proto://localhost:3289/connectrfs;user=admin1;password=bdsi73hsa;super=true", + "password", "bdsi73hsa"), # + ("main.sh", b" otpauth://totp/alice%40google.com?secretik=JK2XPEH0BYXA3DPP&digits=8 ", "secretik", + "JK2XPEH0BYXA3DPP"), # + ("test.template", b" STP_PASSWORD=qbgomdtpqch \\", "STP_PASSWORD", "qbgomdtpqch"), # + ("test.template", b" Authorization: OAuth qii7t1m6423127xto389xc914l34451qz5135865564sg", "Authorization", + "qii7t1m6423127xto389xc914l34451qz5135865564sg"), # + ("accept.py", b"password='Ahga%$FiQ@Ei8'", "password", "Ahga%$FiQ@Ei8"), # + ("test.template", b" NAMED_API_KEY=qii7t1m6423127xto389xc914l34451qz5135865564sg ", "NAMED_API_KEY", + "qii7t1m6423127xto389xc914l34451qz5135865564sg"), # + ] for file_name, data_line, variable, value in items: content_provider: AbstractProvider = FilesProvider([ (file_name, io.BytesIO(data_line)), From c99fef44ad760aacf9b5ce8bfcd314797cc99aac Mon Sep 17 00:00:00 2001 From: Roman Babenko Date: Mon, 20 May 2024 11:53:02 +0300 Subject: [PATCH 8/9] [BM] Category contains rules list (#553) * Slack Token upd * BM csores upd --- cicd/benchmark.txt | 509 ++++++++++++++++------------------ credsweeper/rules/config.yaml | 2 +- 2 files changed, 244 insertions(+), 267 deletions(-) diff --git a/cicd/benchmark.txt b/cicd/benchmark.txt index 90d2c9e44..ac4ea0af2 100644 --- a/cicd/benchmark.txt +++ b/cicd/benchmark.txt @@ -1,293 +1,270 @@ -DATA: 19171104 valid lines. MARKUP: 65191 items -Category Positives Negatives Template ------------------------------- ----------- ----------- ---------- -API 7 10 -AWS Multi 71 2 -Auth 10 50 -Authentication Credentials 155 2662 17 -Azure Access Token 6 -BASE64 encoded PEM Private Key 1 -Bitbucket Client ID 1 -Bitbucket Client Secret 2 -Certificate 6 14 -Credential 5 42 -Cryptographic Primitives 62 168 3 -Facebook Access Token 1 -Generic Secret 1392 29631 461 -Generic Token 467 3727 438 -Gitlab Feed Token 2 -Google API Key 1 -Google Multi 10 2 -IPv4 580 295 -IPv6 13 -Info 236 3359 -JSON Web Token 4 -Key 13 90 -Nonce 2 4 -Other 81 69 3 -PEM Private Key 10 4 -Password 2091 7356 3671 -Predefined Pattern 438 5284 7 -Private Key 1015 1479 -Secret 12 10 -Token 34 45 -URL Credentials 8 -TOTAL: 6733 54306 4600 -FileType FileNumber ValidLines Positives Negatives Template ---------------- ------------ ------------ ----------- ----------- ---------- - 197 36872 56 419 69 -.1 2 957 2 4 +DATA: 16998279 interested lines. MARKUP: 63222 items +FileType FileNumber ValidLines Positives Negatives Templates +--------------- ------------ ------------ ----------- ----------- ----------- + 194 28318 64 430 87 +.1 2 641 2 5 .admx 1 26 1 -.adoc 1 214 8 6 1 -.api 2 148 4 -.asciidoc 96 18086 38 341 23 +.adoc 1 158 11 6 1 +.api 2 118 4 +.asciidoc 96 14471 52 348 27 .axaml 5 286 6 -.backup 1 77 1 1 -.bash 2 3427 2 1 -.bat 4 280 1 10 2 -.bats 15 3238 6 45 9 -.bazel 3 477 8 +.backup 1 62 1 1 +.bash 2 2158 2 1 +.bat 4 233 1 13 2 +.bats 15 2804 8 56 9 +.bazel 3 424 8 .build 2 40 3 -.bundle 4 1512 442 -.bzl 3 2913 11 -.c 179 362133 15 949 5 -.cc 30 36227 621 1 -.cf 3 133 2 1 -.cfg 1 424 1 1 -.cjs 1 797 1 -.clj 2 140 2 -.cljc 5 2541 11 -.cls 2 819 5 -.cmd 4 462 2 3 -.cnf 8 882 13 35 19 -.coffee 1 626 2 -.conf 62 5799 57 60 46 -.config 20 508 8 28 1 -.cpp 15 7499 2 61 +.bundle 4 1512 570 +.bzl 3 2503 11 +.c 179 284009 16 940 5 +.cc 30 30656 624 1 +.cf 3 126 2 1 +.cfg 1 385 1 1 +.cjs 1 725 3 4 +.clj 2 133 2 +.cljc 5 2421 12 +.cls 1 657 1 +.cmd 4 401 2 3 +.cnf 8 858 18 46 18 +.coffee 1 585 2 +.conf 61 4954 61 74 48 +.config 20 492 16 33 1 +.cpp 15 5688 2 61 .creds 1 10 1 1 .crlf 1 27 1 -.crt 2 5124 206 -.cs 269 104694 62 872 96 -.cshtml 5 207 12 -.csp 3 447 9 +.crt 2 4979 253 +.cs 269 82442 120 912 94 +.cshtml 5 180 12 +.csp 3 379 11 .csproj 1 14 1 -.css 6 18309 10 +.css 6 13564 10 .csv 1 109 77 -.dart 2 25 2 -.deprecated 1 130 1 +.dart 2 22 2 +.deprecated 1 126 1 .development 1 5 1 -.diff 2 2910 8 1 -.dist 5 288 6 13 -.doc 1 2509 3 +.diff 2 2460 8 2 +.dist 5 257 7 13 +.doc 1 2489 3 .dockerfile 1 19 1 -.dot 1 161 6 -.eex 4 94 8 -.ejs 1 19 1 -.env 10 139 9 3 12 -.erb 13 420 27 -.erl 4 108 7 -.ex 25 6185 2 94 4 -.example 18 1915 54 31 50 -.exs 24 6070 3 183 4 -.ext 5 265 1 4 2 -.fsproj 1 76 1 -.g4 2 256 2 -.gd 1 38 1 -.gml 3 4011 16 -.gni 3 6340 17 -.go 1094 718594 587 4052 662 -.golden 5 1246 2 13 29 -.gradle 45 3830 2 88 59 -.graphql 8 575 1 13 -.graphqls 1 38 1 -.groovy 23 6840 23 212 1 -.h 11 2353 38 -.haml 9 200 16 -.hbs 4 108 7 -.hs 18 5072 33 60 4 -.html 57 30417 10 117 18 -.idl 2 841 4 -.iml 6 699 32 -.in 6 2190 4 46 7 -.inc 2 81 2 1 -.ini 11 1489 12 11 17 -.ipynb 1 210 4 -.j 1 329 2 -.j2 32 6327 9 175 10 -.java 625 178733 235 1324 148 -.jenkinsfile 1 78 1 6 +.dot 1 160 6 +.eex 4 74 8 +.ejs 1 13 1 +.env 10 136 11 3 17 +.erb 13 323 27 +.erl 4 96 8 +.ex 25 4968 3 105 5 +.example 17 1838 69 32 62 +.exs 24 4842 3 187 4 +.ext 5 211 1 4 2 +.fsproj 1 75 1 +.g4 2 201 2 +.gd 1 37 1 +.gml 3 3075 26 +.gni 3 5017 18 +.go 1084 569469 664 4351 709 +.golden 5 1168 1 14 29 +.gradle 45 3265 4 91 100 +.graphql 8 445 1 13 +.graphqls 1 30 1 +.groovy 23 5011 24 211 1 +.h 11 2038 38 +.haml 9 191 16 +.hbs 2 54 3 +.hs 17 4509 37 71 5 +.html 53 15327 14 115 18 +.idl 2 777 4 +.iml 6 699 38 +.in 6 2130 4 81 12 +.inc 2 56 2 1 +.ini 11 1437 24 12 18 +.ipynb 1 134 3 +.j 1 241 4 +.j2 31 5601 8 214 10 +.java 621 134132 311 1348 169 +.jenkinsfile 1 58 1 7 .jinja2 1 64 2 -.js 670 705907 356 2462 320 -.json 864 15057527 636 10658 121 -.jsp 13 4101 1 38 1 -.jsx 7 1162 19 -.jwt 6 8 6 -.key 83 2743 70 14 -.kt 125 26695 33 369 1 -.l 1 1082 2 -.las 1 7556 37 -.lasso 1 269 7 -.lasso9 1 192 5 +.js 658 536388 494 2628 338 +.json 860 13670750 817 10952 139 +.jsp 13 3202 1 42 +.jsx 7 857 19 +.jwt 6 8 7 +.key 83 2737 70 14 +.kt 123 20774 53 383 2 +.l 1 982 2 +.las 1 6656 48 +.lasso 1 230 7 +.lasso9 1 164 5 .ldif 2 286 20 -.ldiff 1 20 1 -.ldml 1 7556 37 +.ldiff 1 20 1 +.ldml 1 6656 48 .leex 1 9 2 .less 4 3023 12 -.libsonnet 2 324 1 11 -.list 2 15 2 -.lkml 1 44 1 -.lock 24 166499 42 -.log 2 200 2 89 -.lua 10 2367 3 37 3 -.m 17 17112 16 153 4 -.manifest 3 109 3 +.libsonnet 2 210 1 11 +.list 2 15 2 +.lkml 1 43 1 +.lock 24 160912 144 +.log 2 199 2 89 +.lua 10 1924 3 37 3 +.m 16 13358 8 147 3 +.manifest 3 102 3 .map 2 2 2 -.markdown 3 146 3 1 +.markdown 3 139 3 1 .markerb 3 12 3 -.marko 1 32 2 -.md 688 177717 603 2460 591 -.mdx 3 723 7 -.mjml 2 183 3 -.mjs 22 5853 85 309 -.mk 1 6406 13 -.ml 1 1994 16 -.mlir 2 1741 19 -.mod 2 100 4 -.moo 1 1732 26 -.mqh 1 1390 2 -.msg 1 26646 1 1 -.mysql 1 40 2 -.ndjson 2 5006 41 264 -.nix 4 280 1 12 +.marko 1 21 2 +.md 679 149755 785 2546 660 +.mdx 3 549 7 +.mjml 1 18 1 +.mjs 22 4424 108 310 +.mk 1 5878 16 +.ml 1 1856 24 +.mlir 2 1596 19 +.mod 2 96 4 +.moo 1 1404 26 +.mqh 1 1023 2 +.msg 1 26644 1 1 +.mysql 1 36 2 +.ndjson 2 5006 49 324 +.nix 4 211 12 .nolint 1 2 1 -.odd 1 1304 43 +.odd 1 1281 57 .oracle 1 9 1 .p8 4 64 4 -.pan 2 50 4 -.patch 4 131816 27 -.pbxproj 1 1104 1 +.pan 2 48 4 +.patch 4 109405 27 +.pbxproj 1 941 1 .pem 48 1169 47 8 -.php 374 109725 130 1667 67 -.pl 16 15748 6 34 1 -.pm 3 880 7 -.po 3 2996 15 -.pod 9 1921 7 22 -.pony 1 106 4 -.postinst 2 441 3 12 -.pp 10 687 16 -.ppk 1 46 36 +.php 371 75710 152 1833 62 +.pl 16 14727 6 47 +.pm 3 744 8 +.po 3 2994 15 +.pod 9 1859 8 25 +.pony 1 83 4 +.postinst 2 354 4 16 +.pp 10 563 23 +.ppk 1 45 37 .private 1 15 1 .proj 1 85 3 -.properties 48 1832 44 25 28 -.proto 5 6293 49 2 -.ps1 17 11125 64 2 -.ps1xml 1 5146 1 -.psm1 1 146 1 -.pug 3 379 3 -.purs 1 73 4 -.pxd 1 153 5 1 -.py 908 329128 550 3418 688 -.pyi 4 1418 9 -.pyp 1 193 1 -.pyx 2 1175 21 -.r 5 83 5 5 1 -.rake 2 66 2 -.rb 868 173874 222 3302 526 -.re 1 40 1 -.red 1 232 1 +.properties 48 1621 59 28 31 +.proto 5 5768 57 +.ps1 17 8618 69 2 +.ps1xml 1 5022 1 +.pug 2 193 2 +.purs 1 69 4 +.pxd 1 150 5 2 +.py 897 293354 661 3534 770 +.pyi 4 1361 9 +.pyp 1 167 1 +.pyx 2 1094 21 +.r 4 62 6 3 1 +.rake 2 51 2 +.rb 862 131917 239 3462 611 +.re 1 31 1 +.red 1 159 1 .release 1 13 4 -.response 1 26 2 -.resx 11 3552 155 -.rexx 1 123 3 -.rnh 1 1766 3 2 -.rno 1 7956 2 -.rrc 39 1404 281 -.rs 31 12604 2 228 11 -.rsc 1 748 1 -.rsp 16 7203 21 11 28 -.rst 90 36744 39 317 53 +.response 1 26 2 +.resx 11 3519 155 +.rexx 1 92 4 +.rnh 1 1354 3 2 +.rno 1 7229 2 +.rrc 39 1404 514 +.rs 31 9855 2 237 11 +.rsc 1 691 1 +.rsp 16 7101 23 11 28 +.rst 87 34151 62 360 67 .rules 1 6 2 -.sample 2 25 1 7 2 -.sbt 3 652 6 2 -.scala 40 6603 13 101 -.scss 16 10191 32 1 -.secrets 1 12 1 -.sh 144 27030 48 463 28 -.slim 1 174 1 2 -.sln 1 308 2 -.smali 1 814 12 -.snap 3 2390 1 32 2 -.spec 2 372 2 -.spin 1 636 1 -.sql 29 16638 25 570 4 -.storyboard 20 1808 339 -.strings 20 1280 121 -.stub 3 111 6 -.sublime-keymap 1 6 1 -.sum 43 23158 1128 -.svg 1 798 12 -.swift 6 373 13 -.t 9 1903 12 42 11 -.td 2 17425 6 -.template 19 2604 5 35 6 -.test 2 24 11 2 +.sample 2 25 1 7 4 +.sbt 3 570 7 2 +.scala 40 5071 13 102 +.scss 16 8553 32 1 +.secrets 1 11 1 +.sh 144 21573 63 474 30 +.slim 1 153 2 2 +.sln 1 306 2 +.smali 1 775 12 +.snap 3 1708 1 34 2 +.spec 2 332 2 +.spin 1 565 1 +.sql 28 15884 29 572 4 +.storyboard 20 1802 401 +.strings 20 1240 184 +.stub 3 84 6 +.sublime-keymap 1 3 1 +.sum 37 22854 283 +.svg 1 638 12 +.swift 6 278 16 +.t 9 1767 27 58 14 +.td 2 14002 6 +.template 19 1633 5 42 11 +.test 2 24 25 4 .testsettings 1 21 5 -.tf 21 1667 3 29 2 -.tfstate 4 407 19 10 -.tfvars 1 32 3 2 -.tl 2 2161 155 2 -.tmpl 5 345 3 9 -.token 1 1 2 -.toml 83 2566 30 73 123 -.tpl 1 50 1 -.travis 1 34 2 3 1 -.ts 585 141143 137 1761 195 -.tsx 55 13122 1 118 5 -.ttar 2 6526 8 3 -.txt 449 84341 1737 9483 42 -.utf8 1 79 2 +.tf 21 1377 3 32 2 +.tfstate 4 307 25 10 +.tfvars 1 31 3 3 +.tl 2 2161 165 2 +.tmpl 5 336 3 9 +.token 1 1 3 +.toml 83 2379 55 72 172 +.tpl 1 43 1 +.travis 1 34 4 3 1 +.ts 585 106846 169 1927 204 +.tsx 55 9846 1 128 5 +.ttar 2 6050 8 3 +.txt 444 78553 1826 14281 49 +.utf8 1 77 2 .vsixmanifest 1 36 1 .vsmdi 1 6 1 -.vue 50 10998 1 154 1 -.xaml 21 8230 152 +.vue 50 8736 1 183 1 +.xaml 21 8103 174 .xcscheme 1 109 6 -.xib 11 504 164 -.xml 9 693 9 -.xsl 1 315 1 -.yaml 152 23522 106 382 44 -.yml 461 42372 344 972 332 -.zsh 7 1109 13 -.zsh-theme 1 121 1 -TOTAL: 10477 19171104 6733 54306 4600 -credsweeper result_cnt : 6637, lost_cnt : 0, true_cnt : 5987, false_cnt : 650 -Category TP FP TN FN FPR FNR ACC PRC RCL F1 ------------------------------- ---- ---- -------- ---- -------- -------- -------- -------- -------- -------- -API 1 0 10 6 0.857143 0.647059 1.000000 0.142857 0.250000 -AWS Multi 71 1 1 0 0.500000 0.986301 0.986111 1.000000 0.993007 -Auth 6 0 50 4 0.400000 0.933333 1.000000 0.600000 0.750000 -Authentication Credentials 137 32 2647 18 0.011945 0.116129 0.982357 0.810651 0.883871 0.845679 -Azure Access Token 6 0 0 0 1.000000 1.000000 1.000000 1.000000 -BASE64 encoded PEM Private Key 1 0 0 0 1.000000 1.000000 1.000000 1.000000 -Bitbucket Client ID 1 0 0 0 1.000000 1.000000 1.000000 1.000000 -Bitbucket Client Secret 1 0 0 1 0.500000 0.500000 1.000000 0.500000 0.666667 -Certificate 2 0 14 4 0.666667 0.800000 1.000000 0.333333 0.500000 -Credential 4 0 42 1 0.200000 0.978723 1.000000 0.800000 0.888889 -Cryptographic Primitives 52 32 139 10 0.187135 0.161290 0.819742 0.619048 0.838710 0.712329 -Generic Secret 1283 49 30043 109 0.001628 0.078305 0.994982 0.963213 0.921695 0.941997 -Generic Token 429 23 4142 38 0.005522 0.081370 0.986831 0.949115 0.918630 0.933624 -Google API Key 1 0 0 0 1.000000 1.000000 1.000000 1.000000 -Google Multi 10 1 1 0 0.500000 0.916667 0.909091 1.000000 0.952381 -IPv4 580 294 1 0 0.996610 0.664000 0.663616 1.000000 0.797799 -IPv6 13 0 0 0 1.000000 1.000000 1.000000 1.000000 -Info 73 56 3303 163 0.016672 0.690678 0.939082 0.565891 0.309322 0.400000 -JSON Web Token 4 0 0 0 1.000000 1.000000 1.000000 1.000000 -Key 6 3 87 7 0.033333 0.538462 0.902913 0.666667 0.461538 0.545455 -Other 70 16 56 11 0.222222 0.135802 0.823529 0.813953 0.864198 0.838323 -PEM Private Key 0 2 2 10 0.500000 1.000000 0.142857 -Password 1759 122 10905 332 0.011064 0.158776 0.965391 0.935141 0.841224 0.885700 -Predefined Pattern 419 19 5272 19 0.003591 0.043379 0.993367 0.956621 0.956621 0.956621 -Private Key 1014 0 1479 1 0.000985 0.999599 1.000000 0.999015 0.999507 -Secret 11 0 10 1 0.083333 0.954545 1.000000 0.916667 0.956522 -Token 26 0 45 8 0.235294 0.898734 1.000000 0.764706 0.866667 -URL Credentials 7 0 0 1 0.125000 0.875000 1.000000 0.875000 0.933333 - 5987 650 19163721 746 0.000034 0.110798 0.999927 0.902064 0.889202 0.895587 +.xib 11 503 174 +.xml 9 689 9 +.xsl 1 311 1 +.yaml 149 20563 139 383 44 +.yml 418 36162 437 920 374 +.zsh 6 872 12 +.zsh-theme 1 97 1 +TOTAL: 10335 16998279 8097 60877 5159 +credsweeper result_cnt : 7520, lost_cnt : 0, true_cnt : 6817, false_cnt : 703 +Rules Positives Negatives Templates Reported TP FP TN FN FPR FNR ACC PRC RCL F1 +------------------------------ ----------- ----------- ----------- ---------- ---- ---- ----- ---- -------- -------- -------- -------- -------- -------- +API 117 3104 184 112 103 9 3279 14 0.002737 0.119658 0.993245 0.919643 0.880342 0.899563 +AWS Client ID 163 13 0 154 154 0 13 9 0.000000 0.055215 0.948864 1.000000 0.944785 0.971609 +AWS Multi 71 12 0 83 71 11 1 0 0.916667 0.000000 0.867470 0.865854 1.000000 0.928105 +AWS S3 Bucket 61 25 0 87 61 24 1 0 0.960000 0.000000 0.720930 0.717647 1.000000 0.835616 +Atlassian Old PAT token 27 211 3 10 3 7 207 24 0.032710 0.888889 0.871369 0.300000 0.111111 0.162162 +Auth 318 2750 87 308 269 39 2798 49 0.013747 0.154088 0.972108 0.873377 0.845912 0.859425 +Azure Access Token 19 0 0 0 0 0 19 1.000000 0.000000 0.000000 +BASE64 Private Key 7 2 0 7 7 0 2 0 0.000000 0.000000 1.000000 1.000000 1.000000 1.000000 +BASE64 encoded PEM Private Key 7 0 0 5 5 0 0 2 0.285714 0.714286 1.000000 0.714286 0.833333 +Bitbucket Client ID 147 1833 3 41 27 14 1822 120 0.007625 0.816327 0.932426 0.658537 0.183673 0.287234 +Bitbucket Client Secret 239 535 0 44 33 11 524 206 0.020561 0.861925 0.719638 0.750000 0.138075 0.233216 +Certificate 22 456 1 20 15 5 452 7 0.010941 0.318182 0.974948 0.750000 0.681818 0.714286 +Credential 31 130 74 29 29 0 204 2 0.000000 0.064516 0.991489 1.000000 0.935484 0.966667 +Docker Swarm Token 2 0 0 2 2 0 0 0 0.000000 1.000000 1.000000 1.000000 1.000000 +Dropbox App secret 62 112 0 45 37 7 105 25 0.062500 0.403226 0.816092 0.840909 0.596774 0.698113 +Facebook Access Token 0 1 0 0 0 1 0 0.000000 1.000000 +Firebase Domain 6 1 0 7 6 1 0 0 1.000000 0.000000 0.857143 0.857143 1.000000 0.923077 +Github Old Token 1 0 0 1 1 0 0 0 0.000000 1.000000 1.000000 1.000000 1.000000 +Gitlab Feed Token 189 465 89 61 47 13 541 142 0.023466 0.751323 0.791386 0.783333 0.248677 0.377510 +Gitlab Incoming Email Token 37 3 0 23 21 2 1 16 0.666667 0.432432 0.550000 0.913043 0.567568 0.700000 +Google API Key 10 1 0 12 10 1 0 0 1.000000 0.000000 0.909091 0.909091 1.000000 0.952381 +Google Multi 10 2 0 11 10 1 1 0 0.500000 0.000000 0.916667 0.909091 1.000000 0.952381 +Google OAuth Access Token 3 0 0 3 3 0 0 0 0.000000 1.000000 1.000000 1.000000 1.000000 +Grafana Provisioned API Key 22 1 0 1 1 0 1 21 0.000000 0.954545 0.086957 1.000000 0.045455 0.086957 +IPv4 691 365 0 1004 691 302 63 0 0.827397 0.000000 0.714015 0.695871 1.000000 0.820665 +IPv6 33 135 0 33 33 0 135 0 0.000000 0.000000 1.000000 1.000000 1.000000 1.000000 +JSON Web Token 284 10 2 280 272 8 4 12 0.666667 0.042254 0.932432 0.971429 0.957746 0.964539 +Jira / Confluence PAT token 0 4 0 0 0 4 0 0.000000 1.000000 +Jira 2FA 7 6 0 3 3 0 6 4 0.000000 0.571429 0.692308 1.000000 0.428571 0.600000 +Key 427 7871 462 452 389 61 8272 38 0.007320 0.088993 0.988699 0.864444 0.911007 0.887115 +Nonce 43 89 0 60 32 28 61 11 0.314607 0.255814 0.704545 0.533333 0.744186 0.621359 +PEM Private Key 1019 1483 0 1023 1019 4 1479 0 0.002697 0.000000 0.998401 0.996090 1.000000 0.998041 +Password 1902 7425 2675 1648 1554 94 10006 348 0.009307 0.182965 0.963173 0.942961 0.817035 0.875493 +Salt 42 72 2 42 38 4 70 4 0.054054 0.095238 0.931034 0.904762 0.904762 0.904762 +Secret 1353 29656 873 1264 1235 29 30500 118 0.000950 0.087214 0.995389 0.977057 0.912786 0.943829 +Seed 1 6 0 0 0 6 1 0.000000 1.000000 0.857143 0.000000 +Slack Token 4 1 0 4 4 0 1 0 0.000000 0.000000 1.000000 1.000000 1.000000 1.000000 +Token 553 3975 448 517 489 28 4395 64 0.006331 0.115732 0.981511 0.945841 0.884268 0.914019 +Twilio API Key 0 5 2 0 0 7 0 0.000000 1.000000 +URL Credentials 167 117 254 143 143 0 371 24 0.000000 0.143713 0.955390 1.000000 0.856287 0.922581 + 8097 60877 5159 7539 6817 703 60174 1280 0.011548 0.158083 0.971250 0.906516 0.841917 0.873023 diff --git a/credsweeper/rules/config.yaml b/credsweeper/rules/config.yaml index 8e087d95d..d2ebc89c3 100644 --- a/credsweeper/rules/config.yaml +++ b/credsweeper/rules/config.yaml @@ -524,7 +524,7 @@ confidence: strong type: pattern values: - - (?xox[a|b|p|r|o|s]\-[-a-zA-Z0-9]{10,250}) + - (?xox[aboprst]\-[-a-zA-Z0-9]{10,250}) filter_type: GeneralPattern validations: - SlackTokenValidation From 951f646518470c8f78bf100ff565a25c80f0b153 Mon Sep 17 00:00:00 2001 From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com> Date: Tue, 21 May 2024 11:10:43 +0300 Subject: [PATCH 9/9] --- (#556) updated-dependencies: - dependency-name: requests dependency-type: direct:production ... Signed-off-by: dependabot[bot] Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com> --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index d22d3fc1b..e35b7c73f 100644 --- a/requirements.txt +++ b/requirements.txt @@ -11,7 +11,7 @@ pandas==2.0.3 # ^ the version supports by python 3.8 PyYAML==6.0.1 python-docx==1.1.0 -requests==2.31.0 +requests==2.32.0 typing_extensions==4.9.0 whatthepatch==1.0.5 pdfminer.six==20231228