~ [ source navigation ] ~ [ diff markup ] ~ [ identifier search ] ~

TOMOYO Linux Cross Reference
Linux/tools/net/ynl/ethtool.py

Version: ~ [ linux-6.12-rc7 ] ~ [ linux-6.11.7 ] ~ [ linux-6.10.14 ] ~ [ linux-6.9.12 ] ~ [ linux-6.8.12 ] ~ [ linux-6.7.12 ] ~ [ linux-6.6.60 ] ~ [ linux-6.5.13 ] ~ [ linux-6.4.16 ] ~ [ linux-6.3.13 ] ~ [ linux-6.2.16 ] ~ [ linux-6.1.116 ] ~ [ linux-6.0.19 ] ~ [ linux-5.19.17 ] ~ [ linux-5.18.19 ] ~ [ linux-5.17.15 ] ~ [ linux-5.16.20 ] ~ [ linux-5.15.171 ] ~ [ linux-5.14.21 ] ~ [ linux-5.13.19 ] ~ [ linux-5.12.19 ] ~ [ linux-5.11.22 ] ~ [ linux-5.10.229 ] ~ [ linux-5.9.16 ] ~ [ linux-5.8.18 ] ~ [ linux-5.7.19 ] ~ [ linux-5.6.19 ] ~ [ linux-5.5.19 ] ~ [ linux-5.4.285 ] ~ [ linux-5.3.18 ] ~ [ linux-5.2.21 ] ~ [ linux-5.1.21 ] ~ [ linux-5.0.21 ] ~ [ linux-4.20.17 ] ~ [ linux-4.19.323 ] ~ [ linux-4.18.20 ] ~ [ linux-4.17.19 ] ~ [ linux-4.16.18 ] ~ [ linux-4.15.18 ] ~ [ linux-4.14.336 ] ~ [ linux-4.13.16 ] ~ [ linux-4.12.14 ] ~ [ linux-4.11.12 ] ~ [ linux-4.10.17 ] ~ [ linux-4.9.337 ] ~ [ linux-4.4.302 ] ~ [ linux-3.10.108 ] ~ [ linux-2.6.32.71 ] ~ [ linux-2.6.0 ] ~ [ linux-2.4.37.11 ] ~ [ unix-v6-master ] ~ [ ccs-tools-1.8.12 ] ~ [ policy-sample ] ~
Architecture: ~ [ i386 ] ~ [ alpha ] ~ [ m68k ] ~ [ mips ] ~ [ ppc ] ~ [ sparc ] ~ [ sparc64 ] ~

Diff markup

