-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathrun_pd_rpc.py
executable file
·2461 lines (2109 loc) · 80.7 KB
/
run_pd_rpc.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/python3
# Copyright 2017-present Barefoot Networks, Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
from __future__ import print_function
"""
Runner for PD
"""
try:
import logging
logging.basicConfig(format="%(levelname)s: %(message)s", level="WARNING")
except:
print(" ERROR: Cannot import the required logging module")
exit(1)
try:
import sys
import os
import argparse
import code
import importlib
import atexit
import inspect
import traceback
import struct
import subprocess
import re
import pdb
import time
import copy
import threading
except:
logging.error(
"""Failed to load one or more of the following modules:
os, sys, argparse, code, importlib, atexit, inspect, traceback, struct
subprocess, re, pdb, time, copy, threading
These are standard Python modules and must be available.
Please, check your Python installation.
""")
sys.exit(1)
# Thrift modules. They are mandatory
try:
from thrift.transport import TSocket
from thrift.transport import TTransport
from thrift.protocol import TBinaryProtocol
from thrift.protocol import TMultiplexedProtocol
except:
logging.error(
"""Failed to load Thrift modules.
Please, check your Thrift installation
""")
sys.exit(1)
# Scapy is optional, but might be quite useful. e.g. to form packets for the
# packet generator. It can also allow you to send packets directly from the
# tool, but to do that you need to rnu as root.
#
# The main drawback of importing scapy is that it adds a lot of symbols to the
# global namespace, making autocompletion a little less useful.
#
#try:
# from scapy.all import *
# for proto in ["igmp", "vxlan", "mpls", "erspan", "vxlan", "bfd", "nvgre"]:
# load_contrib(proto)
#except:
# logging.warning("Scapy is not available. This is OK if you don't need it")
#
# Autocompletion. We offer a choice between jedi and rlcompleter
try:
import readline
readline_support = True
except:
readline_support = False
logging.warning(
"""readline module is not available. The tool will work,
but command history wil not be saved
""")
try:
from jedi.utils import setup_readline
autocompleter_support = "jedi"
import jedi.settings
jedi.settings.case_insensitive_completion=False
readline_support = True
logging.info("Using jedi autocompletion")
except ImportError:
try:
import rlcompleter
autocompleter_support = "rlcompleter"
logging.info("Using rlcompleter autocompletion")
except:
autocompleter_support = None
logging.warning(
"""jedi or rlcompleter modules are not available.
The tool will work, but there will be no autocompletion
""")
SDE_PYPATH = ""
dev = 0
allpipes = None
allports = []
sess_hdl = None
pkt_sess = None
mc_sess = None
from_hw = None # Total hack. Will be set to p4_pd.counter_flags(True)
from_sw = None # Total hack. Will be set to p4_pd.counter_flags(True)
import_done = False
bprotocols = {}
show_trace = False # Do not show full trace on exceptions
# BF Runtime support
interface = None
bfruntime_pb2 = None
bfrt_client = None
gc = None
bfrt_info = None
def import_star(module_name):
"""This function implements the equivalent of
from module_name import *
The advantages are that module_name can be a string, computed at runtime
and that it can be called from within a function
"""
global import_done
try:
mod = importlib.import_module(module_name)
except:
logging.error("Cannot load module {}".format(module_name))
raise ImportError
for sym in dir(mod):
if sym[0:2] != "__":
globals()[sym]=mod.__dict__[sym]
if not import_done:
logging.info("from {:<20s} import *".format(module_name))
def wrap_api(func, first_args):
"""
Parameters:
- func -- the function to wrap
- first_args -- a list of tuples in the form of
("parameter_name", "global_var") that indicate which
parameters need to become optional and how they will
get replaced
Returns:
- a new (wrapped) function
Example:
Convert a function
mc.mgrp_create(sess_hdl, dev_id, mgrp)
into
mc.mgrp_create(mgrp, sess_hdl=mc_sess, dev_id=dev)
mc.mgrp_create = wrap_api(mc.mgrp_create,
[("sess_hdl", "mc_sess"), ("dev_id", "dev")])
"""
def wrapper(*args, **kwargs):
new_args=()
for (arg_name, arg_val) in first_args:
if arg_name in kwargs.keys():
new_args = new_args + (kwargs[arg_name],)
del(kwargs[arg_name])
else:
new_args = new_args + (globals()[arg_val],)
args = new_args + args
return func(*args, **kwargs)
#
# And now let's fix the name and the docstring
#
result = wrapper
result.__name__ = func.__name__
result.__module__ = func.__module__
d = func.__doc__.split("\n")
for (arg_name, arg_val) in first_args:
for s in d:
if re.search(arg_name, s):
d.remove(s)
d.append(s + "=" + arg_val)
break
result.__doc__ = "\n".join(d)
return result
def apis_convert(obj, sess_hdl_name="sess_hdl"):
#
# Experimental code to munge most of the APIs to remove the need to specify
# sess_hdl and dev_id/dev_tgt
#
for f in dir(obj):
func = getattr(obj, f)
if not inspect.isroutine(func):
continue
a = inspect.getfullargspec(func)
new_args = []
for arg in a.args[1:]:
if arg == 'sess_hdl':
new_args.append((arg, sess_hdl_name))
elif (arg == 'dev_id' or
arg == 'device_id' or
arg == 'dev' or
arg == 'device'):
new_args.append((arg, "dev"))
elif arg == 'dev_tgt':
new_args.append((arg, "allpipes"))
if len(new_args) > 0:
setattr(obj, f, wrap_api(func, new_args))
def mc_apis_convert(obj):
return apis_convert(obj, sess_hdl_name="mc_sess")
def pkt_apis_convert(obj):
return apis_convert(obj, sess_hdl_name="pkt_sess")
#
# Common functions to simplify command parameter handling with the wrapped
# APIs
#
def api_common_args_dev(session_handle=None, device_id=None):
"""
Handling of the common sess_hdl and device_id parameters in most
commands. If they are provided, use them, otherwise default to sess_hdl
and dev
"""
if session_handle is None:
session_handle = sess_hdl
if device_id is None:
device_id = dev
return session_handle, device_id
def api_common_args(session_handle=None, device_target=None):
"""
Handling of the common sess_hdl and device_target parameters in most
commands. If they are provided, use them, otherwise default to sess_hdl
and allpipes
"""
if session_handle is None:
session_handle = sess_hdl
if device_target is None:
device_target = allpipes
return session_handle, device_target
def mc_common_args(session_handle=None, device_id=None):
"""
Handling of the common sess_hdl and device_id parameters in Multicast
commands. If they are provided, use them, otherwise default to mc_sess
and dev
"""
if session_handle is None:
session_handle = mc_sess
if device_id is None:
device_id = dev
return session_handle, device_id
def limit_count(count, on_device):
"""
Handling of the optional "count" parameter, common in many commands.
Parameters:
- count -- desired number of elements
- on_device -- number of elements on device
If count is None or 0 return what's on device
If count > 0 use count, unless it is more than what's on device.
If count < 0 that means "abs(count) less than what's on device
Typical usage:
count = limit_count(count, mc.mgrp_get_count())
"""
if count is None:
return on_device
elif count > 0:
return min(count, on_device)
else:
return max(on_device + count, 0)
class bfThrift( object ):
"""
A class to create Thrift connection, Barefoot-style
"""
def __init__( self, port, module, api_name,
multiplexed=True, thrift_ip='localhost',
prefix=None, bound_func=True, var_name=None,
type_prefix=None, api_convert=apis_convert):
"""
This class opens a Thrift connection to the already running bf-sde
shell and imports a particular the Thrift module.
Methods users will use are available as self.func where function name
has the Thrift module prefix removed.
The original thrift module is placed in self.thrift
TTypes are placed in self.ttypes
Constand are placed in self.const
port : (int) TCP port like 9090
module : (str) Thrift module name
api_name : (str) API name
multiplexed : (bool) True if a port is shared between a few clients
This setting needs to match server side setting
thrift_ip : (str) Host name
prefix : (str) Prefix in front of Thrift function name to
remove. If not specified, api_name will be used
bound_func : (bool) True will bind Thrift func (under self.thrift)
to self to hide Thrift functions. Use False if func
bounding requires additional manipulation.
var_name : the name of the variable we'll assign to (for diagnostic)
type_prefix : in some cases (switchAPI) type names have different prefix
than API functtions themselves :( Moreover, it can vary
(e.g. switcht_ or switct_api_).
api_convert : An optional function to simplify APIs by making initial
common parameters optional
"""
#
# Open Thrift connection if we haven't done it before
#
global bprotocols
global import_done
# print("Importing", module, api_name)
if port not in bprotocols.keys():
transport=TSocket.TSocket(thrift_ip, port)
transport=TTransport.TBufferedTransport(transport)
try:
transport.open()
bprotocols[port] = TBinaryProtocol.TBinaryProtocol(transport)
except:
raise IOError(
'Cannot connect to Thrift Server at {}:{}'.format(
thrift_ip, port))
elif not multiplexed:
logging.error(
'Aready connected to port {} using a different protocol'.
format(port))
bprotocol = bprotocols[port]
if prefix == None:
prefix = api_name
#
# Import API functions
#
mod = importlib.import_module('.'.join([module, api_name]))
if multiplexed:
proto = TMultiplexedProtocol.TMultiplexedProtocol(bprotocol, api_name)
else:
proto = bprotocol
self.thrift = mod.Client(proto)
# Bind only user methods to the class, not Thrift methods
method_list = inspect.getmembers( self.thrift, inspect.ismethod )
method_dict = dict(method_list)
tp = re.compile("^{}_[A-Za-z_]".format(prefix))
for (m_name, m_ref) in method_list:
if re.match(tp, m_name) :
setattr(self, m_name[len(prefix)+1:], m_ref)
elif m_name.startswith("send_") or m_name.startswith("recv_"):
if m_name[5:] in method_dict:
continue # This is an internal Thrift func
else:
setattr(self, m_name, m_ref)
if not args.no_api_convert:
if api_convert is not None:
api_convert(self)
#
# Import API types and constants to add to self.ttypes and self.const
# (remove prefix) from the beginning
#
# Create basic object self.ttypes to hold Thrift TTypes objects
# self.ttypes = type( 'bfThrift_ttypes', (), {} )
pd_t = importlib.import_module(".".join([module, "ttypes"]))
if type_prefix is None:
type_prefix = prefix
# Normally, the type names have the prefix and the second component
tp = re.compile("^{}_".format(type_prefix))
tp_with_digit = re.compile("^{}_[0-9]".format(type_prefix))
for t in dir(pd_t):
m = re.match(tp,t)
if m is not None:
if re.match(tp_with_digit, t) is None:
setattr(self, t[m.span()[1]:], pd_t.__dict__[t])
else:
setattr(self, t, pd_t.__dict__[t])
elif not t.startswith("__"):
setattr(self, t, pd_t.__dict__[t])
# Create basic object self.const to hold Thrift constants objects
# self.const = type( 'bfThrift_const', (), {} )
pd_c = importlib.import_module(".".join([module, "constants"]))
for t in dir(pd_c):
if t in [ TType, TMessageType, TException, TApplicationException ]:
continue
try:
if getattr(pd_t, t) is not None:
continue # Already imported from ttypes
except:
pass
if t.startswith(prefix + "_"):
# setattr( self.const, t[len(prefix) + 1:], pd_t.__dict__[t])
setattr(self, t[len(prefix) + 1:], pd_c.__dict__[t])
elif not t.startswith("__"):
setattr(self, t, pd_c.__dict__[t])
# print("Imported constants")
#
# Print Usage Info, but only if we do not have an
# established session
#
if not import_done:
logging.info("Use {:<20s} to access {} APIs".
format(var_name if var_name != None else api_name, api_name))
reserved_names = [
"TApplicationException", "TBinaryProtocol", "TException",
"TMessageType", "TProtocol", "TTransport", "TType",
"fastbinary", "res_pd_rpc", "thrift" ]
#
# This custom implementation of __dir__ method filters out all reserved
# and thrift-related attributes in order to make autocompletion easier
#
def __dir__(self):
return [x for x in self.__dict__
if (not x.startswith("__") and not x in self.reserved_names) ]
def open_session():
global sess_hdl
global pkt_sess
global mc_sess
print()
if sess_hdl is None:
sess_hdl = conn_mgr.client_init()
logging.info("Opened PD API Session (sess_hdl): {}".
format(sess_hdl))
else:
if show_trace:
logging.info("Continue PD API Session (sess_hdl): {}".
format(sess_hdl))
if not args.no_mc:
if mc_sess is None:
mc_sess = mc.create_session()
logging.info("Opened MC API Session (mc_sess) : {:#08x}".
format(mc_sess))
else:
if show_trace:
logging.info("Continue MC API Session (mc_sess) : {:#08x}".
format(mc_sess))
if TARGET == "asic" or TARGET == "asic-model":
if pkt_sess is None:
pkt.init()
pkt_sess = pkt.client_init()
logging.info("Opened PKT API Session (pkt_sess): {}\n".
format(pkt_sess))
else:
if show_trace:
logging.info("Continue PKT API Session (pkt_sess): {}".
format(pkt_sess))
@atexit.register
def close_session():
try:
if sess_hdl is not None:
logging.info("Closing session {}".format(sess_hdl))
conn_mgr.client_cleanup()
if mc_sess is not None:
logging.info("Closing MC API session {:#08x}".format(mc_sess))
mc.destroy_session()
if pkt_sess is not None:
logging.info("Closing Packet Manager Session {}".format(pkt_sess))
pkt.client_cleanup()
pkt.cleanup()
except:
pass
def import_common_apis():
global p4_pd
global conn_mgr
global mc
global tm
global sd
global devport
global pal
global pkt
global knet
global pm
global plcmt
global pltfm_mgr
global mirror
global from_sw
global from_hw
global pktgen
global ts
global bfruntime_pb2
global bfrt_info
global interface
global bfrt_client
global gc
global PROG
global PREFIX
# Import common Thrift routines like hex_to_i16()
try:
import_star("ptf.thriftutils")
except:
print("""
The reason for this problem is that you have not installed p4.org version
of PTF. We highly recommend that you install p4lang/ptf and Scapy.
The procedure is:
# Install Scapy (Python3 version)
pip3 install --pre scapy
# Install PTF
$ cd /tmp
$ git clone http://github.com/p4lang/ptf
$ cp ptf/ptf $SDE_INSTALL/bin
$ cp -r ptf/src/ptf $SDE_INSTALL/lib/python{}.{}/site-packages
This tool has not been tested with bf-ptf.
""".format(sys.version_info.major, sys.version_info.minor))
sys.exit(1)
# Import Common types for PD APIs, like DevTarget()
try:
import_star("res_pd_rpc.ttypes")
except:
print(" Make sure your SDE is built for {} target".
format(TARGET))
sys.exit(1)
# Import Port Mapping functions
try:
import_star("port_mapping")
except:
logging.warning(
"""Cannot load port_mapping module.
Port mapping functions will not be available
""")
if PROG != None:
p4_pd = bfThrift(port = 9090,
thrift_ip = args.thrift_ip,
module = ".".join([PROG, "p4_pd_rpc"]),
api_name = PREFIX,
var_name = "p4_pd")
# The problem: table APIs accept True/False, while counter APIs want
# p4_pd.counter_flags_t() and do not accept True/False. Same is true
# for the register APIs: officially they want p4_pd.register_flags_t().
# Fortunately, they do not really care and so EVERYONE (even tables)
# accept p4_pd.counter_flags_t. So that's what we'll use.
# Yes, this is a hack
from_hw = p4_pd.counter_flags_t(True)
from_sw = p4_pd.counter_flags_t(False)
else:
# pdb.set_trace()
# A simple hack for BF Runtime
bfruntime_pb2 = importlib.import_module('bfrt_grpc.bfruntime_pb2')
bfrt_client = importlib.import_module('bfrt_grpc.client')
gc = bfrt_client
grpc_addr = ':'.join([args.thrift_ip, '50052'])
if args.no_subscribe:
subscribe = False
else:
subscribe = True
for bfrt_client_id in range(10):
try:
interface = bfrt_client.ClientInterface(
grpc_addr = grpc_addr,
client_id = bfrt_client_id,
num_tries = 1,
perform_subscribe = subscribe,
device_id = 0)
break;
except:
pass
bfrt_info = interface.bfrt_info_get()
print('The target runs program ', bfrt_info.p4_name_get())
PROG=bfrt_info.p4_name_get()
PREFIX=PROG
if bfrt_client_id == 0 and subscribe:
try:
interface.bind_pipeline_config(bfrt_info.p4_name_get())
except Exception as e:
logging.warning('Could not subscribe for BF Runtime notifications')
logging.warning('Use -n (--no-subscribe) parameter')
conn_mgr = bfThrift(port = 9090,
thrift_ip = args.thrift_ip,
module = "conn_mgr_pd_rpc",
api_name = "conn_mgr")
mc = bfThrift(port = 9090,
thrift_ip = args.thrift_ip,
module = "mc_pd_rpc",
api_name = "mc",
api_convert = mc_apis_convert)
tm = bfThrift(port = 9090,
thrift_ip = args.thrift_ip,
module = "tm_api_rpc",
api_name = "tm")
devport = bfThrift(port = 9090,
thrift_ip = args.thrift_ip,
module = "devport_mgr_pd_rpc",
api_name = "devport_mgr",
var_name = "devport")
if TARGET == "asic" or TARGET == "asic-model":
knet = bfThrift(port = 9090,
thrift_ip = args.thrift_ip,
module = "knet_mgr_pd_rpc",
api_name = "knet_mgr",
prefix = "knet",
var_name = "knet")
pal = bfThrift(9090, "pal_rpc", "pal",
thrift_ip=args.thrift_ip)
pkt = bfThrift(9090, "pkt_pd_rpc", "pkt",
thrift_ip=args.thrift_ip,
api_convert = pkt_apis_convert)
plcmt = bfThrift(9090, "plcmt_pd_rpc", "plcmt",
thrift_ip=args.thrift_ip)
mirror = bfThrift(9090, "mirror_pd_rpc", "mirror",
thrift_ip=args.thrift_ip)
pktgen = PktGen(conn_mgr)
if not import_done:
logging.info("Use {:<20s} to access {} APIs".
format("pktgen", "pktgen(conn_mgr)"))
# ts is not present on SDE prior to 9.5.0
try:
ts = bfThrift(9090, "ts_pd_rpc", "ts",
thrift_ip=args.thrift_ip)
except:
pass
if TARGET == "asic":
sd = bfThrift(9090, "sd_pd_rpc", "sd",
thrift_ip=args.thrift_ip)
try:
pm = bfThrift(port = 9090,
thrift_ip = args.thrift_ip,
module = "pltfm_pm_rpc",
api_name = "pltfm_pm_rpc",
prefix = "pltfm_pm",
var_name = "pm")
pltfm_mgr = bfThrift(port = 9090,
thrift_ip = args.thrift_ip,
module = "pltfm_mgr_rpc",
api_name = "pltfm_mgr_rpc",
prefix = "pltfm_mgr",
var_name = "pltfm_mgr")
except IOError as e:
logging.warning(
"""Platform Manager APIs are not available: %s
Ignore this message if you are running against the
asic-model or add '--target asic-model' to the
command line to suppress this message
""", e.message)
open_session()
def import_diag_apis():
global diag
try:
diag = bfThrift(port = 9096,
thrift_ip = args.thrift_ip,
module = "diag_rpc",
api_name = "diag_rpc",
multiplexed = False,
prefix = "diag",
var_name = "diag")
except IOError as e:
if show_trace:
logging.warning("diagAPI is not available:", e.message)
def import_switch_apis():
global switchapi
global sai
switchsai=''
if PREFIX == 'dc': # switch.p4_14
switchsai='switch'
try:
switchapi = bfThrift(port = 9091,
thrift_ip = args.thrift_ip,
module = "switchapi_thrift",
api_name = "switch_api_rpc",
prefix = "switch_api",
multiplexed = False,
var_name = "switchapi",
type_prefix = "switcht(_api)?")
# Import constants from switch_api_headers module
m = importlib.import_module("switchapi_thrift.switch_api_headers")
for c in dir(m):
if c.startswith("SWITCH_"):
setattr(switchapi, c[7:], getattr(m, c))
elif c.startswith("SFLOW_"): # A little workaround for a bug
setattr(switchapi, c, getattr(m, c))
except Exception as e:
if show_trace:
logging.warning("switchAPI is not available:", e.message)
try:
sai = bfThrift(port = 9092,
thrift_ip = args.thrift_ip,
module = switchsai + "sai_thrift",
api_name = switchsai + "sai_rpc",
prefix = "sai_thrift",
multiplexed = False,
var_name = "sai")
import_star('.'.join([switchsai + "sai_thrift", "sai_headers"]))
logging.info("SAI Attributes are accessible via SAI prefix")
except Exception as e:
if show_trace:
logging.warning("SAI is not available:", e.message)
def import_all_apis():
global import_done
try:
import_common_apis()
except Exception as e:
print(
"""
Failed to connect to Thrift Server for the common APIs
(conn_mgr, PD, etc.)
Here are common mistakes:
-- Program name is supplied for a P4_16 program that uses BRI
-- Do not use '-p <program>' command line parameter
-- The tool automatically gets program name from the BF Runtime
server
-- Incorrect program NAME ({!s:})
-- Make sure that the program exists
-- Do not use .p4 suffix
-- Do not use full path name
-- switchd process is not running
-- Make sure you start it
-- Thrift server is not running inside switchd
--Make sure you compiled it with Thrift support enabled
-- IP address ({}) is not correct
-- If you are trying to connect to a remote host, check
connectivity
-- Thrift port ({}) is not correct
-- If you are using a different port, script needs to be modified
-- You have too many open sessions
-- restart switchd or use "--no-mc" parameter
Check all of the above and try again
""".format(PROG, args.thrift_ip, 9090))
print(e)
raise e
if PROG == "diag":
import_diag_apis()
if PROG == "switch":
import_switch_apis()
import_done = True
def reset_connection():
global bprotocols
for port in bprotocols:
if show_trace:
print("Resetting connection on port {}".format(port))
bprotocols[port].trans.close()
bprotocols={}
import_all_apis()
def decode_error(err_str):
bf_status_codes = [
"Success",
"Not ready",
"No system resources",
"Invalid arguments",
"Already exists",
"HW access fails",
"Object not found",
"Max sessions exceeded",
"Session not found",
"Not enough space",
"Resource temporarily not available, try again later",
"Initialization error",
"Not supported in transaction",
"Resource held by another session",
"IO error",
"Unexpected error",
"Action data entry is being referenced by match entries",
"Operation not supported",
"Updating hardware failed",
"No learning clients registered",
"Idle time update state already in progress",
"Device locked",
"Internal error",
"Table not found",
"In use",
"Object not implemented" ]
pipe_mgr_status_codes = [
"Success",
"Not ready",
"No system resources",
"Invalid argument",
"Already exists",
"Communications failure",
"Object not found",
"Max sessions exceeded",
"Session not found",
"Table full",
"Resource busy",
"Initialization error",
"API is not supported inside a transaction",
"Table in use",
"I/O error",
"Unexpected error",
"Entry still in use",
"Operation is not supported",
"Low-Level Driver Failure",
"No learn clients",
"Idle Timeout update in progress",
"Device is busy",
"Internal error",
"Table doesn't exist"]
try:
m = re.search('Invalid(.*)Operation\(code=([0-9]+)\)', err_str)
err_type = m.group(1)
err_code = int(m.group(2))
#
# This is overcomplicated, but has to deal with the fact that different
# components use their own error codes
#
if err_type == "Table":
return pipe_mgr_status_codes[err_code]
else:
return bf_status_codes[err_code]
except:
return ""
def handle_traceback():
global console_traceback
bf_exceptions = [conn_mgr.InvalidConnMgrOperation,
conn_mgr.InvalidPktGenOperation,
devport.InvalidDevportMgrOperation,
mc.InvalidMcOperation,
tm.InvalidTmOperation,
pal.InvalidPalOperation]
if PROG != None and bfrt_client == None:
bf_exceptions.extend([p4_pd.InvalidCounterOperation,
p4_pd.InvalidDbgOperation,
p4_pd.InvalidLearnOperation,
p4_pd.InvalidLPFOperation,
p4_pd.InvalidMeterOperation,
p4_pd.InvalidRegisterOperation,
p4_pd.InvalidSnapshotOperation,
p4_pd.InvalidTableOperation,
p4_pd.InvalidWREDOperation])
if TARGET == "asic" or TARGET == "asic-model":
bf_exceptions.extend([
pkt.InvalidPktOperation,
plcmt.InvalidPlcmtOperation])
if TARGET == "asic":
bf_exceptions.append(sd.InvalidSdOperation)
type, value, tb = sys.exc_info()
tblist = traceback.extract_tb(tb)
if show_trace:
print(type, value, tb)
for tb_entry in tblist:
print(tb_entry)
#
# This if() statement tries to analyze the exceptions for the number
# of common problems
#
if type in bf_exceptions:
#
# Ideally, we should use decode_error(value.code), but the
# problem is that different components and their exceptions
# use their own codes
print("ERROR:", decode_error(repr(value)), "({:d})".format(value.code))
elif type == AttributeError:
filename, lineno, name, line = tblist[-1] # Check the last place
if name == "write":
if line.startswith("self.dev_tgt.write"):
print(
"""
ERROR: This API requires dev_all()/dev_pipe(<pipe_num>), not dev_id()
""")
elif line.startswith("self.dev_id.write"):
print(
"""
ERROR: This API requires dev_id(), not dev_all()/dev_pipe()
""")
elif line.startswith("self.match_spec.write"):
print(
"""
ERROR: Incorrect type specified for the match_spec
Use p4_pd.<table>_match_spec_t object
""")
elif line.startswith("self.action_spec.write"):
print(
"""
ERROR: Incorrect type specified for the action_spec
Use p4_pd.<action>_action_spec_t object
""")
elif line.startswith("self.flags.write"):
print(
"""
ERROR: Incorrect type specified for the flags
Use p4_pd.counter_flags_t() or p4_pd_register_flags_t() object.
You can also use predefined values "from_hw" and "from_sw"
""")
else:
print("ERROR:", value)
elif name == "writeByte":
filename, lineno, name, line = tblist[-4] # Check the last place
if name == "write" and line.find("dev_id") >= 0:
print(
"""
ERROR: This API requires dev_id(), not dev_all()/dev_pipe()
""")
else:
print("ERROR:", value)
elif name == "writeI32" and repr(value).find("DevTarget_t"):
print(
"""
ERROR: This API requires dev_id(), not dev_all()/dev_pipe()
""")
else:
print("ERROR:", value)
elif type == TypeError:
print("ERROR:", value)
elif type == struct.error: