6

これはstackoverflowでここで尋ねられる私の最初の質問であり、このコミュニティの一員になることを本当に楽しみにしています。私はプログラムに不慣れで、Pythonは多くの人に最も推奨された最初のプログラムでした。

とにかく。次のようなログファイルがあります。

"No.","Time","Source","Destination","Protocol","Info"
"1","0.000000","120.107.103.180","172.16.112.50","TELNET","Telnet Data ..." 
"2","0.000426","172.16.112.50","172.16.113.168","TELNET","Telnet Data ..." 
"3","0.019849","172.16.113.168","172.16.112.50","TCP","21582 > telnet [ACK]" 
"4","0.530125","172.16.113.168","172.16.112.50","TELNET","Telnet Data ..." 
"5","0.530634","172.16.112.50","172.16.113.168","TELNET","Telnet Data ..."

そして、Pythonを使用してログファイルを解析し、結果として次のように表示したいと思いました。

IP 135.13.216.191からプロトコル数:(IMF 1)(SMTP 38)(TCP 24)(合計:63)

リストを使用してリストまたは辞書/タプルをループする必要がある場合、この問題に取り組むためにどのような方法を取るべきかについて、本当に助けが必要ですか?

よろしくお願いします!

4

3 に答える 3

9

csv次のモジュールを使用してファイルを解析できます。

import csv

with open('logfile.txt') as logfile:
     for row in csv.reader(logfile):
         no, time, source, dest, protocol, info = row
         # do stuff with these

私はあなたが何を求めているのかよくわかりませんが、あなたが望むと思います:

import csv
from collections import defaultdict

# A dictionary whose values are by default (a
# dictionary whose values are by default 0)
bySource = defaultdict(lambda: defaultdict(lambda: 0))

with open('logfile.txt') as logfile:
     for row in csv.DictReader(logfile):
         bySource[row["Source"]][row["Protocol"]] += 1

for source, protocols in bySource.iteritems():
    protocols['Total'] = sum(protocols.values())

    print "From IP %s Protocol Count: %s" % (
        source,
        ' '.join("(%s: %d)" % item for item in protocols.iteritems())
    )
于 2012-10-24T20:12:46.313 に答える
1

まず、ファイルをリストに読み込みます。

contents = []
with open("file_path") as f:
    contents = f.readlines()

次に、各行を独自のリストに分割できます。

ips = [l[1:-1].split('","') for l in contents]

次に、これらをdictにマッピングできます。

sourceIps = {}
for ip in ips:
    try:
       sourceIps[ip[2]].append(ip)
    except:
       sourceIps[ip[2]] = [ip]

そして最後に結果を印刷します:

for ip, stuff in sourceIps.iteritems():
   print "From {0} ... ".format(ip, ...)
于 2012-10-24T20:13:44.820 に答える
0

まず、テキストファイルを読みます

# Open the file
file = open('log_file.csv')
# readlines() will return the data as a list of strings, one for each line
log_data = file.readlines()
# close the log file
file.close()

結果を保持するための辞書を設定する

results = {}

次に、データを一度に1行ずつ繰り返し、プロトコルを辞書に記録します。

for entry in log_data:
    entry_data = entry.split(',')
    # We are going to have a separate entry for each source ip
    # If we haven't already seen this ip, we need to make an entry for it
    if entry_data[2] not in results:
        results[entry_data[2]] = {'total':0}
    # Now check to see if we've seen the protocol for this ip before
    # If we haven't, add a new entry set to 0
    if entry_data[4] not in results[entry_data[2]]:
         results[entry_data[2]][entry_data[4]] = 0
    # Now we increment the count for this protocol
    results[entry_data[2]][entry_data[4]] += 1
    # And we increment the total count
    results[entry_data[2]]['total'] += 1

すべてをカウントしたら、カウントを繰り返して結果を印刷します

for ip in results:
    # Here we're printing a string with placeholders. the {0}, {1} and {2} will be filled
    # in by the call to format
    print "from: IP {0} Protocol Count: {1})".format(
        ip,
        # And finally create the value for the protocol counts with another format call
        # The square braces with the for statement inside create a list with one entry
        # for each entry, in this case, one entry for each protocol
        # We use ' '.join to join each of the counts with a string
        ' '.join(["({0}: {1})".format(protocol, results[ip][protocol] for protocol in results[ip])]))
于 2012-10-24T20:33:01.310 に答える