Fixing issues with serialization
[nepi.git] / src / nepi / data / processing / ccn / parser.py
1 #!/usr/bin/env python
2
3 ###############################################################################
4 #
5 #    CCNX benchmark
6 #    Copyright (C) 2014 INRIA
7 #
8 #    This program is free software: you can redistribute it and/or modify
9 #    it under the terms of the GNU General Public License as published by
10 #    the Free Software Foundation, either version 3 of the License, or
11 #    (at your option) any later version.
12 #
13 #    This program is distributed in the hope that it will be useful,
14 #    but WITHOUT ANY WARRANTY; without even the implied warranty of
15 #    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
16 #    GNU General Public License for more details.
17 #
18 #    You should have received a copy of the GNU General Public License
19 #    along with this program.  If not, see <http://www.gnu.org/licenses/>.
20 #
21 #
22 # Author: Alina Quereilhac <alina.quereilhac@inria.fr>
23 #
24 ###############################################################################
25
26 #
27 # This library contains functions to parse (CCNx) ccnd logs.
28 #
29 # Results from experiments must be stored in a directory
30 # named with the experiment run id.
31 # ccnd logs are stored in .log files in a subdirectory per node.
32 # The following diagram exemplifies the experiment result directory
33 # structure (nidi is the unique identifier assigned to node i):
34 #
35 #    run_id
36 #               \   nid1
37 #                        \ nid2.log
38 #               \   nid2
39 #                        \ nid1.log
40 #               \   nid3
41 #                        \ nid3.log
42 #
43
44 import collections
45 import functools
46 import networkx
47 import os
48 import pickle
49 import tempfile
50
51 from nepi.util.timefuncs import compute_delay_ms
52 from nepi.util.statfuncs import compute_mean
53 import nepi.data.processing.ping.parser as ping_parser
54
55 def is_control(content_name):
56     return content_name.startswith("ccnx:/%C1") or \
57             content_name.startswith("ccnx:/ccnx") or \
58             content_name.startswith("ccnx:/...")
59
60
61 def parse_file(filename):
62     """ Parses message information from ccnd log files
63
64         filename: path to ccndlog file
65
66     """
67
68     faces = dict()
69     sep = " "
70
71     f = open(filename, "r")
72
73     data = []
74
75     for line in f:
76         cols =  line.strip().split(sep)
77
78         # CCN_PEEK
79         # MESSAGE interest_from
80         # 1374181938.808523 ccnd[9245]: debug.4352 interest_from 6 ccnx:/test/bunny.ts (23 bytes,sim=0CDCC1D7)
81         #
82         # MESSAGE interest_to
83         # 1374181938.812750 ccnd[9245]: debug.3502 interest_to 5 ccnx:/test/bunny.ts (39 bytes,i=2844,sim=0CDCC1D7)
84         #
85         # MESSAGE CONTENT FROM
86         # 1374181938.868682 ccnd[9245]: debug.4643 content_from 5 ccnx:/test/bunny.ts/%FD%05%1E%85%8FVw/%00/%9E%3D%01%D9%3Cn%95%2BvZ%8
87         #
88         # MESSAGE CONTENT_TO
89         # 1374181938.868772 ccnd[9245]: debug.1619 content_to 6 ccnx:/test/bunny.ts/%FD%05%1E%85%8FVw/%00/%9E%3D%01%D9%3Cn%95%2BvZ%8
90         #
91         # 1375596708.222304 ccnd[9758]: debug.3692 interest_expiry ccnx:/test/bunny.ts/%FD%05%1E%86%B1GS/%00%0A%F7 (44 bytes,c=0:1,i=2819,sim=49FA8048)
92
93         # External face creation
94         # 1374181452.965961 ccnd[9245]: accepted datagram client id=5 (flags=0x40012) 204.85.191.10 port 9695
95
96         if line.find("accepted datagram client") > -1:
97             face_id = (cols[5]).replace("id=",'')
98             ip = cols[7] 
99             port = cols[9]
100             faces[face_id] = (ip, port)
101             continue
102
103         # 1374181452.985296 ccnd[9245]: releasing face id 4 (slot 4)
104         if line.find("releasing face id") > -1:
105             face_id = cols[5]
106             if face_id in faces:
107                 del faces[face_id]
108             continue
109
110         if len(cols) < 6:
111             continue
112
113         timestamp = cols[0]
114         message_type = cols[3]
115
116         if message_type not in ["interest_from", "interest_to", "content_from", 
117                 "content_to", "interest_dupnonce", "interest_expiry"]:
118             continue
119
120         face_id = cols[4] 
121         content_name = cols[5]
122
123         # Interest Nonce ? -> 412A74-0844-0008-50AA-F6EAD4
124         nonce = ""
125         if message_type in ["interest_from", "interest_to", "interest_dupnonce"]:
126             last = cols[-1]
127             if len(last.split("-")) == 5:
128                 nonce = last
129
130         try:
131             size = int((cols[6]).replace('(',''))
132         except:
133             print "interest_expiry without face id!", line
134             continue
135
136         # If no external IP address was identified for this face
137         # asume it is a local face
138         hostip = "localhost"
139
140         if face_id in faces:
141             hostip, port = faces[face_id]
142
143         data.append((content_name, timestamp, message_type, hostip, face_id, 
144             size, nonce, line))
145
146     f.close()
147
148     return data
149
150 def dump_content_history(content_history):
151     f = tempfile.NamedTemporaryFile(delete=False)
152     pickle.dump(content_history, f)
153     f.close()
154     return f.name
155
156 def load_content_history(fname):
157     f = open(fname, "r")
158     content_history = pickle.load(f)
159     f.close()
160
161     os.remove(fname)
162     return content_history
163
164 def annotate_cn_node(graph, nid, ips2nid, data, content_history):
165     for (content_name, timestamp, message_type, hostip, face_id, 
166             size, nonce, line) in data:
167
168         # Ignore local messages for the time being. 
169         # They could later be used to calculate the processing times
170         # of messages.
171         if peer == "localhost":
172             return
173
174         # Ignore control messages for the time being
175         if is_control(content_name):
176             return
177
178         if message_type == "interest_from" and \
179                 peer == "localhost":
180             graph.node[nid]["ccn_consumer"] = True
181         elif message_type == "content_from" and \
182                 peer == "localhost":
183             graph.node[nid]["ccn_producer"] = True
184
185         # remove digest
186         if message_type in ["content_from", "content_to"]:
187             content_name = "/".join(content_name.split("/")[:-1])
188            
189         if content_name not in content_history:
190             content_history[content_name] = list()
191       
192         peernid = ips2nid[peer]
193         add_edge(graph, nid, peernid)
194
195         content_history[content_name].append((timestamp, message_type, nid, 
196             peernid, nonce, size, line))
197
198 def annotate_cn_graph(logs_dir, graph, parse_ping_logs = False):
199     """ Adds CCN content history for each node in the topology graph.
200
201     """
202     # Make a copy of the graph to ensure integrity
203     graph = graph.copy()
204
205     ips2nids = dict()
206
207     for nid in graph.nodes():
208         ips = graph.node[nid]["ips"]
209         for ip in ips:
210             ips2nids[ip] = nid
211
212     # Now walk through the ccnd logs...
213     for dirpath, dnames, fnames in os.walk(logs_dir):
214         # continue if we are not at the leaf level (if there are subdirectories)
215         if dnames: 
216             continue
217         
218         # Each dirpath correspond to a different node
219         nid = os.path.basename(dirpath)
220     
221         content_history = dict()
222
223         for fname in fnames:
224             if fname.endswith(".log"):
225                 filename = os.path.join(dirpath, fname)
226                 data = parse_file(filename)
227                 annotate_cn_node(graph, nid, ips2nids, data, content_history)
228
229         # Avoid storing everything in memory, instead dump to a file
230         # and reference the file
231         fname = dump_content_history(content_history)
232         graph.node[nid]["history"] = fname
233
234     if parse_ping_logs:
235         ping_parser.annotate_cn_graph(logs_dir, graph)
236
237     return graph
238
239 def ccn_producers(graph):
240     """ Returns the nodes that are content providers """
241     return [nid for nid in graph.nodes() \
242             if graph.node[nid].get("ccn_producer")]
243
244 def ccn_consumers(graph):
245     """ Returns the nodes that are content consumers """
246     return [nid for nid in graph.nodes() \
247             if graph.node[nid].get("ccn_consumer")]
248
249 def process_content_history(graph):
250     """ Compute CCN message counts and aggregates content historical 
251     information in the content_names dictionary 
252     
253     """
254
255     ## Assume single source
256     source = ccn_consumers(graph)[0]
257
258     interest_expiry_count = 0
259     interest_dupnonce_count = 0
260     interest_count = 0
261     content_count = 0
262     content_names = dict()
263
264     # Collect information about exchanged messages by content name and
265     # link delay info.
266     for nid in graph.nodes():
267         # Load the data collected from the node's ccnd log
268         fname = graph.node[nid]["history"]
269         history = load_content_history(fname)
270
271         for content_name in history.keys():
272             hist = history[content_name]
273
274             for (timestamp, message_type, nid1, nid2, nonce, size, line) in hist:
275                 if message_type in ["content_from", "content_to"]:
276                     # The first Interest sent will not have a version or chunk number.
277                     # The first Content sent back in reply, will end in /=00 or /%00.
278                     # Make sure to map the first Content to the first Interest.
279                     if content_name.endswith("/=00"):
280                         content_name = "/".join(content_name.split("/")[0:-2])
281
282                 # Add content name to dictionary
283                 if content_name not in content_names:
284                     content_names[content_name] = dict()
285                     content_names[content_name]["interest"] = dict()
286                     content_names[content_name]["content"] = list()
287
288                 # Classify interests by replica
289                 if message_type in ["interest_from"] and \
290                         nonce not in content_names[content_name]["interest"]:
291                     content_names[content_name]["interest"][nonce] = list()
292      
293                 # Add consumer history
294                 if nid == source:
295                     if message_type in ["interest_to", "content_from"]:
296                         # content name history as seen by the source
297                         if "consumer_history" not in content_names[content_name]:
298                             content_names[content_name]["consumer_history"] = list()
299
300                         content_names[content_name]["consumer_history"].append(
301                                 (timestamp, message_type)) 
302
303                 # Add messages per content name and cumulate totals by message type
304                 if message_type == "interest_dupnonce":
305                     interest_dupnonce_count += 1
306                 elif message_type == "interest_expiry":
307                     interest_expiry_count += 1
308                 elif message_type == "interest_from":
309                     interest_count += 1
310                     # Append to interest history of the content name
311                     content_names[content_name]["interest"][nonce].append(
312                             (timestamp, nid2, nid1))
313                 elif message_type == "content_from":
314                     content_count += 1
315                     # Append to content history of the content name
316                     content_names[content_name]["content"].append((timestamp, nid2, nid1))
317                 else:
318                     continue
319             del hist
320         del history
321
322     # Compute the time elapsed between the time an interest is sent
323     # in the consumer node and when the content is received back
324     for content_name in content_names.keys():
325         # order content and interest messages by timestamp
326         content_names[content_name]["content"] = sorted(
327               content_names[content_name]["content"])
328         
329         for nonce, timestamps in content_names[content_name][
330                     "interest"].iteritems():
331               content_names[content_name]["interest"][nonce] = sorted(
332                         timestamps)
333       
334         history = sorted(content_names[content_name]["consumer_history"])
335         content_names[content_name]["consumer_history"] = history
336
337         # compute the rtt time of the message
338         rtt = None
339         waiting_content = False 
340         interest_timestamp = None
341         content_timestamp = None
342         
343         for (timestamp, message_type) in history:
344             if not waiting_content and message_type == "interest_to":
345                 waiting_content = True
346                 interest_timestamp = timestamp
347                 continue
348
349             if waiting_content and message_type == "content_from":
350                 content_timestamp = timestamp
351                 break
352     
353         # If we can't determine who sent the interest, discard it
354         rtt = -1
355         if interest_timestamp and content_timestamp:
356             rtt = compute_delay_ms(content_timestamp, interest_timestamp)
357
358         content_names[content_name]["rtt"] = rtt
359         content_names[content_name]["lapse"] = (interest_timestamp, content_timestamp)
360
361     return (content_names,
362         interest_expiry_count,
363         interest_dupnonce_count,
364         interest_count,
365         content_count)
366
367 def process_content_history_logs(logs_dir, graph):
368     """ Parse CCN logs and aggregate content history information in graph.
369     Returns annotated graph and message countn and content names history.
370
371     """
372     ## Process logs and analyse data
373     try:
374         graph = annotate_cn_graph(logs_dir, graph, 
375                 parse_ping_logs = True)
376     except:
377         print "Skipping: Error parsing ccnd logs", logs_dir
378         raise
379
380     source = consumers(graph)[0]
381     target = producers(graph)[0]
382
383     # Process the data from the ccnd logs, but do not re compute
384     # the link delay. 
385     try:
386         (graph,
387         content_names,
388         interest_expiry_count,
389         interest_dupnonce_count,
390         interest_count,
391         content_count) = process_content_history(graph)
392     except:
393         print "Skipping: Error processing ccn data", logs_dir
394         raise
395
396     return (graph,
397             content_names,
398             interest_expiry_count,
399             interest_dupnonce_count,
400             interest_count,
401             content_count)