-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdroopy.py
executable file
·1117 lines (981 loc) · 49.8 KB
/
droopy.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# Droopy (http://stackp.online.fr/droopy)
# Copyright 2008-2010 (c) Pierre Duquesne <[email protected]>
# Licensed under the New BSD License.
# Changelog
# 20120421 * Added Directory create.. Thank you "someguy"
# 20120402 * Return success Message for iOS devices # Thank you "Reventlov"
# 20120401 * Input of chatbox from outside... extend modularisation
# 20120317 * MStrubel; no upload of index.html
# 20110314 * MStrubel; hostname as param
# 20110310 * MStrubel; Centraized PB-Chat and hostname :)
# 20110225 * Customized CSS and HTML for PirateBox with Chat
# * Added shoutbox iframes to maintmpl, successtmpl & errortmpl
# * Added favicon link to maintmpl, successtmpl & errortmpl
# 20101130 * CSS and HTML update. Switch to the new BSD License.
# 20100523 * Simplified Chinese translation by Ye Wei.
# 20100521 * Hungarian translation by Csaba Szigetvári.
# * Russian translation by muromec.
# * Use %APPDATA% Windows environment variable -- fix by Maik.
# 20091229 * Brazilian Portuguese translation by
# Carlos Eduardo Moreira dos Santos and Toony Poony.
# * IE layout fix by Carlos Eduardo Moreira dos Santos.
# * Galician translation by Miguel Anxo Bouzada.
# 20090721 * Indonesian translation by Kemas.
# 20090205 * Japanese translation by Satoru Matsumoto.
# * Slovak translation by CyberBoBaK.
# 20090203 * Norwegian translation by Preben Olav Pedersen.
# 20090202 * Korean translation by xissy.
# * Fix for unicode filenames by xissy.
# * Relies on 127.0.0.1 instead of "localhost" hostname.
# 20090129 * Serbian translation by kotnik.
# 20090125 * Danish translation by jan.
# 20081210 * Greek translation by n2j3.
# 20081128 * Slovene translation by david.
# * Romanian translation by Licaon.
# 20081022 * Swedish translation by David Eurenius.
# 20081001 * Droopy gets pretty (css and html rework).
# * Finnish translation by ipppe.
# 20080926 * Configuration saving and loading.
# 20080906 * Extract the file base name (some browsers send the full path).
# 20080905 * File is uploaded directly into the specified directory.
# 20080904 * Arabic translation by Djalel Chefrour.
# * Italian translation by fabius and d1s4st3r.
# * Dutch translation by Tonio Voerman.
# * Portuguese translation by Pedro Palma.
# * Turkish translation by Heartsmagic.
# 20080727 * Spanish translation by Federico Kereki.
# 20080624 * Option -d or --directory to specify the upload directory.
# 20080622 * File numbering to avoid overwriting.
# 20080620 * Czech translation by JiÅ™Ã.
# * German translation by Michael.
# 20080408 * First release.
import BaseHTTPServer
import SocketServer
import cgi
import os
import posixpath
import macpath
import ntpath
import sys
import getopt
import mimetypes
import copy
import shutil
import tempfile
import socket
import locale
import string
from pickle import load,dump
LOGO = '''\
_____
| \.----.-----.-----.-----.--.--.
| -- | _| _ | _ | _ | | |
|_____/|__| |_____|_____| __|___ |
|__| |_____|
'''
USAGE='''\
Usage: droopy [options] [PORT]
Options:
-h, --help show this help message and exit
-H, --hostname set hostname
-c, --chatbox include something
-m MESSAGE, --message MESSAGE set the message
-p PICTURE, --picture PICTURE set the picture
-d DIRECTORY, --directory DIRECTORY set the directory to upload files to
--save-config save options in a configuration file
--delete-config delete the configuration file and exit
-u True , --userdirs allow users to specify file subdirectory
Example:
droopy -m "Hi, this is Bob. You can send me a file." -p avatar.png
'''
picture = None
message = ""
port = 8003
directory = os.curdir
must_save_options = False
# 20110310 Hostname for links
hostname_pb = "piratebox.lan"
## User supplied subdirectory stuff
userdirs= False # disabled by default, overridden by command line
# where to store the password file for users
#password_file='/opt/piratebox/passwd'
password_file='/tmp/passwd'
# What name will be used if subdir isn't specified
# must be lower case
anondir="anonymous"
# If no subdir is specified, put in root (0), or anondir(1)?
useAnondir=1
userdirform='''
<br><A HREF="javascript:show('advanced_fields')">%(advanced)s</a>
<hr width="20%%">
<div height="150px">
<fieldset id="advanced_fields" style="hidden:true;display:none">
<br>%(userdirname)s <input name="subdir" type="textbox">
<p>%(userdirpassword)s <input name="secret" type="textbox">
</fieldset>
</div>
<br />
<br />
<br />
'''
# -- HTML templates
# 20110310 - Piratebox Chat template
piratebox_chat = '''
<iframe
height="400px"
width="50%%"
frameBorder="0"
scrolling="0"
style="position:absolute; top:190;right:25%%"
src="http://%(hostname)s:8002">
</iframe>
'''
style = '''<style type="text/css">
<!--
* {margin: 0; padding: 0;}
body {text-align: left; font-size: 1.0em; font-family: sans-serif;}
.box {padding-top:10px; padding-bottom:0px;}
#message {text-align: left; width: 310px;}
#sending {display: none;}
#wrapform {height: 40px;}
#progress {display: inline; border-collapse: separate; empty-cells: show;
border-spacing: 10px 0; padding: 0; vertical-align: bottom;}
#progress td {height: 10px; width: 13px; background-color: #eee;
border: 1px solid #aaa; padding: 0px;}
--></style>
<!--%(hostname)s-->
'''
userinfo = '''
<div class="box">%(htmlpicture)s</div>
<div id="message" class="box"> %(message)s </div>
'''
maintmpl = '''<html><head><LINK rel="shortcut icon" href="http://%(hostname)s:8001/favicon.ico" type="image/x-icon" /><title>%(maintitle)s</title>
''' + style + '''
<center>
''' + userinfo + '''
<script language="JavaScript">
function swap() {
document.getElementById("form").style.display = "none";
document.getElementById("sending").style.display = "block";
update();
}
function show(elem_id) {
elem = document.getElementById(elem_id);
if (elem) elem.style.display = 'block';
}
ncell = 4;
curcell = 0;
function update() {
setTimeout(update, 300);
e = document.getElementById("cell"+curcell);
e.style.backgroundColor = "#eee";
curcell = (curcell+1) %% ncell
e = document.getElementById("cell"+curcell);
e.style.backgroundColor = "#aaa";
}
function onunload() {
document.getElementById("form").style.display = "block";
document.getElementById("sending").style.display = "none";
}
</script></head>
<body>
%(linkurl)s
<div id="wrapform">
<div id="form" class="box">
<form method="post" enctype="multipart/form-data" action="">
<input name="upfile" type="file">
%(userdiropts)s
<input value="%(submit)s" onclick="swap()" type="submit">
</form>
</div>
<div id="sending" class="box"> %(sending)s
<table id="progress"><tr>
<td id="cell0"/><td id="cell1"/><td id="cell2"/><td id="cell3"/>
</tr></table>
</div>
</div>
%(pb_chat)s
</body></html>
'''
successtmpl = '''<html><head><LINK rel="shortcut icon" href="http://%(hostname)s:8001/favicon.ico" type="image/x-icon" /><title>%(successtitle)s</title>
''' + style + '''
</head>
<body>
<center>
''' + userinfo + '''
<div id="wrapform">
<div class="box">
%(received)s
<a href="/"> %(another)s </a>
</div>
</div>
%(pb_chat)s
</center>
</body>
</html>
'''
errortmpl = '''<html><head><LINK rel="shortcut icon" href="http://%(hostname)s:8001/favicon.ico" type="image/x-icon" /><title>%(errortitle)s</title>
''' + style + '''
</head>
<body>
<center>
''' + userinfo + '''
<div id="wrapform">
<div class="box">
%(problem)s
<a href="/"> %(retry)s </a>
</div>
</div>
%(pb_chat)s
</center>
</body>
</html>
'''
linkurltmpl = '''<div class="box">
<a href="http://stackp.online.fr/droopy-ip.php?port=%(port)d"> %(discover)s
</a></div>'''
# 20120402 Start
iostmpl = ''' <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 3.2//EN">
<HTML>
<HEAD>
<TITLE>Success</TITLE>
</HEAD>
<BODY>
Success
</BODY>
</HTML> '''
# 20120402
templates = { "ios": iostmpl, "main": maintmpl, "success": successtmpl, "error": errortmpl }
# 20120402 End
# -- Translations
ar = {"maintitle": u"إرسال ملÙ",
"submit": u"إرسال",
"sending": u"المل٠قيد الإرسال",
"successtitle": u"تم استقبال الملÙ",
"received": u"تم استقبال المل٠!",
"another": u"إرسال مل٠آخر",
"errortitle": u"مشكلة",
"problem": u"Øدثت مشكلة !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"إعادة المØاولة",
"discover": u"اكتشا٠عنوان هذه الصÙØØ©"}
cs = {"maintitle": u"Poslat soubor",
"submit": u"Poslat",
"sending": u"PosÃlám",
"successtitle": u"Soubor doruÄen",
"received": u"Soubor doruÄen !",
"another": u"Poslat dalšà soubor",
"errortitle": u"Chyba",
"problem": u"Stala se chyba !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Zkusit znova.",
"discover": u"Zjistit adresu stránky"}
da = {"maintitle": u"Send en fil",
"submit": u"Send",
"sending": u"Sender",
"successtitle": u"Fil modtaget",
"received": u"Fil modtaget!",
"another": u"Send en fil til.",
"errortitle": u"Problem",
"problem": u"Det er opstået en fejl!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Forsøg igen.",
"discover": u"Find adressen til denne side"}
de = {"maintitle": "Datei senden",
"submit": "Senden",
"sending": "Sendet",
"successtitle": "Datei empfangen",
"received": "Datei empfangen!",
"another": "Weitere Datei senden",
"errortitle": "Fehler",
"problem": "Ein Fehler ist aufgetreten!",
"subdirerror": "Problem beim Hochladen in dieses Verzeichnis:<br>Prüfe ob das Unterverzeichnis bereits existiert.<br>Benutzername und Passwort dürfen nur a-zA-Z0-9 beeinhalten.<br>Existiert das Verzeichnis und du verwendest nur die erlaubten Zeichen ist es wahrscheinlich, dass dein Passwort falsch eingegeben wurde.<p>",
"advanced": "Weitere Optionen",
"userdirname": "Name des Zielverzeichnisses ",
"userdirpassword": "Passwort zum Speichern in dieses Verzeichnis (optional)",
"retry": "Wiederholen",
"discover": "Internet-Adresse dieser Seite feststellen"}
el = {"maintitle": u"Στείλε Îνα αÏχείο",
"submit": u"Αποστολή",
"sending": u"ΑποστÎλλεται...",
"successtitle": u"Επιτυχής λήψη αÏχείου ",
"received": u"Λήψη αÏχείου ολοκληÏώθηκε",
"another": u"Στείλε άλλο Îνα αÏχείο",
"errortitle": u"Σφάλμα",
"problem": u"ΠαÏουσιάστηκε σφάλμα",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Επανάληψη",
"discover": u"Î’Ïες την διεÏθυνση της σελίδας"}
en = {"maintitle": "Send a file",
"submit": "Send",
"sending": "Sending",
"successtitle": "File received",
"received": "File received !",
"another": "Send another file.",
"errortitle": "Problem",
"problem": "There has been a problem !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": "Retry.",
"discover": "Discover the address of this page"}
es = {"maintitle": u"Enviar un archivo",
"submit": u"Enviar",
"sending": u"Enviando",
"successtitle": u"Archivo recibido",
"received": u"¡Archivo recibido!",
"another": u"Enviar otro archivo.",
"errortitle": u"Error",
"problem": u"¡Hubo un problema!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Reintentar",
"discover": u"Descubrir la dirección de esta página"}
fi = {"maintitle": u"Lähetä tiedosto",
"submit": u"Lähetä",
"sending": u"Lähettää",
"successtitle": u"Tiedosto vastaanotettu",
"received": u"Tiedosto vastaanotettu!",
"another": u"Lähetä toinen tiedosto.",
"errortitle": u"Virhe",
"problem": u"Virhe lahetettäessä tiedostoa!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Uudelleen.",
"discover": u"Näytä tämän sivun osoite"}
fr = {"maintitle": u"Envoyer un fichier",
"submit": u"Envoyer",
"sending": u"Envoi en cours",
"successtitle": u"Fichier reçu",
"received": u"Fichier reçu !",
"another": u"Envoyer un autre fichier.",
"errortitle": u"Problème",
"problem": u"Il y a eu un problème !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Réessayer.",
"discover": u"Découvrir l'adresse de cette page"}
gl = {"maintitle": u"Enviar un ficheiro",
"submit": u"Enviar",
"sending": u"Enviando",
"successtitle": u"Ficheiro recibido",
"received": u"Ficheiro recibido!",
"another": u"Enviar outro ficheiro.",
"errortitle": u"Erro",
"problem": u"XurdÃu un problema!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Reintentar",
"discover": u"Descubrir o enderezo desta páxina"}
hu = {"maintitle": u"Ãllomány küldése",
"submit": u"Küldés",
"sending": u"Küldés folyamatban",
"successtitle": u"Az állomány beérkezett",
"received": u"Az állomány beérkezett!",
"another": u"További állományok küldése",
"errortitle": u"Hiba",
"problem": u"Egy hiba lépett fel!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Megismételni",
"discover": u"Az oldal Internet-cÃmének megállapÃtása"}
id = {"maintitle": "Kirim sebuah berkas",
"submit": "Kirim",
"sending": "Mengirim",
"successtitle": "Berkas diterima",
"received": "Berkas diterima!",
"another": "Kirim berkas yang lain.",
"errortitle": "Permasalahan",
"problem": "Telah ditemukan sebuah kesalahan!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": "Coba kembali.",
"discover": "Kenali alamat IP dari halaman ini"}
it = {"maintitle": u"Invia un file",
"submit": u"Invia",
"sending": u"Invio in corso",
"successtitle": u"File ricevuto",
"received": u"File ricevuto!",
"another": u"Invia un altro file.",
"errortitle": u"Errore",
"problem": u"Si è verificato un errore!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Riprova.",
"discover": u"Scopri l’indirizzo di questa pagina"}
ja = {"maintitle": u"ファイルé€ä¿¡",
"submit": u"é€ä¿¡",
"sending": u"é€ä¿¡ä¸",
"successtitle": u"å—信完了",
"received": u"ファイルをå—ä¿¡ã—ã¾ã—ãŸï¼",
"another": u"ä»–ã®ãƒ•ã‚¡ã‚¤ãƒ«ã‚’é€ä¿¡ã™ã‚‹",
"errortitle": u"å•é¡Œç™ºç”Ÿ",
"problem": u"å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸï¼",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"リトライ",
"discover": u"ã“ã®ãƒšãƒ¼ã‚¸ã®ã‚¢ãƒ‰ãƒ¬ã‚¹ã‚’確èªã™ã‚‹"}
ko = {"maintitle": u"íŒŒì¼ ë³´ë‚´ê¸°",
"submit": u"보내기",
"sending": u"보내는 중",
"successtitle": u"파ì¼ì´ 받아졌습니다",
"received": u"파ì¼ì´ 받아졌습니다!",
"another": u"다른 íŒŒì¼ ë³´ë‚´ê¸°",
"errortitle": u"ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤",
"problem": u"ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"다시 ì‹œë„",
"discover": u"ì´ íŽ˜ì´ì§€ 주소 알아보기"}
nl = {"maintitle": "Verstuur een bestand",
"submit": "Verstuur",
"sending": "Bezig met versturen",
"successtitle": "Bestand ontvangen",
"received": "Bestand ontvangen!",
"another": "Verstuur nog een bestand.",
"errortitle": "Fout",
"problem": "Er is een fout opgetreden!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": "Nog eens.",
"discover": "Vind het adres van deze pagina"}
no = {"maintitle": u"Send en fil",
"submit": u"Send",
"sending": u"Sender",
"successtitle": u"Fil mottatt",
"received": u"Fil mottatt !",
"another": u"Send en ny fil.",
"errortitle": u"Feil",
"problem": u"Det har skjedd en feil !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Send på nytt.",
"discover": u"Finn addressen til denne siden"}
pt = {"maintitle": u"Enviar um ficheiro",
"submit": u"Enviar",
"sending": u"A enviar",
"successtitle": u"Ficheiro recebido",
"received": u"Ficheiro recebido !",
"another": u"Enviar outro ficheiro.",
"errortitle": u"Erro",
"problem": u"Ocorreu um erro !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Tentar novamente.",
"discover": u"Descobrir o endereço desta página"}
pt_br = {
"maintitle": u"Enviar um arquivo",
"submit": u"Enviar",
"sending": u"Enviando",
"successtitle": u"Arquivo recebido",
"received": u"Arquivo recebido!",
"another": u"Enviar outro arquivo.",
"errortitle": u"Erro",
"problem": u"Ocorreu um erro!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Tentar novamente.",
"discover": u"Descobrir o endereço desta página"}
ro = {"maintitle": u"Trimite un fiÅŸier",
"submit": u"Trimite",
"sending": u"Se trimite",
"successtitle": u"Fişier recepţionat",
"received": u"Fişier recepţionat !",
"another": u"Trimite un alt fiÅŸier.",
"errortitle": u"Problemă",
"problem": u"A intervenit o problemă !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Reîncearcă.",
"discover": u"Descoperă adresa acestei pagini"}
ru = {"maintitle": u"Отправить файл",
"submit": u"Отправить",
"sending": u"ОтправлÑÑŽ",
"successtitle": u"Файл получен",
"received": u"Файл получен !",
"another": u"Отправить другой файл.",
"errortitle": u"Ошибка",
"problem": u"Произошла ошибка !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Повторить.",
"discover": u"ПоÑмотреть Ð°Ð´Ñ€ÐµÑ Ñтой Ñтраницы"}
sk = {"maintitle": u"Pošli súbor",
"submit": u"Pošli",
"sending": u"Posielam",
"successtitle": u"Súbor prijatý",
"received": u"Súbor prijatý !",
"another": u"PoslaÅ¥ ÄalÅ¡Ã súbor.",
"errortitle": u"Chyba",
"problem": u"Vyskytla sa chyba!",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Skúsiť znova.",
"discover": u"Zisti adresu tejto stránky"}
sl = {"maintitle": u"Pošlji datoteko",
"submit": u"Pošlji",
"sending": u"Pošiljam",
"successtitle": u"Datoteka prejeta",
"received": u"Datoteka prejeta !",
"another": u"Pošlji novo datoteko.",
"errortitle": u"Napaka",
"problem": u"Prišlo je do napake !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Poizkusi ponovno.",
"discover": u"PoiÅ¡Äi naslov na tej strani"}
sr = {"maintitle": u"Pošalji fajl",
"submit": u"Pošalji",
"sending": u"Å aljem",
"successtitle": u"Fajl primljen",
"received": u"Fajl primljen !",
"another": u"Pošalji još jedan fajl.",
"errortitle": u"Problem",
"problem": u"Desio se problem !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Pokušaj ponovo.",
"discover": u"Otkrij adresu ove stranice"}
sv = {"maintitle": u"Skicka en fil",
"submit": u"Skicka",
"sending": u"Skickar...",
"successtitle": u"Fil mottagen",
"received": u"Fil mottagen !",
"another": u"Skicka en fil till.",
"errortitle": u"Fel",
"problem": u"Det har uppstått ett fel !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Försök igen.",
"discover": u"Ta reda på adressen till denna sida"}
tr = {"maintitle": u"Dosya gönder",
"submit": u"Gönder",
"sending": u"Gönderiliyor...",
"successtitle": u"Gönderildi",
"received": u"Gönderildi",
"another": u"Başka bir dosya gönder.",
"errortitle": u"Problem.",
"problem": u"Bir problem oldu !",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"Yeniden dene.",
"discover": u"Bu sayfanın adresini bul"}
zh_cn = {
"maintitle": u"å‘é€æ–‡ä»¶",
"submit": u"å‘é€",
"sending": u"å‘é€ä¸",
"successtitle": u"文件已收到",
"received": u"文件已收到ï¼",
"another": u"å‘é€å¦ä¸€ä¸ªæ–‡ä»¶ã€‚",
"errortitle": u"问题",
"problem": u"出现问题ï¼",
"subdirerror": "There is a problem uploading to that subdirectory.<br> Check if that subdirectory already exits.<br> If it does not, make sure you are only using characters a-zA-Z0-9 for the username and password. <br>If the directory exists and the characters are valid, you probably are using the wrong password<p>",
"advanced": "advanced options",
"userdirname": "Name of directory to place files in ",
"userdirpassword": "Password for saving files to that directory (optional)",
"retry": u"é‡è¯•ã€‚",
"discover": u"查看本页é¢çš„地å€"}
translations = {"ar": ar, "cs": cs, "da": da, "de": de, "el": el, "en": en,
"es": es, "fi": fi, "fr": fr, "gl": gl, "hu": hu, "id": id,
"it": it, "ja": ja, "ko": ko, "nl": nl, "no": no, "pt": pt,
"pt-br": pt_br, "ro": ro, "ru": ru, "sk": sk, "sl": sl,
"sr": sr, "sv": sv, "tr": tr, "zh-cn": zh_cn}
class DroopyFieldStorage(cgi.FieldStorage):
"""The file is created in the destination directory and its name is
stored in the tmpfilename attribute.
"""
def make_file(self, binary=None):
fd, name = tempfile.mkstemp(dir=directory)
self.tmpfile = os.fdopen(fd, 'w+b')
self.tmpfilename = name
return self.tmpfile
class HTTPUploadHandler(BaseHTTPServer.BaseHTTPRequestHandler):
protocol_version = 'HTTP/1.0'
form_field = 'upfile'
def _safername(self,name):
""" Checking whether we can make a directory-name out of this name
Thanks to stackoverflow, Vinko Vrsalovic
"""
valid_chars = frozenset("-_() %s%s" % (string.letters, string.digits))
name2 = ''.join(c for c in name if c in valid_chars)
if len(name) == 0:
return anondir
if name2 == name:
return name.encode('utf8')
else:
print('WARNING: name too complex; try %s'%name2)
return False
def _mkuserpath(self,userdir,filename):
mydir = directory + "/" + userdir
if (os.path.exists(mydir)):
localpath = os.path.join(mydir, filename).encode('utf-8')
else:
try:
os.mkdir(mydir)
except IOError:
print ("can't make directory")
else:
localpath = os.path.join(mydir, filename).encode('utf-8')
return localpath
def _login(self,subdir, passwd ):
""" Allow user to provide subdirectory & write access password.
This offers little security, but helps organization
returns success,NAME
"""
name = self._safername( subdir.lower() )
password = passwd #safename( passwd )
if (name == "" or name == anondir) :
return (True, anondir ) # don't let people set password on anon
try:
pairs = load(open(password_file))
except IOError:
print('WARNING: No password file found. Starting from scratch.')
pairs = {}
if name in pairs:
if pairs[name] == password:
return True,name
else:
print('ERROR: wrong password')
return False,"BadPassword"
else:
print('INFO: Adding subdir %s to the system'%name)
pairs[name] = password
dump(pairs, open(password_file, 'w'))
return True,name
def html(self, page , errormsg=""):
"""
page can be "main", "success", or "error"
errormsg is optional, more specific error name
returns an html page (in the appropriate language) as a string
"""
# -- Parse accept-language header
if not self.headers.has_key("accept-language"):
a = []
else:
a = self.headers["accept-language"]
a = a.split(',')
a = [e.split(';q=') for e in a]
a = [(lambda x: len(x)==1 and (1, x[0]) or
(float(x[1]), x[0])) (e) for e in a]
a.sort()
a.reverse()
a = [x[1] for x in a]
# now a is an ordered list of preferred languages
# -- Choose the appropriate translation dictionary (default is english)
lang = "en"
for l in a:
if translations.has_key(l):
lang = l
break
dico = copy.copy(translations[lang])
# -- Set message and picture
dico["message"] = message
if picture != None:
dico["htmlpicture"] = '<img src="/%s"/>'% os.path.basename(picture)
else:
dico["htmlpicture"] = ""
# -- Add a link to discover the url
if self.client_address[0] == "127.0.0.1":
dico["port"] = self.server.server_port
dico["linkurl"] = linkurltmpl % dico
else:
dico["linkurl"] = ""
# 20110314 Start - add hostname in template var
dico["hostname"] = hostname_pb
dico["pb_chat"] = piratebox_chat
# 20110314 End
if(userdirs == True):
dico["userdiropts"] = userdirform % dico
else:
dico["userdiropts"] = ''
if (errormsg != ""):
if dico[errormsg]:
dico["problem"]=dico[errormsg]
return templates[page] % dico
def do_GET(self):
if picture != None and self.path == '/' + os.path.basename(picture):
# send the picture
self.send_response(200)
self.send_header('Content-type', mimetypes.guess_type(picture)[0])
self.end_headers()
self.wfile.write(open(picture, 'rb').read())
# 20120402 Start
elif self.path == '/library/test/success.html':
self.send_html(self.html("ios"))
# 20120402 End
else:
self.send_html(self.html("main"))
def do_POST(self):
# Do some browsers /really/ use multipart ? maybe Opera ?
try:
self.log_message("Started file transfer")
# -- Set up environment for cgi.FieldStorage
env = {}
env['REQUEST_METHOD'] = self.command
if self.headers.typeheader is None:
env['CONTENT_TYPE'] = self.headers.type
else:
env['CONTENT_TYPE'] = self.headers.typeheader
# -- Save file (numbered to avoid overwriting, ex: foo-3.png)
form = DroopyFieldStorage(fp = self.rfile, environ = env);
fileitem = form[self.form_field]
filename = self.basename(fileitem.filename).decode('utf-8')
if filename == "":
self.send_response(303)
self.send_header('Location', '/')
self.end_headers()
return
#20120317 Start
if filename.lower() == "index.html" or filename.lower() == "index.htm":
self.send_response(303)
self.send_header('Location', '/')
self.end_headers()
return
#20120317 End
#--- Directory Handling Start
localpath=''
if (userdirs == True ):
subdir = form['subdir'].value
passwd = form['secret'].value
success,userdir=self._login(subdir, passwd )
if success == False:
self.send_html(self.html("error","subdirerror"))
os.unlink(fileitem.tmpfilename)
return
else:
if (userdir == anondir or userdir == ''):
if ( useAnondir == 0):
localpath = None
else:
localpath=self._mkuserpath(anondir,filename)
else:
localpath=self._mkuserpath(userdir,filename)
if (localpath == None or localpath == ''):
localpath = os.path.join(directory, filename).encode('utf-8')
#--- directory handling end
root, ext = os.path.splitext(localpath)
i = 1
# race condition, but hey...
while (os.path.exists(localpath)):
localpath = "%s-%d%s" % (root, i, ext)
i = i+1
if hasattr(fileitem, 'tmpfile'):
# DroopyFieldStorage.make_file() has been called
fileitem.tmpfile.close()
shutil.move(fileitem.tmpfilename, localpath)
else:
# no temporary file, self.file is a StringIO()
# see cgi.FieldStorage.read_lines()
fout = file(localpath, 'wb')
shutil.copyfileobj(fileitem.file, fout)
fout.close()
self.log_message("Received: %s", os.path.basename(localpath))
# -- Reply
self.send_html(self.html("success"))
except Exception, e:
self.log_message(repr(e))
self.send_html(self.html("error"))
def send_html(self, htmlstr):
self.send_response(200)
self.send_header('Content-type','text/html; charset=utf-8')
self.end_headers()
self.wfile.write(htmlstr.encode('utf-8'))
def basename(self, path):
"""Extract the file base name (some browsers send the full file path).
"""
for mod in posixpath, macpath, ntpath:
path = mod.basename(path)
return path
def handle(self):
try:
BaseHTTPServer.BaseHTTPRequestHandler.handle(self)
except socket.error, e:
self.log_message(str(e))
raise Abort()
class Abort(Exception): pass
class ThreadedHTTPServer(SocketServer.ThreadingMixIn,
BaseHTTPServer.HTTPServer):
def handle_error(self, request, client_address):
# Override SocketServer.handle_error
exctype = sys.exc_info()[0]
if not exctype is Abort:
BaseHTTPServer.HTTPServer.handle_error(self,request,client_address)
# -- Options
def configfile():
appname = 'droopy'
# os.name is 'posix', 'nt', 'os2', 'mac', 'ce' or 'riscos'
if os.name == 'posix':
filename = "%s/.%s" % (os.environ["HOME"], appname)
elif os.name == 'mac':
filename = ("%s/Library/Application Support/%s" %
(os.environ["HOME"], appname))
elif os.name == 'nt':
filename = ("%s\%s" % (os.environ["APPDATA"], appname))
else:
filename = None
return filename
def save_options():
opt = []
if message:
opt.append('--message=%s' % message.replace('\n', '\\n'))
if picture:
opt.append('--picture=%s' % picture)
if directory:
opt.append('--directory=%s' % directory)
if port:
opt.append('%d' % port)
f = open(configfile(), 'w')
f.write('\n'.join(opt).encode('utf8'))
f.close()