Differences between /tools/net/ynl/ethtool.py (Version linux-6.12-rc7) and /tools/net/ynl/ethtool.py (Version linux-5.16.20)


  1 #!/usr/bin/env python3                            
  2 # SPDX-License-Identifier: GPL-2.0 OR BSD-3-Cl    
  3                                                   
  4 import argparse                                   
  5 import json                                       
  6 import pprint                                     
  7 import sys                                        
  8 import re                                         
  9 import os                                         
 10                                                   
 11 from lib import YnlFamily                         
 12                                                   
 13 def args_to_req(ynl, op_name, args, req):         
 14     """                                           
 15     Verify and convert command-line arguments     
 16     """                                           
 17     valid_attrs = ynl.operation_do_attributes(    
 18     valid_attrs.remove('header') # not user-pr    
 19                                                   
 20     if len(args) == 0:                            
 21         print(f'no attributes, expected: {vali    
 22         sys.exit(1)                               
 23                                                   
 24     i = 0                                         
 25     while i < len(args):                          
 26         attr = args[i]                            
 27         if i + 1 >= len(args):                    
 28             print(f'expected value for \'{attr    
 29             sys.exit(1)                           
 30                                                   
 31         if attr not in valid_attrs:               
 32             print(f'invalid attribute \'{attr}    
 33             sys.exit(1)                           
 34                                                   
 35         val = args[i+1]                           
 36         i += 2                                    
 37                                                   
 38         req[attr] = val                           
 39                                                   
 40 def print_field(reply, *desc):                    
 41     """                                           
 42     Pretty-print a set of fields from the repl    
 43     fields and the optional type (bool/yn).       
 44     """                                           
 45     if len(desc) == 0:                            
 46         return print_field(reply, *zip(reply.k    
 47                                                   
 48     for spec in desc:                             
 49         try:                                      
 50             field, name, tp = spec                
 51         except:                                   
 52             field, name = spec                    
 53             tp = 'int'                            
 54                                                   
 55         value = reply.get(field, None)            
 56         if tp == 'yn':                            
 57             value = 'yes' if value else 'no'      
 58         elif tp == 'bool' or isinstance(value,    
 59             value = 'on' if value else 'off'      
 60         else:                                     
 61             value = 'n/a' if value is None els    
 62                                                   
 63         print(f'{name}: {value}')                 
 64                                                   
 65 def print_speed(name, value):                     
 66     """                                           
 67     Print out the speed-like strings from the     
 68     """                                           
 69     speed_re = re.compile(r'[0-9]+base[^/]+/.+    
 70     speed = [ k for k, v in value.items() if v    
 71     print(f'{name}: {" ".join(speed)}')           
 72                                                   
 73 def doit(ynl, args, op_name):                     
 74     """                                           
 75     Prepare request header, parse arguments an    
 76     """                                           
 77     req = {                                       
 78         'header': {                               
 79           'dev-name': args.device,                
 80         },                                        
 81     }                                             
 82                                                   
 83     args_to_req(ynl, op_name, args.args, req)     
 84     ynl.do(op_name, req)                          
 85                                                   
 86 def dumpit(ynl, args, op_name, extra = {}):       
 87     """                                           
 88     Prepare request header, parse arguments an    
 89     devices we're not interested in).             
 90     """                                           
 91     reply = ynl.dump(op_name, { 'header': {} }    
 92     if not reply:                                 
 93         return {}                                 
 94                                                   
 95     for msg in reply:                             
 96         if msg['header']['dev-name'] == args.d    
 97             if args.json:                         
 98                 pprint.PrettyPrinter().pprint(    
 99                 sys.exit(0)                       
100             msg.pop('header', None)               
101             return msg                            
102                                                   
103     print(f"Not supported for device {args.dev    
104     sys.exit(1)                                   
105                                                   
106 def bits_to_dict(attr):                           
107     """                                           
108     Convert ynl-formatted bitmask to a dict of    
109     """                                           
110     ret = {}                                      
111     if 'bits' not in attr:                        
112         return dict()                             
113     if 'bit' not in attr['bits']:                 
114         return dict()                             
115     for bit in attr['bits']['bit']:               
116         if bit['name'] == '':                     
117             continue                              
118         name = bit['name']                        
119         value = bit.get('value', False)           
120         ret[name] = value                         
121     return ret                                    
122                                                   
123 def main():                                       
124     parser = argparse.ArgumentParser(descripti    
125     parser.add_argument('--json', action=argpa    
126     parser.add_argument('--show-priv-flags', a    
127     parser.add_argument('--set-priv-flags', ac    
128     parser.add_argument('--show-eee', action=a    
129     parser.add_argument('--set-eee', action=ar    
130     parser.add_argument('-a', '--show-pause',     
131     parser.add_argument('-A', '--set-pause', a    
132     parser.add_argument('-c', '--show-coalesce    
133     parser.add_argument('-C', '--set-coalesce'    
134     parser.add_argument('-g', '--show-ring', a    
135     parser.add_argument('-G', '--set-ring', ac    
136     parser.add_argument('-k', '--show-features    
137     parser.add_argument('-K', '--set-features'    
138     parser.add_argument('-l', '--show-channels    
139     parser.add_argument('-L', '--set-channels'    
140     parser.add_argument('-T', '--show-time-sta    
141     parser.add_argument('-S', '--statistics',     
142     # TODO: --show-tunnels        tunnel-info-    
143     # TODO: --show-module         module-get      
144     # TODO: --get-plca-cfg        plca-get        
145     # TODO: --get-plca-status     plca-get-sta    
146     # TODO: --show-mm             mm-get          
147     # TODO: --show-fec            fec-get         
148     # TODO: --dump-module-eerpom  module-eepro    
149     # TODO:                       pse-get         
150     # TODO:                       rss-get         
151     parser.add_argument('device', metavar='dev    
152     parser.add_argument('args', metavar='args'    
153     global args                                   
154     args = parser.parse_args()                    
155                                                   
156     script_abs_dir = os.path.dirname(os.path.a    
157     spec = os.path.join(script_abs_dir,           
158                         '../../../Documentatio    
159     schema = os.path.join(script_abs_dir,         
160                           '../../../Documentat    
161                                                   
162     ynl = YnlFamily(spec, schema)                 
163                                                   
164     if args.set_priv_flags:                       
165         # TODO: parse the bitmask                 
166         print("not implemented")                  
167         return                                    
168                                                   
169     if args.set_eee:                              
170         return doit(ynl, args, 'eee-set')         
171                                                   
172     if args.set_pause:                            
173         return doit(ynl, args, 'pause-set')       
174                                                   
175     if args.set_coalesce:                         
176         return doit(ynl, args, 'coalesce-set')    
177                                                   
178     if args.set_features:                         
179         # TODO: parse the bitmask                 
180         print("not implemented")                  
181         return                                    
182                                                   
183     if args.set_channels:                         
184         return doit(ynl, args, 'channels-set')    
185                                                   
186     if args.set_ring:                             
187         return doit(ynl, args, 'rings-set')       
188                                                   
189     if args.show_priv_flags:                      
190         flags = bits_to_dict(dumpit(ynl, args,    
191         print_field(flags)                        
192         return                                    
193                                                   
194     if args.show_eee:                             
195         eee = dumpit(ynl, args, 'eee-get')        
196         ours = bits_to_dict(eee['modes-ours'])    
197         peer = bits_to_dict(eee['modes-peer'])    
198                                                   
199         if 'enabled' in eee:                      
200             status = 'enabled' if eee['enabled    
201             if 'active' in eee and eee['active    
202                 status = status + ' - active'     
203             else:                                 
204                 status = status + ' - inactive    
205         else:                                     
206             status = 'not supported'              
207                                                   
208         print(f'EEE status: {status}')            
209         print_field(eee, ('tx-lpi-timer', 'Tx     
210         print_speed('Advertised EEE link modes    
211         print_speed('Link partner advertised E    
212                                                   
213         return                                    
214                                                   
215     if args.show_pause:                           
216         print_field(dumpit(ynl, args, 'pause-g    
217                 ('autoneg', 'Autonegotiate', '    
218                 ('rx', 'RX', 'bool'),             
219                 ('tx', 'TX', 'bool'))             
220         return                                    
221                                                   
222     if args.show_coalesce:                        
223         print_field(dumpit(ynl, args, 'coalesc    
224         return                                    
225                                                   
226     if args.show_features:                        
227         reply = dumpit(ynl, args, 'features-ge    
228         available = bits_to_dict(reply['hw'])     
229         requested = bits_to_dict(reply['wanted    
230         active = bits_to_dict(reply['active'])    
231         never_changed = bits_to_dict(reply['no    
232                                                   
233         for f in sorted(available):               
234             value = "off"                         
235             if f in active:                       
236                 value = "on"                      
237                                                   
238             fixed = ""                            
239             if f not in available or f in neve    
240                 fixed = " [fixed]"                
241                                                   
242             req = ""                              
243             if f in requested:                    
244                 if f in active:                   
245                     req = " [requested on]"       
246                 else:                             
247                     req = " [requested off]"      
248                                                   
249             print(f'{f}: {value}{fixed}{req}')    
250                                                   
251         return                                    
252                                                   
253     if args.show_channels:                        
254         reply = dumpit(ynl, args, 'channels-ge    
255         print(f'Channel parameters for {args.d    
256                                                   
257         print(f'Pre-set maximums:')               
258         print_field(reply,                        
259             ('rx-max', 'RX'),                     
260             ('tx-max', 'TX'),                     
261             ('other-max', 'Other'),               
262             ('combined-max', 'Combined'))         
263                                                   
264         print(f'Current hardware settings:')      
265         print_field(reply,                        
266             ('rx-count', 'RX'),                   
267             ('tx-count', 'TX'),                   
268             ('other-count', 'Other'),             
269             ('combined-count', 'Combined'))       
270                                                   
271         return                                    
272                                                   
273     if args.show_ring:                            
274         reply = dumpit(ynl, args, 'channels-ge    
275                                                   
276         print(f'Ring parameters for {args.devi    
277                                                   
278         print(f'Pre-set maximums:')               
279         print_field(reply,                        
280             ('rx-max', 'RX'),                     
281             ('rx-mini-max', 'RX Mini'),           
282             ('rx-jumbo-max', 'RX Jumbo'),         
283             ('tx-max', 'TX'))                     
284                                                   
285         print(f'Current hardware settings:')      
286         print_field(reply,                        
287             ('rx', 'RX'),                         
288             ('rx-mini', 'RX Mini'),               
289             ('rx-jumbo', 'RX Jumbo'),             
290             ('tx', 'TX'))                         
291                                                   
292         print_field(reply,                        
293             ('rx-buf-len', 'RX Buf Len'),         
294             ('cqe-size', 'CQE Size'),             
295             ('tx-push', 'TX Push', 'bool'))       
296                                                   
297         return                                    
298                                                   
299     if args.statistics:                           
300         print(f'NIC statistics:')                 
301                                                   
302         # TODO: pass id?                          
303         strset = dumpit(ynl, args, 'strset-get    
304         pprint.PrettyPrinter().pprint(strset)     
305                                                   
306         req = {                                   
307           'groups': {                             
308             'size': 1,                            
309             'bits': {                             
310               'bit':                              
311                 # TODO: support passing the bi    
312                 #[                                
313                   #{ 'name': 'eth-phy', 'value    
314                   { 'name': 'eth-mac', 'value'    
315                   #{ 'name': 'eth-ctrl', 'valu    
316                   #{ 'name': 'rmon', 'value':     
317                 #],                               
318             },                                    
319           },                                      
320         }                                         
321                                                   
322         rsp = dumpit(ynl, args, 'stats-get', r    
323         pprint.PrettyPrinter().pprint(rsp)        
324         return                                    
325                                                   
326     if args.show_time_stamping:                   
327         req = {                                   
328           'header': {                             
329             'flags': 'stats',                     
330           },                                      
331         }                                         
332                                                   
333         tsinfo = dumpit(ynl, args, 'tsinfo-get    
334                                                   
335         print(f'Time stamping parameters for {    
336                                                   
337         print('Capabilities:')                    
338         [print(f'\t{v}') for v in bits_to_dict    
339                                                   
340         print(f'PTP Hardware Clock: {tsinfo["p    
341                                                   
342         print('Hardware Transmit Timestamp Mod    
343         [print(f'\t{v}') for v in bits_to_dict    
344                                                   
345         print('Hardware Receive Filter Modes:'    
346         [print(f'\t{v}') for v in bits_to_dict    
347                                                   
348         print('Statistics:')                      
349         [print(f'\t{k}: {v}') for k, v in tsin    
350         return                                    
351                                                   
352     print(f'Settings for {args.device}:')         
353     linkmodes = dumpit(ynl, args, 'linkmodes-g    
354     ours = bits_to_dict(linkmodes['ours'])        
355                                                   
356     supported_ports = ('TP',  'AUI', 'BNC', 'M    
357     ports = [ p for p in supported_ports if ou    
358     print(f'Supported ports: [ {" ".join(ports    
359                                                   
360     print_speed('Supported link modes', ours)     
361                                                   
362     print_field(ours, ('Pause', 'Supported pau    
363     print_field(ours, ('Autoneg', 'Supports au    
364                                                   
365     supported_fec = ('None',  'PS', 'BASER', '    
366     fec = [ p for p in supported_fec if ours.g    
367     fec_str = " ".join(fec)                       
368     if len(fec) == 0:                             
369         fec_str = "Not reported"                  
370                                                   
371     print(f'Supported FEC modes: {fec_str}')      
372                                                   
373     speed = 'Unknown!'                            
374     if linkmodes['speed'] > 0 and linkmodes['s    
375         speed = f'{linkmodes["speed"]}Mb/s'       
376     print(f'Speed: {speed}')                      
377                                                   
378     duplex_modes = {                              
379             0: 'Half',                            
380             1: 'Full',                            
381     }                                             
382     duplex = duplex_modes.get(linkmodes["duple    
383     if not duplex:                                
384         duplex = f'Unknown! ({linkmodes["duple    
385     print(f'Duplex: {duplex}')                    
386                                                   
387     autoneg = "off"                               
388     if linkmodes.get("autoneg", 0) != 0:          
389         autoneg = "on"                            
390     print(f'Auto-negotiation: {autoneg}')         
391                                                   
392     ports = {                                     
393             0: 'Twisted Pair',                    
394             1: 'AUI',                             
395             2: 'MII',                             
396             3: 'FIBRE',                           
397             4: 'BNC',                             
398             5: 'Directly Attached Copper',        
399             0xef: 'None',                         
400     }                                             
401     linkinfo = dumpit(ynl, args, 'linkinfo-get    
402     print(f'Port: {ports.get(linkinfo["port"],    
403                                                   
404     print_field(linkinfo, ('phyaddr', 'PHYAD')    
405                                                   
406     transceiver = {                               
407             0: 'Internal',                        
408             1: 'External',                        
409     }                                             
410     print(f'Transceiver: {transceiver.get(link    
411                                                   
412     mdix_ctrl = {                                 
413             1: 'off',                             
414             2: 'on',                              
415     }                                             
416     mdix = mdix_ctrl.get(linkinfo['tp-mdix-ctr    
417     if mdix:                                      
418         mdix = mdix + ' (forced)'                 
419     else:                                         
420         mdix = mdix_ctrl.get(linkinfo['tp-mdix    
421     print(f'MDI-X: {mdix}')                       
422                                                   
423     debug = dumpit(ynl, args, 'debug-get')        
424     msgmask = bits_to_dict(debug.get("msgmask"    
425     print(f'Current message level: {" ".join(m    
426                                                   
427     linkstate = dumpit(ynl, args, 'linkstate-g    
428     detected_states = {                           
429             0: 'no',                              
430             1: 'yes',                             
431     }                                             
432     # TODO: wol-get                               
433     detected = detected_states.get(linkstate['    
434     print(f'Link detected: {detected}')           
435                                                   
436 if __name__ == '__main__':                        
437     main()                                        
                                                      

~ [ source navigation ] ~ [ diff markup ] ~ [ identifier search ] ~

kernel.org | git.kernel.org | LWN.net | Project Home | SVN repository | Mail admin

Linux® is a registered trademark of Linus Torvalds in the United States and other countries.
TOMOYO® is a registered trademark of NTT DATA CORPORATION.

sflogo.php