2014-01-25 70 views
0

我需要通過telnet連接到遠程服務器。爲了驗證服務器,我必須回答100個問題。所以我試圖在使用telnetlib的python中自動執行這個任務,但提示暫停而沒有返回任何消息。用quizz作爲登錄連接到python的telnet?

這裏是我在命令行提示符我得到這個消息

Welcome to EULER! 
================= 
Answer 100 simple questions to authenticate yourself 

那麼我在問一個問題做了

import telnetlib 

port = 2002 
host = "23.23.190.204" 

tn = telnetlib.Telnet(host, port) 
tn.read_until(""" 
Welcome to EULER! 
       ================= 
            Answer 100 simple questions to authenticate yourself 
""") 
print tn.read_all() 
tn.close() 

如果答案是正確的,我得到了下一個問題,直到我完成了100個。但在Python程序中,我既沒有收到消息,也沒有收到問題!該怎麼辦?

編輯:

設置Telnet的調試級別後,我得到了服務器的答案。你能解釋一下爲什麼?

tn.set_debuglevel(9) 

回答

2

這是使用netcat的(ncatNmap)假telnet服務器:在端口9000

$ ncat -l 9000 <msg.txt> log.txt 

上市並通過一個名爲msg.txt(問題)文件和日誌輸入到log.txt(中答案),它應該模擬你的服務器。

文件msg.txt內容:

Welcome to EULER! 
================= 
Answer 100 simple questions to authenticate yourself 
What is your name? 
How old are you? 
Do you use Python? 

十六進制文件內容(使用hexdump msg.txt):

00000000: 0A 57 65 6C 63 6F 6D 65 20 74 6F 20 45 55 4C 45 | Welcome to EULE| 
00000010: 52 21 0A 3D 3D 3D 3D 3D 3D 3D 3D 3D 3D 3D 3D 3D |R! =============| 
00000020: 3D 3D 3D 3D 0A 41 6E 73 77 65 72 20 31 30 30 20 |==== Answer 100 | 
00000030: 73 69 6D 70 6C 65 20 71 75 65 73 74 69 6F 6E 73 |simple questions| 
00000040: 20 74 6F 20 61 75 74 68 65 6E 74 69 63 61 74 65 | to authenticate| 
00000050: 20 79 6F 75 72 73 65 6C 66 0A 57 68 61 74 20 69 | yourself What i| 
00000060: 73 20 79 6F 75 72 20 6E 61 6D 65 3F 0A 48 6F 77 |s your name? How| 
00000070: 20 6F 6C 64 20 61 72 65 20 79 6F 75 3F 0A 44 6F | old are you? Do| 
00000080: 20 79 6F 75 20 75 73 65 20 50 79 74 68 6F 6E 3F | you use Python?| 
00000090: 0A            |    | 
00000091;             |    | 

通知換行字符,它的\x0A\n(也可以是\x0D\x0A\n\r)。

客戶端:

import telnetlib 

port = 9000 
host = "127.0.0.1" 

tn = telnetlib.Telnet(host, port) 
r = tn.read_until("""\nWelcome to EULER! 
================= 
Answer 100 simple questions to authenticate yourself\n""") 

tn.read_until("What is your name?\n") 
tn.write("foo\n") # The client sends `\n`, notice the server may expects `\n\r`. 
print("Question 1 answered.") 

tn.read_until("How old are you?\n") 
tn.write("100\n") 
print("Question 2 answered.") 

tn.read_until("Do you use Python?\n") 
tn.write("yep\n") 
print("Question 3 answered.") 

tn.close() 

現在讓我們測試,在客戶端:

$ python client.py 
Question 1 answered. 
Question 2 answered. 
Question 3 answered. 
$ 

在服務器端,轉儲日誌文件的內容:

$ ncat -l 9000 <msg.txt> log.txt 
$ 
$ cat log.txt # or `type log.txt` on windows 
foo 
100 
yep 

$ 
$ hexdump log.txt 
00000000: 66 6F 6F 0A 31 30 30 0A 79 65 70 0A    |foo 100 yep | 
0000000c; 
$ 

放它一起你應該明白這個主意。