source: fedd/fedd_client.py @ 12658df

axis_examplecompt_changesinfo-opsversion-3.01version-3.02
Last change on this file since 12658df was 12658df, checked in by Ted Faber <faber@…>, 14 years ago

Add interface to specify services to the command line. Also make
--serializeOnly into --serialize_only and fix its operation for create.

  • Property mode set to 100755
File size: 63.7 KB
Line 
1#!/usr/local/bin/python
2
3import sys
4import os
5import pwd
6import tempfile
7import subprocess
8import re
9import xml.parsers.expat
10import time
11
12from federation import fedid, service_error
13from federation.util import fedd_ssl_context, pack_id, unpack_id
14from federation.remote_service import service_caller
15from federation import topdl
16
17from optparse import OptionParser, OptionValueError
18
19
20class IDFormatException(RuntimeError): pass
21
22class access_method:
23    """Encapsulates an access method generically."""
24    (type_ssh, type_x509, type_pgp) = ('sshPubkey', 'X509', 'pgpPubkey')
25    default_type = type_ssh
26    def __init__(self, buf=None, type=None, file=None):
27        self.buf = buf
28
29        if type != None: self.type = type
30        else: self.type = access_method.default_type
31
32        if file != None:
33            self.readfile(file)
34   
35    def readfile(self, file, type=None):
36        f = open(file, "r")
37        self.buf = f.read();
38        f.close()
39        if type == None:
40            if self.type == None:
41                self.type = access_method.default_type
42        else:
43            self.type = type;
44   
45class node_desc:
46    def __init__(self, image, hardware, count=1):
47        if getattr(image, "__iter__", None) == None:
48            if image == None: self.image = [ ]
49            else: self.image = [ image ]
50        else:
51            self.image = image
52
53        if getattr(hardware, "__iter__", None) == None: 
54            if hardware == None: self.hardware = [ ]
55            else: self.hardware = [ hardware ]
56        else:
57            self.hardware = hardware
58        if count != None: self.count = int(count)
59        else: self.count = 1
60
61class fedd_client_opts(OptionParser):
62    """Encapsulate option processing in this class, rather than in main"""
63    def __init__(self):
64        OptionParser.__init__(self, usage="%prog [opts] (--help for details)",
65                version="0.1")
66
67        self.add_option("--cert", action="store", dest="cert",
68                type="string", help="my certificate file")
69        self.add_option( "--debug", action="count", dest="debug", 
70                default=0, help="Set debug.  Repeat for more information")
71        self.add_option("--serialize_only", action="store_true", 
72                dest="serialize_only", default=False,
73                help="Print the SOAP request that would be sent and exit")
74        self.add_option("--trusted", action="store", dest="trusted",
75                type="string", help="Trusted certificates (required)")
76        self.add_option("--url", action="store", dest="url",
77                type="string",default="https://localhost:23235", 
78                help="URL to connect to (default %default)")
79        self.add_option("--transport", action="store", type="choice",
80                choices=("xmlrpc", "soap"), default="soap",
81                help="Transport for request (xmlrpc|soap) (Default: %default)")
82        self.add_option("--trace", action="store_const", dest="tracefile", 
83                const=sys.stderr, help="Print SOAP exchange to stderr")
84class fedd_new_opts(fedd_client_opts):
85    def __init__(self):
86        fedd_client_opts.__init__(self)
87        self.add_option("--experiment_cert", dest="out_certfile",
88                type="string", help="output certificate file")
89        self.add_option("--experiment_name", dest="exp_name",
90                type="string", help="Suggested experiment name")
91
92class fedd_create_opts(fedd_new_opts):
93    def __init__(self):
94        fedd_new_opts.__init__(self)
95        self.add_option("--file", dest="file", 
96                help="experiment description file")
97        self.add_option("--project", action="store", dest="project", 
98                type="string",
99                help="Project to export from master")
100        self.add_option("--master", dest="master",
101                help="Master testbed in the federation (pseudo project export)")
102        self.add_option("--service", dest="service", action="append",
103                type="string", default=[],
104                help="Service description name:exporters:importers:attrs")
105
106class fedd_split_opts(fedd_create_opts):
107    def __init__(self ):
108        fedd_create_opts.__init__(self)
109        self.add_option('--fedkit', action='store_true', dest='fedkit',
110                default=False,
111                help="get output suitable for federation kit install")
112        self.add_option('--gatewaykit', action='store_true',
113                dest='gatewaykit', default=False,
114                help="get output suitable for federation gateway kit install")
115
116
117class fedd_access_opts(fedd_create_opts):
118    def __init__(self):
119        fedd_create_opts.__init__(self)
120        self.add_option("--label", action="store", dest="label",
121                type="string", help="Label for output")
122        if add_node_callback:
123            self.add_option("--node", action="callback", type="string", 
124                    callback=add_node_callback, callback_args=(node_descs,),
125                    help="Node description: image:hardware[:count]")
126        self.add_option("--testbed", action="store", dest="testbed",
127                type="string",
128                help="Testbed identifier (URI) to contact (required)")
129
130class fedd_exp_data_opts(fedd_client_opts):
131    def __init__(self):
132        fedd_client_opts.__init__(self)
133        self.add_option("--experiment_cert", dest="exp_certfile",
134                type="string", help="experiment certificate file")
135        self.add_option("--experiment_name", dest="exp_name",
136                type="string", help="human readable experiment name")
137        self.add_option("--data", dest="data", default=[],
138                action="append", type="choice",
139                choices=("id", "experimentdescription", "federant", "vtopo", 
140                    "vis", "log", "status"),
141                help="data to extract")
142
143class fedd_terminate_opts(fedd_exp_data_opts):
144    def __init__(self):
145        fedd_exp_data_opts.__init__(self)
146        self.add_option("--force", dest="force",
147                action="store_true", default=False,
148                help="Force termination if experiment is in strange state")
149        self.add_option("--logfile", dest="logfile", default=None,
150                help="File to write log to")
151        self.add_option("--print_log", dest="print_log", default=False,
152                action="store_true",
153                help="Print deallocation log to standard output")
154
155class fedd_multi_exp_data_opts(fedd_client_opts):
156    def __init__(self):
157        fedd_client_opts.__init__(self)
158        self.add_option("--data", dest="data", default=[],
159                action="append", type="choice",
160                choices=("id", "federant", "vtopo", "vis", "log", "status"),
161                help="data to extract")
162
163class fedd_spew_opts(fedd_client_opts):
164    def __init__(self):
165        fedd_client_opts.__init__(self)
166        self.add_option("--experiment_cert", dest="exp_certfile",
167                type="string", help="experiment name certificate file")
168        self.add_option("--experiment_name", dest="exp_name",
169                type="string", help="human readable experiment name")
170        self.add_option("--logfile", dest="logfile", default=None,
171                help="File to write log to")
172        self.add_option('--update_time', dest='update', type='int', default=10,
173                help='how often to update the printed log')
174
175class fedd_image_opts(fedd_exp_data_opts):
176    def __init__(self):
177        fedd_exp_data_opts.__init__(self)
178        self.add_option("--output", dest="outfile", type="string",
179                help="output image file")
180        self.add_option("--format", dest="format", type="choice", 
181                choices=("jpg", "png", "dot", "svg"),
182                help="Output file format override")
183        self.add_option("--program", dest="neato", default=None,
184                type="string",
185                help="Program compatible with dot (from graphviz) used to " + \
186                        "render image")
187        self.add_option("--labels", dest='labels', action='store_true',
188                default=True, help='Label nodes and edges')
189        self.add_option("--no_labels", dest='labels',
190                default=True, action='store_false',
191                help='Label nodes and edges')
192        self.add_option('--pixels', dest="pixels", default=None,
193                type="int",
194                help="Size of output in pixels (diagrams are square")
195
196class fedd_ns_image_opts(fedd_split_opts):
197    def __init__(self):
198        fedd_split_opts.__init__(self)
199        self.add_option("--output", dest="outfile", type="string",
200                help="output image file")
201        self.add_option("--format", dest="format", type="choice", 
202                choices=("jpg", "png", "dot", "svg"),
203                help="Output file format override")
204        self.add_option("--program", dest="neato", default=None,
205                type="string",
206                help="Program compatible with dot (from graphviz) used to " + \
207                        "render image")
208        self.add_option("--labels", dest='labels', action='store_true',
209                default=True, help='Label nodes and edges')
210        self.add_option("--no_labels", dest='labels',
211                default=True, action='store_false',
212                help='Label nodes and edges')
213        self.add_option('--pixels', dest="pixels", default=None,
214                type="int",
215                help="Size of output in pixels (diagrams are square")
216
217class fedd_start_opts(fedd_client_opts):
218    def __init__(self):
219        fedd_client_opts.__init__(self)
220        self.add_option("--file", dest="file", 
221                help="experiment description file")
222
223def exit_with_fault(dict, out=sys.stderr):
224    """ Print an error message and exit.
225
226    The dictionary contains the FeddFaultBody elements."""
227    codestr = ""
228
229    if dict.has_key('errstr'):
230        codestr = "Error: %s" % dict['errstr']
231
232    if dict.has_key('code'):
233        if len(codestr) > 0 : 
234            codestr += " (%d)" % dict['code']
235        else:
236            codestr = "Error Code: %d" % dict['code']
237
238    print>>out, codestr
239    print>>out, "Description: %s" % dict['desc']
240    sys.exit(dict.get('code', 20))
241# Base class for the various client operations.  It includes some commonly used
242# functions and classes the most important of which are the exception classes
243# and the service calling classes.
244class fedd_rpc:
245
246    class RPCException:
247        """
248        An error during the RPC exchange.  It unifies errors from both SOAP and
249        XMLPRC calls.
250        """
251        def __init__(self, fb):
252            self.desc = fb.get('desc', None)
253            self.code = fb.get('code', -1)
254            self.errstr = fb.get('errstr', None)
255
256    class caller(service_caller):
257        """
258        The caller is used by fedd_rpc.do_rpc to make the rpc call.  The extra
259        stashed information is used to parse responses a little.
260        """
261        def __init__(self, pre):
262            self.ResponseBody="%sResponseBody" % pre
263            self.method = pre
264            service_caller.__init__(self, self.method)
265
266    def __init__(self): 
267        """
268        Specialize the class for the pre method
269        """
270        self.caller = fedd_rpc.caller
271        self.RPCException = fedd_rpc.RPCException
272
273
274    def add_node_desc(self, option, opt_str, value, parser, node_descs):
275        def none_if_zero(x):
276            if len(x) > 0: return x
277            else: return None
278
279        params = map(none_if_zero, value.split(":"));
280       
281        if len(params) < 4 and len(params) > 1:
282            node_descs.append(node_desc(*params))
283        else:
284            raise OptionValueError("Bad node description: %s" % value)
285
286    def get_user_info(self):
287        pw = pwd.getpwuid(os.getuid());
288        try_cert=None
289        user = None
290
291        if pw != None:
292            user = pw[0]
293            try_cert = "%s/.ssl/emulab.pem" % pw[5];
294            if not os.access(try_cert, os.R_OK):
295                try_cert = None
296        return (user, try_cert)
297
298    def do_rpc(self, req_dict, url, transport, cert, trusted, tracefile=None,
299            serialize_only=False, caller=None):
300        """
301        The work of sending and parsing the RPC as either XMLRPC or SOAP
302        """
303
304        if caller is None: 
305            raise RuntimeError("Must provide caller to do_rpc")
306
307        context = None
308        while context == None:
309            try:
310                context = fedd_ssl_context(cert, trusted)
311            except Exception, e:
312                # Yes, doing this on message type is not ideal.  The string
313                # comes from OpenSSL, so check there is this stops working.
314                if str(e) == "bad decrypt": 
315                    print >>sys.stderr, "Bad Passphrase given."
316                else: raise
317
318        if transport == "soap":
319            if serialize_only:
320                print caller.serialize_soap(req_dict) 
321                return { }
322            else:
323                try:
324                    resp = caller.call_soap_service(url, req_dict, 
325                            context=context, tracefile=tracefile)
326                except service_error, e:
327                    raise self.RPCException( {\
328                            'code': e.code, 
329                            'desc': e.desc, 
330                            'errstr': e.code_string()\
331                        })
332        elif transport == "xmlrpc":
333            if serialize_only:
334                ser = dumps((req_dict,))
335                print ser
336                return { }
337            else:
338                try:
339                    resp = caller.call_xmlrpc_service(url, req_dict, 
340                            context=context, tracefile=tracefile)
341                except service_error, e:
342                    raise self.RPCException( {\
343                            'code': e.code, 
344                            'desc': e.desc, 
345                            'errstr': e.code_string()\
346                        })
347
348        else:
349            raise RuntimeError("Unknown RPC transport: %s" % transport)
350
351        if resp.has_key(caller.ResponseBody):
352            return resp[caller.ResponseBody]
353        else:
354            raise RuntimeError("No body in response??")
355
356class exp_data_base(fedd_rpc):
357    def __init__(self):
358        """
359        Init the various conversions
360        """
361
362        fedd_rpc.__init__(self)
363        # List of things one could ask for and what formatting routine is
364        # called.
365        self.params = {
366                'vis': ('vis', self.print_vis_or_vtopo('vis')),
367                'vtopo': ('vtopo', self.print_vis_or_vtopo('vtopo')),
368                'federant': ('federant', self.print_xml),
369                'experimentdescription': \
370                        ('experimentdescription', self.print_xml),
371                'id': ('experimentID', self.print_id),
372                'status': ('experimentStatus', self.print_string),
373                'log': ('allocationLog', self.print_string),
374                'access': ('experimentAccess', self.print_string),
375            }
376
377    # Utility functions
378    def print_string(self, d, out=sys.stdout):
379        print >>out, d
380
381    def print_id(self, d, out=sys.stdout):
382        if d:
383            for id in d:
384                for k in id.keys():
385                    print >>out, "%s: %s" % (k, id[k])
386
387    def print_xml(self, d, out=sys.stdout):
388        """
389        Very simple ugly xml formatter of the kinds of dicts that come back
390        from services.
391        """
392        if isinstance(d, dict):
393            for k, v in d.items():
394                print >>out, "<%s>" % k
395                self.print_xml(v, out)
396                print >>out, "</%s>" % k
397        elif isinstance(d, list):
398            for x in d:
399                self.print_xml(x, out)
400        else:
401            print >>out, d
402
403
404    class print_vis_or_vtopo:
405        """
406        Print the retrieved data is a simple xml representation of the dict.
407        """
408        def __init__(self, top):
409            self.xml = top
410
411        def __call__(self, d, out=sys.stdout):
412            str = "<%s>\n" % self.xml
413            for t in ('node', 'lan'):
414                if d.has_key(t): 
415                    for x in d[t]:
416                        str += "<%s>" % t
417                        for k in x.keys():
418                            str += "<%s>%s</%s>" % (k, x[k],k)
419                        str += "</%s>\n" % t
420            str+= "</%s>" % self.xml
421            print >>out, str
422
423       
424    def __call__(self):
425        """
426        The control flow.  Compose the request and print the response.
427        """
428        # Process the options using the customized option parser defined above
429        parser = fedd_exp_data_opts()
430
431        (opts, args) = parser.parse_args()
432
433        if opts.trusted:
434            if ( not os.access(opts.trusted, os.R_OK) ) :
435                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
436
437        if opts.debug > 0: opts.tracefile=sys.stderr
438
439        (user, cert) = self.get_user_info()
440
441        if opts.cert != None: cert = opts.cert
442
443        if cert == None:
444            sys.exit("No certificate given (--cert) or found")
445
446        if os.access(cert, os.R_OK):
447            fid = fedid(file=cert)
448        else:
449            sys.exit("Cannot read certificate (%s)" % cert)
450
451        if opts.exp_name and opts.exp_certfile:
452            sys.exit("Only one of --experiment_cert and " +\
453                    "--experiment_name permitted");
454
455        exp_id = None
456        if opts.exp_certfile:
457            exp_id = { 'fedid': fedid(file=opts.exp_certfile) }
458
459        if opts.exp_name:
460            exp_id = { 'localname' : opts.exp_name }
461
462        if not exp_id:
463            sys.exit("specify one of --experiment_cert and --experiment_name")
464
465
466        req = { 'experiment': exp_id }
467
468        try:
469            resp_dict = self.do_rpc(req,
470                    opts.url, opts.transport, cert, opts.trusted, 
471                    serialize_only=opts.serialize_only,
472                    tracefile=opts.tracefile,
473                    caller=self.caller('Info'))
474        except self.RPCException, e:
475            exit_with_fault(\
476                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
477        except RuntimeError, e:
478            sys.exit("Error processing RPC: %s" % e)
479
480        return (resp_dict, opts)
481
482
483# Querying experiment data follows the same control flow regardless of the
484# specific data retrieved.  This class encapsulates that control flow.
485class exp_data(exp_data_base):
486    def __init__(self): 
487        exp_data_base.__init__(self)
488
489    def __call__(self):
490        """
491        The control flow.  Compose the request and print the response.
492        """
493
494        resp_dict, opts = exp_data_base.__call__(self)
495
496        for d in opts.data:
497            key, output = self.params[d]
498            try:
499                if resp_dict.has_key(key):
500                    output(resp_dict[key])
501            except RuntimeError, e:
502                sys.exit("Bad response. %s" % e.message)
503
504class ftopo(exp_data_base):
505    """
506    ftopo returns the mapping from logical name to local hostname
507    """
508    def __init__(self):
509        exp_data_base.__init__(self)
510    def __call__(self):
511        sys.argv.append('--data=experimentdescription')
512        resp, opts = exp_data_base.__call__(self)
513        if 'experimentdescription' in resp and \
514                'topdldescription' in resp['experimentdescription']:
515            top = \
516                topdl.Topology(\
517                **resp['experimentdescription']['topdldescription'])
518
519            for e in [ e for e in top.elements \
520                    if isinstance(e, topdl.Computer)]:
521                hn = e.get_attribute('hostname')
522                tb = e.get_attribute('testbed')
523                if hn and tb:
524                    print ":".join([",".join(e.name), hn, tb])
525
526
527
528
529class vtopo(exp_data_base):
530    """
531    vtopo is just an info --data=vtopo request, so this adds that parameter to
532    the arguments and executes exp_info when called.
533    """
534    def __init__(self):
535        exp_data_base.__init__(self)
536    def __call__(self):
537        sys.argv.append('--data=vtopo')
538        resp, opts = exp_data_base.__call__(self)
539        if 'vtopo' in resp:
540            self.print_vis_or_vtopo('vtopo')(resp['vtopo'])
541
542
543class vis(exp_data_base):
544    """
545    vis is just an info --data=vis request, so this adds that parameter to
546    the arguments and executes exp_info when called.
547    """
548    def __init__(self):
549        exp_data_base.__init__(self)
550    def __call__(self):
551        sys.argv.append('--data=vis')
552        resp, opts = exp_data_base.__call__(self)
553        if 'vis' in resp:
554            self.print_vis_or_vtopo('vis')(resp['vis'])
555
556class status(exp_data_base):
557    """
558    status is just an info --data=status request, so this adds that parameter
559    to the arguments and executes exp_info when called.
560    """
561    def __init__(self):
562        exp_data_base.__init__(self)
563    def __call__(self):
564        sys.argv.append('--data=status')
565        resp, opts = exp_data_base.__call__(self)
566        if 'experimentStatus' in resp:
567            self.print_string(resp['experimentStatus'])
568
569class multi_exp_data(exp_data_base):
570    def __init__(self): 
571        exp_data_base.__init__(self)
572
573
574    def __call__(self):
575        """
576        The control flow.  Compose the request and print the response.
577        """
578        # Process the options using the customized option parser defined above
579        parser = fedd_multi_exp_data_opts()
580
581        (opts, args) = parser.parse_args()
582
583        if opts.trusted:
584            if ( not os.access(opts.trusted, os.R_OK) ) :
585                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
586
587        if opts.debug > 0: opts.tracefile=sys.stderr
588
589        (user, cert) = self.get_user_info()
590
591        if opts.cert != None: cert = opts.cert
592
593        if cert == None:
594            sys.exit("No certificate given (--cert) or found")
595
596        if os.access(cert, os.R_OK):
597            fid = fedid(file=cert)
598        else:
599            sys.exit("Cannot read certificate (%s)" % cert)
600
601        req = { }
602
603        try:
604            resp_dict = self.do_rpc(req,
605                    opts.url, opts.transport, cert, opts.trusted, 
606                    serialize_only=opts.serialize_only,
607                    tracefile=opts.tracefile,
608                    caller=self.caller('MultiInfo'))
609        except self.RPCException, e:
610            exit_with_fault(\
611                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
612        except RuntimeError, e:
613            sys.exit("Error processing RPC: %s" % e)
614
615        exps = resp_dict.get('info', [])
616        if exps:
617            print '---'
618            for exp in exps:
619                for d in opts.data:
620                    key, output = self.params[d]
621                    try:
622                        if exp.has_key(key):
623                            output(exp[key])
624                    except RuntimeError, e:
625                        sys.exit("Bad response. %s" % e.message)
626                print '---'
627
628
629class multi_status(exp_data_base):
630    def __init__(self): 
631        exp_data_base.__init__(self)
632
633
634    def __call__(self):
635        """
636        The control flow.  Compose the request and print the response.
637        """
638        # Process the options using the customized option parser defined above
639        parser = fedd_client_opts()
640
641        (opts, args) = parser.parse_args()
642
643        if opts.trusted:
644            if ( not os.access(opts.trusted, os.R_OK) ) :
645                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
646
647        if opts.debug > 0: opts.tracefile=sys.stderr
648
649        (user, cert) = self.get_user_info()
650
651        if opts.cert != None: cert = opts.cert
652
653        if cert == None:
654            sys.exit("No certificate given (--cert) or found")
655
656        if os.access(cert, os.R_OK):
657            fid = fedid(file=cert)
658        else:
659            sys.exit("Cannot read certificate (%s)" % cert)
660
661        req = { }
662
663        try:
664            resp_dict = self.do_rpc(req,
665                    opts.url, opts.transport, cert, opts.trusted, 
666                    serialize_only=opts.serialize_only,
667                    tracefile=opts.tracefile,
668                    caller=self.caller('MultiInfo'))
669        except self.RPCException, e:
670            exit_with_fault(\
671                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
672        except RuntimeError, e:
673            sys.exit("Error processing RPC: %s" % e)
674
675        for exp in resp_dict.get('info', []):
676            out = []
677            for eid in exp.get('experimentID', []):
678                if eid.has_key('localname'):
679                    out.append(eid['localname'])
680                    break
681            else:
682                out.append("")
683            for eid in exp.get('experimentID', []):
684                if eid.has_key('fedid'):
685                    out.append("%s" % eid['fedid'])
686                    break
687            else:
688                out.append("")
689
690            out.append(exp.get('experimentStatus', ""))
691
692            for f in exp.get('federant', []):
693                if f.get('master', False):
694                    em = f.get('emulab', None)
695                    if em:
696                        project = em.get('project', None)
697                        if project:
698                            tb = project.get('testbed', None)
699                            if tb and tb.has_key('localname'):
700                                out.append(tb['localname'])
701                            else:
702                                out.append("")
703                            pn = project.get('name', None)
704                            if pn and pn.has_key('localname'):
705                                out.append(pn['localname'])
706                            else:
707                                out.append("")
708                        else:
709                            out.extend(("", ""))
710                    else:
711                        out.extend(("", ""))
712                    break
713            else:
714                out.extend(("",""))
715
716            print ":".join(out)
717
718class image(fedd_rpc):
719    def __init__(self): 
720        """
721        Null constructor
722        """
723
724        fedd_rpc.__init__(self)
725
726    @staticmethod
727    def gen_dot_topo(d, labels, dotfile):
728        lans = { }
729        links = { }
730
731        for n in d.get('node', []):
732            print >>dotfile, '\t"%s" [shape=box,style=filled,\\' % n['vname']
733            print >>dotfile, '\t\tcolor=black,fillcolor="#60f8c0",regular=1]'
734
735        # Collect lan members (we have to draw extra stuff for these)
736        for n in d.get('lan', []):
737            v = n['vname']
738            m = n['member']
739            i = n['ip']
740            if m.find(':') != -1:
741                m = m[0:m.find(':')]
742            if lans.has_key(v):
743                lans[v].append((m, i))
744            elif links.has_key(v):
745                links[v].append((m, i))
746                if len(links[v]) > 2:
747                    lans[v] = links[v]
748                    del links[v]
749            else:
750                links[v] = [(m, i)]
751
752        # Encode the lans and the links
753        for l in lans.keys():
754            print >>dotfile, '\t"%s" [shape=ellipse, style=filled,\\' % l
755            print >>dotfile,'\t\tcolor=black,fillcolor="#80c0f8",regular=1]'
756            for n in lans[l]:
757                if labels:
758                    print >>dotfile, '\t"%s" -- "%s" [headlabel="%s"]' % \
759                            (l, n[0], n[1])
760                else:
761                    print >>dotfile, '\t"%s" -- "%s"' % (l, n[0])
762
763        for k, l in links.items():
764            if len(l) == 2:
765                if labels:
766                    print >>dotfile, \
767                            ('\t"%s" -- "%s" [label="%s",taillabel="%s",' + \
768                            'headlabel="%s"]') % \
769                            (l[0][0], l[1][0], k, l[0][1], l[1][1])
770                else:
771                    print >>dotfile, '\t"%s" -- "%s" ' % (l[0][0], l[1][0])
772
773
774    def gen_image(self, d, nodes, file, fmt, neato, labels, pix=None):
775
776        # Open up a temporary file for dot to turn into a visualization
777        try:
778            df, dotname = tempfile.mkstemp(prefix='fedd_client', suffix=".dot")
779            dotfile = os.fdopen(df, 'w')
780        except IOError:
781            raise service_error(service_error.internal,
782                    "Failed to open file in genviz")
783
784        if not neato:
785            for f in ['/usr/bin/neato', '/usr/local/bin/neato', 
786                    '/usr/bin/dot', '/usr/local/bin/dot']:
787                if os.access(f, os.X_OK):
788                    neato = f
789                    break
790            else:
791                sys.exit("Cannot find graph rendering program")
792
793        cmd = [neato, '-Gsplines=true']
794        if fmt != 'dot': cmd.append('-T%s' % fmt)
795        if file:
796            cmd.append('-o')
797            cmd.append(file)
798        cmd.append(dotname)
799
800        #nodes = d.get('node',[])
801
802        if nodes < 10: size = 5
803        elif nodes < 50: size = 10
804        else: size = 18
805
806        if pix:
807            dpi = pix / size
808        else:
809            dpi = None
810
811
812        print >>dotfile, "graph G {"
813        if dpi:
814            print >>dotfile, '\tgraph [size="%i,%i", dpi="%i", ratio=fill];' \
815                    % (size, size, dpi)
816        else:
817            print >>dotfile, '\tgraph [size="%i,%i", ratio=fill];' \
818                    % (size, size)
819
820        if labels:
821            print >>dotfile, '\tnode [fontname=arial,fontsize=9,label="\N"];'
822            print >>dotfile, '\tedge [fontname=arial,fontsize=9];\n'
823        else:
824            print >>dotfile, '\tnode [label=""];'
825
826
827        self.gen_dot_topo(d, labels, dotfile)
828        print >>dotfile, "}"
829        dotfile.close()
830
831        # Redirect the drawing program stderr
832        dev_null = open("/dev/null", "w")
833        rv = subprocess.call(cmd, stderr=dev_null)
834        os.remove(dotname)
835        dev_null.close()
836        if rv != 0:
837            sys.exit("Error creating graph")
838
839
840
841    def __call__(self):
842        """
843        The control flow.  Compose the request and print the response.
844        """
845        # Process the options using the customized option parser defined above
846        parser = fedd_image_opts()
847
848        (opts, args) = parser.parse_args()
849
850        if opts.trusted:
851            if ( not os.access(opts.trusted, os.R_OK) ) :
852                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
853
854        if opts.debug > 0: opts.tracefile=sys.stderr
855
856        (user, cert) = self.get_user_info()
857
858        if opts.cert != None: cert = opts.cert
859
860        if cert == None:
861            sys.exit("No certificate given (--cert) or found")
862
863        if os.access(cert, os.R_OK):
864            fid = fedid(file=cert)
865        else:
866            sys.exit("Cannot read certificate (%s)" % cert)
867
868        if opts.exp_name and opts.exp_certfile:
869            sys.exit("Only one of --experiment_cert and " +\
870                    "--experiment_name permitted");
871
872        if opts.exp_certfile:
873            exp_id = { 'fedid': fedid(file=opts.exp_certfile) }
874
875        if opts.exp_name:
876            exp_id = { 'localname' : opts.exp_name }
877
878        if opts.format and opts.outfile:
879            fmt = opts.format
880            file = opts.outfile
881        elif not opts.format and opts.outfile:
882            fmt = opts.outfile[-3:]
883            if fmt not in ("png", "jpg", "dot", "svg"):
884                sys.exit("Unexpected file type and no format specified")
885            file = opts.outfile
886        elif opts.format and not opts.outfile:
887            fmt = opts.format
888            file = None
889        else:
890            fmt="dot"
891            file = None
892
893
894        req = { 'experiment': exp_id }
895
896        try:
897            resp_dict = self.do_rpc(req,
898                    opts.url, opts.transport, cert, opts.trusted, 
899                    serialize_only=opts.serialize_only,
900                    tracefile=opts.tracefile,
901                    caller=self.caller('Vtopo'))
902        except self.RPCException, e:
903            exit_with_fault(\
904                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
905        except RuntimeError, e:
906            sys.exit("Error processing RPC: %s" % e)
907
908
909        if resp_dict.has_key('vtopo'):
910            self.gen_image(resp_dict['vtopo'], 
911                    len(resp_dict['vtopo'].get('node', [])),
912                    file, fmt, opts.neato, opts.labels, opts.pixels)
913        elif opts.serialze_only:
914            sys.exit(0)
915        else:
916            sys.exit("Bad response. %s" % e.message)
917
918class ns_image(image):
919    def __init__(self): 
920        """
921        Null constructor
922        """
923
924        image.__init__(self)
925
926    def generate_topo_dict(self, splitout):
927        class topo_parse:
928            """
929            Parse the topology XML and create the dats structure.  This class
930            is copied from federation.experiment_control.
931            """
932            def __init__(self):
933                # Typing of the subelements for data conversion
934                self.str_subelements = ('vname', 'vnode', 'ips', 'ip', 'member')
935                self.int_subelements = ( 'bandwidth',)
936                self.float_subelements = ( 'delay',)
937                # The final data structure
938                self.nodes = [ ]
939                self.lans =  [ ]
940                self.topo = { \
941                        'node': self.nodes,\
942                        'lan' : self.lans,\
943                    }
944                self.element = { }  # Current element being created
945                self.chars = ""     # Last text seen
946
947            def end_element(self, name):
948                # After each sub element the contents is added to the current
949                # element or to the appropriate list.
950                if name == 'node':
951                    self.nodes.append(self.element)
952                    self.element = { }
953                elif name == 'lan':
954                    self.lans.append(self.element)
955                    self.element = { }
956                elif name in self.str_subelements:
957                    self.element[name] = self.chars
958                    self.chars = ""
959                elif name in self.int_subelements:
960                    self.element[name] = int(self.chars)
961                    self.chars = ""
962                elif name in self.float_subelements:
963                    self.element[name] = float(self.chars)
964                    self.chars = ""
965
966            def found_chars(self, data):
967                self.chars += data.rstrip()
968
969
970        tp = topo_parse();
971        parser = xml.parsers.expat.ParserCreate()
972        parser.EndElementHandler = tp.end_element
973        parser.CharacterDataHandler = tp.found_chars
974
975        m = re.search('^#\s+Begin\s+Vtopo\s*$(.*)^#\s+End\s+Vtopo', splitout, 
976                re.MULTILINE | re.DOTALL)
977        if m:
978            str = m.group(1)
979        else:
980            sys.exit("Badly formatted split")
981
982        parser.Parse(str)
983
984        return tp.topo
985
986    def __call__(self):
987        """
988        The control flow.  Compose the request and print the response.
989        """
990        # Process the options using the customized option parser defined above
991        parser = fedd_ns_image_opts()
992
993        (opts, args) = parser.parse_args()
994
995        if opts.trusted:
996            if ( not os.access(opts.trusted, os.R_OK) ) :
997                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
998
999        if opts.debug > 0: opts.tracefile=sys.stderr
1000
1001        (user, cert) = self.get_user_info()
1002
1003        if opts.cert != None: cert = opts.cert
1004
1005        if cert == None:
1006            sys.exit("No certificate given (--cert) or found")
1007
1008        if os.access(cert, os.R_OK):
1009            fid = fedid(file=cert)
1010        else:
1011            sys.exit("Cannot read certificate (%s)" % cert)
1012
1013        if opts.file:
1014            exp_desc = ""
1015            try:
1016                f = open(opts.file, 'r')
1017                for line in f:
1018                    exp_desc += line
1019                f.close()
1020            except IOError:
1021                sys.exit("Cannot read description file (%s)" %opts.file)
1022        else:
1023            sys.exit("Must specify an experiment description (--file)")
1024
1025        if not opts.master:
1026            opts.master="dummy"
1027
1028
1029        req = {
1030                'description': { 'ns2description': exp_desc },
1031                'master': opts.master,
1032                'include_fedkit': opts.fedkit,
1033                'include_gatewaykit': opts.gatewaykit,
1034                }
1035
1036
1037        if opts.format and opts.outfile:
1038            fmt = opts.format
1039            file = opts.outfile
1040        elif not opts.format and opts.outfile:
1041            fmt = opts.outfile[-3:]
1042            if fmt not in ("png", "jpg", "dot", "svg"):
1043                sys.exit("Unexpected file type and no format specified")
1044            file = opts.outfile
1045        elif opts.format and not opts.outfile:
1046            fmt = opts.format
1047            file = None
1048        else:
1049            fmt="dot"
1050            file = None
1051
1052        try:
1053            resp_dict = self.do_rpc(req,
1054                    opts.url, opts.transport, cert, opts.trusted, 
1055                    serialize_only=opts.serialize_only,
1056                    tracefile=opts.tracefile,
1057                    caller=self.caller('Ns2Split'))
1058        except self.RPCException, e:
1059            exit_with_fault(\
1060                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1061        except RuntimeError, e:
1062            sys.exit("Error processing RPC: %s" % e)
1063
1064
1065        if resp_dict.has_key('output'):
1066            if len(resp_dict['output']) < 1:
1067                sys.exit("Bad response: could not split")
1068            topo = self.generate_topo_dict(resp_dict['output'])
1069            self.gen_image(topo, len(topo.get('node', [])), file, fmt,
1070                    opts.neato, opts.labels, opts.pixels)
1071        elif opts.serialze_only:
1072            sys.exit(0)
1073        else:
1074            sys.exit("Bad response. %s" % e.message)
1075
1076class topdl_image(image):
1077    def __init__(self): 
1078        """
1079        Null constructor
1080        """
1081
1082        image.__init__(self)
1083
1084    @staticmethod
1085    def gen_dot_topo(t, labels, dotfile):
1086        lans = [ s for s in t.substrates if len(s.interfaces) != 2]
1087        links = [ s for s in t.substrates if len(s.interfaces) == 2]
1088
1089        i = 0
1090        for n in t.elements:
1091            if n.name:
1092                print >>dotfile, '\t"%s" [shape=box,style=filled,\\' % n.name[0]
1093            else:
1094                print >>dotfile, \
1095                        '\t"unnamed_node%d" [shape=box,style=filled,\\' % i
1096                i += 1
1097            print >>dotfile, '\t\tcolor=black,fillcolor="#60f8c0",regular=1]'
1098
1099        # Encode the lans and the links
1100        for l in lans:
1101            print >>dotfile, '\t"%s" [shape=ellipse, style=filled,\\' % l.name
1102            print >>dotfile,'\t\tcolor=black,fillcolor="#80c0f8",regular=1]'
1103            for i in l.interfaces:
1104                ip = i.get_attribute('ip4_address')
1105                if labels and ip:
1106                    print >>dotfile, '\t"%s" -- "%s" [headlabel="%s"]' % \
1107                            (l.name, i.element.name[0], ip)
1108                else:
1109                    print >>dotfile, '\t"%s" -- "%s"' % \
1110                            (l.name, i.element.name[0])
1111
1112        for l in links:
1113            s, d = l.interfaces[0:2] 
1114            sip = s.get_attribute('ip4_address')
1115            dip = d.get_attribute('ip4_address')
1116            if labels and sip and dip:
1117                print >>dotfile, \
1118                        ('\t"%s" -- "%s" [label="%s",taillabel="%s",' + \
1119                        'headlabel="%s"]') % \
1120                        (s.element.name[0], d.element.name[0], l.name,
1121                            sip, dip)
1122            else:
1123                print >>dotfile, '\t"%s" -- "%s" ' % \
1124                        (s.element.name[0], d.element.name[0])
1125    def __call__(self):
1126        """
1127        The control flow.  Compose the request and print the response.
1128        """
1129        # Process the options using the customized option parser defined above
1130        parser = fedd_ns_image_opts()
1131
1132        (opts, args) = parser.parse_args()
1133
1134        if opts.trusted:
1135            if ( not os.access(opts.trusted, os.R_OK) ) :
1136                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
1137
1138        if opts.debug > 0: opts.tracefile=sys.stderr
1139
1140        (user, cert) = self.get_user_info()
1141
1142        if opts.cert != None: cert = opts.cert
1143
1144        if cert == None:
1145            sys.exit("No certificate given (--cert) or found")
1146
1147        if os.access(cert, os.R_OK):
1148            fid = fedid(file=cert)
1149        else:
1150            sys.exit("Cannot read certificate (%s)" % cert)
1151
1152        if opts.file:
1153            exp_desc = ""
1154            try:
1155                top = topdl.topology_from_xml(filename=opts.file, 
1156                        top="experiment")
1157            except IOError:
1158                sys.exit("Cannot read description file (%s)" % opts.file)
1159        else:
1160            sys.exit("Must specify an experiment description (--file)")
1161
1162        if not opts.master:
1163            opts.master="dummy"
1164
1165
1166        if opts.format and opts.outfile:
1167            fmt = opts.format
1168            file = opts.outfile
1169        elif not opts.format and opts.outfile:
1170            fmt = opts.outfile[-3:]
1171            if fmt not in ("png", "jpg", "dot", "svg"):
1172                sys.exit("Unexpected file type and no format specified")
1173            file = opts.outfile
1174        elif opts.format and not opts.outfile:
1175            fmt = opts.format
1176            file = None
1177        else:
1178            fmt="dot"
1179            file = None
1180
1181        self.gen_image(top, len(top.elements), file, fmt, opts.neato, 
1182                opts.labels, opts.pixels)
1183
1184class terminate(fedd_rpc):
1185    def __init__(self): 
1186        """
1187        Termination request
1188        """
1189
1190        fedd_rpc.__init__(self)
1191
1192    def __call__(self):
1193        """
1194        The control flow.  Compose the request and print the response.
1195        """
1196        # Process the options using the customized option parser defined above
1197        parser = fedd_terminate_opts()
1198
1199        (opts, args) = parser.parse_args()
1200
1201        (user, cert) = self.get_user_info()
1202        if opts.trusted:
1203            if ( not os.access(opts.trusted, os.R_OK) ) :
1204                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
1205
1206        if opts.debug > 0: opts.tracefile=sys.stderr
1207
1208        if opts.cert != None: cert = opts.cert
1209
1210        if cert == None:
1211            sys.exit("No certificate given (--cert) or found")
1212
1213        if os.access(cert, os.R_OK):
1214            fid = fedid(file=cert)
1215        else:
1216            sys.exit("Cannot read certificate (%s)" % cert)
1217
1218        if opts.exp_name and opts.exp_certfile:
1219            sys.exit("Only one of --experiment_cert and " +\
1220                    "--experiment_name permitted")
1221
1222        if opts.print_log and opts.logfile:
1223            sys.exit("Only one of --logfile and --print_log is permitted")
1224        elif opts.print_log:
1225            out = sys.stdout
1226        elif opts.logfile:
1227            try:
1228                out = open(opts.logfile, "w")
1229            except IOError,e:
1230                sys.exit("Cannot open logfile: %s" %e)
1231        else:
1232            out = None
1233
1234        exp_id = None
1235
1236        if opts.exp_certfile:
1237            exp_id = { 'fedid': fedid(file=opts.exp_certfile) }
1238
1239        if opts.exp_name:
1240            exp_id = { 'localname' : opts.exp_name }
1241
1242        if not exp_id:
1243            sys.exit("Must give one of --experiment_cert and " +\
1244                    "--experiment_name");
1245
1246        req = { 'experiment': exp_id, 'force': opts.force }
1247
1248        try:
1249            resp_dict = self.do_rpc(req,
1250                    opts.url, opts.transport, cert, opts.trusted, 
1251                    serialize_only=opts.serialize_only,
1252                    tracefile=opts.tracefile,
1253                    caller=self.caller('Terminate'))
1254        except self.RPCException, e:
1255            exit_with_fault(\
1256                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1257        except RuntimeError, e:
1258            print e
1259            sys.exit("Error processing RPC: %s" % e)
1260
1261        if out:
1262            log = resp_dict.get('deallocationLog', None)
1263            if log:
1264                print >>out, log
1265                out.close()
1266            else:
1267                out.close()
1268                sys.exit("No log returned")
1269
1270class terminate_segment(fedd_rpc):
1271    def __init__(self): 
1272        """
1273        Termination request
1274        """
1275
1276        fedd_rpc.__init__(self)
1277
1278    def __call__(self):
1279        """
1280        The control flow.  Compose the request and print the response.
1281        """
1282        # Process the options using the customized option parser defined above
1283        parser = fedd_terminate_opts()
1284
1285        (opts, args) = parser.parse_args()
1286
1287        (user, cert) = self.get_user_info()
1288        if opts.trusted:
1289            if ( not os.access(opts.trusted, os.R_OK) ) :
1290                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
1291
1292        if opts.debug > 0: opts.tracefile=sys.stderr
1293
1294        if opts.cert != None: cert = opts.cert
1295
1296        if cert == None:
1297            sys.exit("No certificate given (--cert) or found")
1298
1299        if os.access(cert, os.R_OK):
1300            fid = fedid(file=cert)
1301        else:
1302            sys.exit("Cannot read certificate (%s)" % cert)
1303
1304        if opts.exp_name and opts.exp_certfile:
1305            sys.exit("Only one of --experiment_cert and " +\
1306                    "--experiment_name permitted")
1307
1308        if opts.print_log and opts.logfile:
1309            sys.exit("Only one of --logfile and --print_log is permitted")
1310        elif opts.print_log:
1311            out = sys.stdout
1312        elif opts.logfile:
1313            try:
1314                out = open(opts.logfile, "w")
1315            except IOError,e:
1316                sys.exit("Cannot open logfile: %s" %e)
1317        else:
1318            out = None
1319
1320        exp_id = None
1321
1322        if opts.exp_certfile:
1323            exp_id = { 'fedid': fedid(file=opts.exp_certfile) }
1324
1325        if opts.exp_name:
1326            exp_id = { 'localname' : opts.exp_name }
1327
1328        if not exp_id:
1329            sys.exit("Must give one of --experiment_cert and " +\
1330                    "--experiment_name");
1331
1332        req = { 'allocID': exp_id, 'force': opts.force }
1333
1334        try:
1335            resp_dict = self.do_rpc(req,
1336                    opts.url, opts.transport, cert, opts.trusted, 
1337                    serialize_only=opts.serialize_only,
1338                    tracefile=opts.tracefile,
1339                    caller=self.caller('TerminateSegment'))
1340        except self.RPCException, e:
1341            exit_with_fault(\
1342                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1343        except RuntimeError, e:
1344            print e
1345            sys.exit("Error processing RPC: %s" % e)
1346
1347        if out:
1348            log = resp_dict.get('deallocationLog', None)
1349            if log:
1350                print >>out, log
1351                out.close()
1352            else:
1353                out.close()
1354                sys.exit("No log returned")
1355
1356class new(fedd_rpc):
1357    def __init__(self): 
1358        fedd_rpc.__init__(self)
1359    def __call__(self):
1360        # Process the options using the customized option parser defined above
1361        parser = fedd_new_opts()
1362
1363        (opts, args) = parser.parse_args()
1364
1365        if opts.trusted:
1366            if ( not os.access(opts.trusted, os.R_OK) ) :
1367                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
1368
1369        if opts.debug > 0: opts.tracefile=sys.stderr
1370
1371        (user, cert) = self.get_user_info()
1372
1373        if opts.cert != None: cert = opts.cert
1374
1375        if cert == None:
1376            sys.exit("No certificate given (--cert) or found")
1377
1378        if os.access(cert, os.R_OK):
1379            fid = fedid(file=cert)
1380        else:
1381            sys.exit("Cannot read certificate (%s)" % cert)
1382
1383        out_certfile = opts.out_certfile
1384
1385        msg = { }
1386
1387        if opts.exp_name:
1388            msg['experimentID'] = { 'localname': opts.exp_name }
1389
1390        if opts.debug > 1: print >>sys.stderr, msg
1391
1392        try:
1393            resp_dict = self.do_rpc(msg, 
1394                    opts.url, opts.transport, cert, opts.trusted, 
1395                    serialize_only=opts.serialize_only,
1396                    tracefile=opts.tracefile, 
1397                    caller=self.caller("New"))
1398        except self.RPCException, e:
1399            exit_with_fault(\
1400                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1401        except RuntimeError, e:
1402            sys.exit("Error processing RPC: %s" % e)
1403
1404        if opts.debug > 1: print >>sys.stderr, resp_dict
1405
1406        ea = resp_dict.get('experimentAccess', None)
1407        if out_certfile and ea and ea.has_key('X509'):
1408            try:
1409                f = open(out_certfile, "w")
1410                print >>f, ea['X509']
1411                f.close()
1412            except IOError:
1413                sys.exit('Could not write to %s' %  out_certfile)
1414        eid = resp_dict.get('experimentID', None)
1415        if eid:
1416            for id in eid:
1417                for k in id.keys():
1418                    print "%s: %s" % (k, id[k])
1419        st = resp_dict.get('experimentStatus', None)
1420        if st:
1421            print "status: %s" % st
1422
1423
1424class create(fedd_rpc):
1425    def __init__(self): 
1426        fedd_rpc.__init__(self)
1427
1428    @staticmethod
1429    def parse_service(svc):
1430        terms = svc.split(':')
1431        svcd = { }
1432        if len(terms) < 2 or len(terms[0]) == 0 or len(terms[1]) == 0:
1433            sys.exit("Bad service description '%s': Not enough terms" % svc)
1434       
1435        svcd['name'] = terms[0]
1436        svcd['export'] = terms[1].split(",")
1437        if len(terms) > 2 and len(terms[2]) > 0:
1438            svcd['import'] = terms[2].split(",")
1439        if len(terms) > 3 and len(terms[3]) > 0:
1440            svcd['fedAttr'] = [ ]
1441            for t in terms[3].split(","):
1442                i = t.find("=")
1443                if i != -1 :
1444                    svcd['fedAttr'].append(
1445                            {'attribute': t[0:i], 'value': t[i+1:]})
1446                else:
1447                    sys.exit("Bad service attribute '%s': no equals sign" % t)
1448        return svcd
1449
1450    def __call__(self):
1451        parser = fedd_create_opts()
1452
1453        (opts, args) = parser.parse_args()
1454
1455        svcs = []
1456
1457        if opts.trusted:
1458            if ( not os.access(opts.trusted, os.R_OK) ) :
1459                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
1460
1461        if not (opts.project and opts.master) and not opts.service:
1462            print >>sys.stderr, "Neither master/project nor services requested"
1463
1464        if opts.debug > 0: opts.tracefile=sys.stderr
1465
1466        (user, cert) = self.get_user_info()
1467
1468        if opts.cert != None: cert = opts.cert
1469
1470        if cert == None:
1471            sys.exit("No certificate given (--cert) or found")
1472
1473        if os.access(cert, os.R_OK):
1474            fid = fedid(file=cert)
1475        else:
1476            sys.exit("Cannot read certificate (%s)" % cert)
1477
1478        if opts.file:
1479            exp_desc = ""
1480            try:
1481                f = open(opts.file, 'r')
1482                for line in f:
1483                    exp_desc += line
1484                f.close()
1485            except IOError:
1486                sys.exit("Cannot read description file (%s)" %opts.file)
1487        else:
1488            sys.exit("Must specify an experiment description (--file)")
1489
1490        out_certfile = opts.out_certfile
1491       
1492        # Fill in svcs here so errors in service specification come before the
1493        # New call is made
1494        if opts.master and opts.project:
1495            svcs.append({
1496                    'name': 'project_export', 
1497                    'export': [opts.master], 
1498                    'fedAttr': [ 
1499                        { 'attribute': 'project', 'value': opts.project },
1500                        ],
1501                    })
1502
1503        svcs.extend([ self.parse_service(s) for s in opts.service])
1504        msg = { }
1505
1506        if opts.exp_name:
1507            msg['experimentID'] = { 'localname': opts.exp_name }
1508
1509        if opts.debug > 1: print >>sys.stderr, msg
1510
1511        try:
1512            resp_dict = self.do_rpc(msg, 
1513                    opts.url, opts.transport, cert, opts.trusted, 
1514                    serialize_only=opts.serialize_only,
1515                    tracefile=opts.tracefile,
1516                    caller=self.caller('New'))
1517        except self.RPCException, e:
1518            exit_with_fault(\
1519                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1520        except RuntimeError, e:
1521            sys.exit("Error processing RPC: %s" % e)
1522
1523        if opts.debug > 1: print >>sys.stderr, resp_dict
1524
1525        ea = resp_dict.get('experimentAccess', None)
1526        if out_certfile and ea and ea.has_key('X509'):
1527            try:
1528                f = open(out_certfile, "w")
1529                print >>f, ea['X509']
1530                f.close()
1531            except IOError:
1532                sys.exit('Could not write to %s' %  out_certfile)
1533        eid = resp_dict.get('experimentID', None)
1534        e_fedid = None
1535        e_local = None
1536        if eid:
1537            for id in eid:
1538                for k in id.keys():
1539                    if k =='fedid':
1540                        e_fedid = id[k]
1541                    elif k =='localname':
1542                        e_local = id[k]
1543        elif opts.serialize_only:
1544            e_local = "serialize"
1545        msg = { 'experimentdescription': { 'ns2description': exp_desc }, }
1546
1547        if svcs:
1548            msg['service'] = svcs
1549
1550        if e_fedid:
1551            msg['experimentID'] = { 'fedid': e_fedid }
1552        elif e_local:
1553            msg['experimentID'] = { 'localname': e_local }
1554        else:
1555            sys.exit("New did not return an experiment ID??")
1556
1557        if opts.debug > 1: print >>sys.stderr, msg
1558
1559        try:
1560            resp_dict = self.do_rpc(msg, 
1561                    opts.url, opts.transport, cert, opts.trusted, 
1562                    serialize_only=opts.serialize_only,
1563                    tracefile=opts.tracefile,
1564                    caller=self.caller('Create'))
1565        except self.RPCException, e:
1566            exit_with_fault(\
1567                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1568        except RuntimeError, e:
1569            sys.exit("Error processing RPC: %s" % e)
1570
1571        if opts.debug > 1: print >>sys.stderr, resp_dict
1572
1573        ea = resp_dict.get('experimentAccess', None)
1574        if out_certfile and ea and ea.has_key('X509'):
1575            try:
1576                f = open(out_certfile, "w")
1577                print >>f, ea['X509']
1578                f.close()
1579            except IOError:
1580                sys.exit('Could not write to %s' %  out_certfile)
1581        eid = resp_dict.get('experimentID', None)
1582        if eid:
1583            for id in eid:
1584                for k in id.keys():
1585                    print "%s: %s" % (k, id[k])
1586        st = resp_dict.get('experimentStatus', None)
1587        if st:
1588            print "status: %s" % st
1589
1590class split(fedd_rpc):
1591    def __init__(self): 
1592        fedd_rpc.__init__(self)
1593    def __call__(self):
1594        # Process the options using the customized option parser defined above
1595        parser = fedd_split_opts()
1596
1597        (opts, args) = parser.parse_args()
1598
1599        if opts.trusted:
1600            if ( not os.access(opts.trusted, os.R_OK) ) :
1601                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
1602
1603        if opts.debug > 0: opts.tracefile=sys.stderr
1604
1605        (user, cert) = self.get_user_info()
1606
1607        if opts.cert != None: cert = opts.cert
1608
1609        if cert == None:
1610            sys.exit("No certificate given (--cert) or found")
1611
1612        if os.access(cert, os.R_OK):
1613            fid = fedid(file=cert)
1614        else:
1615            sys.exit("Cannot read certificate (%s)" % cert)
1616
1617        if opts.file:
1618            exp_desc = ""
1619            try:
1620                f = open(opts.file, 'r')
1621                for line in f:
1622                    exp_desc += line
1623                f.close()
1624            except IOError:
1625                sys.exit("Cannot read description file (%s)" %opts.file)
1626        else:
1627            sys.exit("Must specify an experiment description (--file)")
1628
1629        if not opts.master:
1630            sys.exit("Must specify a master testbed (--master)")
1631
1632        out_certfile = opts.out_certfile
1633
1634        msg = {
1635                'description': { 'ns2description': exp_desc },
1636                'master': opts.master,
1637                'include_fedkit': opts.fedkit,
1638                'include_gatewaykit': opts.gatewaykit,
1639                }
1640
1641        if opts.debug > 1: print >>sys.stderr, msg
1642
1643        try:
1644            resp_dict = self.do_rpc(msg, 
1645                    opts.url, opts.transport, cert, opts.trusted, 
1646                    serialize_only=opts.serialize_only,
1647                    tracefile=opts.tracefile,
1648                    caller=self.caller('Ns2Split'))
1649        except self.RPCException, e:
1650            exit_with_fault(\
1651                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1652        except RuntimeError, e:
1653            sys.exit("Error processing RPC: %s" % e)
1654
1655        if opts.debug > 1: print >>sys.stderr, resp_dict
1656
1657        ed = resp_dict.get('experimentdescription', None)
1658        if ed:
1659            if ed.has_key('topdldescription'):
1660                topo = topdl.Topology(**ed['topdldescription'])
1661                print topdl.topology_to_xml(topo, 'experiment')
1662
1663class access(fedd_rpc):
1664    def __init__(self):
1665        fedd_rpc.__init__(self)
1666
1667    def print_response_as_testbed(self, resp, label, out=sys.stdout):
1668        """Print the response as input to the splitter script"""
1669
1670        e = resp.get('emulab', None)
1671        if e:
1672            p = e['project']
1673            fields = { 
1674                    "Boss": e['boss'],
1675                    "OpsNode": e['ops'],
1676                    "Domain": e['domain'],
1677                    "FileServer": e['fileServer'],
1678                    "EventServer": e['eventServer'],
1679                    "Project": unpack_id(p['name'])
1680                    }
1681            if (label != None): print >> out, "[%s]" % label
1682
1683            for l, v in fields.iteritems():
1684                print >>out, "%s: %s" % (l, v)
1685
1686            for u in p['user']:
1687                print >>out, "User: %s" % unpack_id(u['userID'])
1688
1689            for a in e['fedAttr']:
1690                print >>out, "%s: %s" % (a['attribute'], a['value'])
1691
1692    def __call__(self):
1693        node_descs = []
1694        proj = None
1695
1696        # Process the options using the customized option parser defined above
1697        parser = fedd_access_opts()
1698
1699        (opts, args) = parser.parse_args()
1700
1701        if opts.testbed == None:
1702            parser.error("--testbed is required")
1703
1704        if opts.trusted:
1705            if ( not os.access(opts.trusted, os.R_OK) ) :
1706                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
1707
1708        if opts.debug > 0: opts.tracefile=sys.stderr
1709
1710        (user, cert) = self.get_user_info()
1711
1712        if opts.cert != None: cert = opts.cert
1713
1714        if cert == None:
1715            sys.exit("No certificate given (--cert) or found")
1716
1717        if os.access(cert, os.R_OK):
1718            fid = fedid(file=cert)
1719            if opts.use_fedid == True:
1720                user = fid
1721        else:
1722            sys.exit("Cannot read certificate (%s)" % cert)
1723
1724        msg = {
1725                'allocID': pack_id('test alloc'),
1726                'destinationTestbed': pack_id(opts.testbed),
1727                }
1728
1729        if len(node_descs) > 0:
1730            msg['resources'] = { 
1731                    'node': [ 
1732                        { 
1733                            'image':  n.image ,
1734                            'hardware':  n.hardware,
1735                            'count': n.count,
1736                        } for n in node_descs],
1737                    }
1738
1739        if opts.debug > 1: print >>sys.stderr, msg
1740
1741        try:
1742            resp_dict = self.do_rpc(msg, 
1743                    opts.url, opts.transport, cert, opts.trusted, 
1744                    serialize_only=opts.serialize_only,
1745                    tracefile=opts.tracefile,
1746                    caller=self.caller('RequestAccess'))
1747        except self.RPCException, e:
1748            exit_with_fault(\
1749                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1750        except RuntimeError, e:
1751            sys.exit("Error processing RPC: %s" % e.message)
1752
1753        if opts.debug > 1: print >>sys.stderr, resp_dict
1754        if not opts.serialize_only:
1755            self.print_response_as_testbed(resp_dict, opts.label)
1756
1757# Keep requesting experiment status and printing updates to the log until the
1758# experiment is done being created.
1759class spew_log(fedd_rpc):
1760    def __init__(self): 
1761        """
1762        Init the superclass
1763        """
1764
1765        fedd_rpc.__init__(self)
1766
1767    def __call__(self):
1768        """
1769        The control flow.  Compose the request and print the response.
1770        """
1771        # Process the options using the customized option parser defined above
1772        parser = fedd_spew_opts()
1773
1774        (opts, args) = parser.parse_args()
1775
1776        if opts.trusted:
1777            if ( not os.access(opts.trusted, os.R_OK) ) :
1778                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
1779
1780        if opts.debug > 0: opts.tracefile=sys.stderr
1781
1782        (user, cert) = self.get_user_info()
1783
1784        if opts.cert != None: cert = opts.cert
1785
1786        if cert == None:
1787            sys.exit("No certificate given (--cert) or found")
1788
1789        if os.access(cert, os.R_OK):
1790            fid = fedid(file=cert)
1791        else:
1792            sys.exit("Cannot read certificate (%s)" % cert)
1793
1794        if opts.exp_name and opts.exp_certfile:
1795            sys.exit("Only one of --experiment_cert and " +\
1796                    "--experiment_name permitted");
1797
1798        if opts.exp_certfile:
1799            exp_id = { 'fedid': fedid(file=opts.exp_certfile) }
1800
1801        if opts.exp_name:
1802            exp_id = { 'localname' : opts.exp_name }
1803
1804        if opts.logfile:
1805            try:
1806                out = open(opts.logfile, "w")
1807            except IOError,e:
1808                sys.exit("Cannot open logfile: %s" %e)
1809        else:
1810            out = sys.stdout
1811
1812        req = { 'experiment': exp_id }
1813
1814        status = "starting"
1815        log = ""
1816        log_offset = 0
1817        update = opts.update
1818        while status == 'starting':
1819            try:
1820                resp_dict = self.do_rpc(req,
1821                        opts.url, opts.transport, cert, opts.trusted, 
1822                        serialize_only=opts.serialize_only,
1823                        tracefile=opts.tracefile,
1824                        caller=self.caller('Info'))
1825            except self.RPCException, e:
1826                exit_with_fault(\
1827                        {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1828            except RuntimeError, e:
1829                sys.exit("Error processing RPC: %s" % e)
1830
1831            if not opts.serialize_only:
1832                status = resp_dict.get('experimentStatus', None)
1833            else:
1834                status = "active"
1835            log = resp_dict.get('allocationLog', None)
1836            if not status:
1837                sys.exit("No status in Info response??")
1838            if log:
1839                if len(log) > log_offset:
1840                    print >>out, log[log_offset:],
1841                    out.flush()
1842                    log_offset = len(log)
1843            if status == 'starting': 
1844                time.sleep(update)
1845
1846        print >>out
1847        print >>out, status
1848        out.close()
1849
1850class start_segment(fedd_rpc):
1851    def __init__(self): 
1852        fedd_rpc.__init__(self)
1853    def __call__(self):
1854        # Process the options using the customized option parser defined above
1855        parser = fedd_start_opts()
1856
1857        (opts, args) = parser.parse_args()
1858
1859        if opts.trusted:
1860            if ( not os.access(opts.trusted, os.R_OK) ) :
1861                sys.exit("Cannot read trusted certificates (%s)" % opts.trusted)
1862
1863        if opts.debug > 0: opts.tracefile=sys.stderr
1864
1865        (user, cert) = self.get_user_info()
1866
1867        if opts.cert != None: cert = opts.cert
1868
1869        if cert == None:
1870            sys.exit("No certificate given (--cert) or found")
1871
1872        if os.access(cert, os.R_OK):
1873            fid = fedid(file=cert)
1874        else:
1875            sys.exit("Cannot read certificate (%s)" % cert)
1876
1877        if opts.file:
1878            try:
1879                top = topdl.topology_from_xml(filename=opts.file, 
1880                        top='experiment')
1881            except IOError:
1882                sys.exit("Cannot read description file (%s)" %opts.file)
1883        else:
1884            sys.exit("Must specify an experiment description (--file)")
1885
1886        msg = {
1887                'segmentdescription': { 'topdldescription': top.to_dict() },
1888                'allocID': pack_id(fid),
1889                'master': False,
1890                }
1891
1892        if opts.debug > 1: print >>sys.stderr, msg
1893
1894        try:
1895            resp_dict = self.do_rpc(msg, 
1896                    opts.url, opts.transport, cert, opts.trusted, 
1897                    serialize_only=opts.serialize_only,
1898                    tracefile=opts.tracefile,
1899                    caller=self.caller('StartSegment'))
1900        except self.RPCException, e:
1901            exit_with_fault(\
1902                    {'desc': e.desc, 'errstr': e.errstr, 'code': e.code})
1903        except RuntimeError, e:
1904            sys.exit("Error processing RPC: %s" % e)
1905
1906        if opts.debug > 1: print >>sys.stderr, resp_dict
1907        if not opts.serialize_only:
1908            print resp_dict
1909
1910cmds = {\
1911        'new': new(),\
1912        'create': create(),\
1913        'split': split(),\
1914        'access': access(),\
1915        'ftopo': ftopo(),\
1916        'vtopo': vtopo(),\
1917        'vis': vis(),\
1918        'info': exp_data(),\
1919        'multiinfo': multi_exp_data(),\
1920        'multistatus': multi_status(),\
1921        'image': image(),\
1922        'ns_image': ns_image(),\
1923        'status': status(),\
1924        'terminate': terminate(),\
1925        'spewlog': spew_log(),\
1926        'topdl_image': topdl_image(),\
1927        'start_segment': start_segment(),\
1928        'terminate_segment': terminate_segment(),\
1929    }
1930if len(sys.argv) > 1:
1931    operation = cmds.get(sys.argv[1], None)
1932else:
1933    sys.exit("first argument must be one of " + ",".join(cmds.keys()))
1934
1935if operation:
1936    del sys.argv[1]
1937    operation()
1938else:
1939    if sys.argv[1] == '--help':
1940        sys.exit(\
1941'''Only context sensitive help is available.  For one of the commands:
1942
1943%s
1944
1945type
1946  %s command --help
1947
1948to get help, e.g., %s create --help
1949''' % (", ".join(cmds.keys()), sys.argv[0], sys.argv[0]))
1950    else:
1951        sys.exit("Bad command: %s.  Valid ones are: %s" % \
1952                (sys.argv[1], ", ".join(cmds.keys())))
1953
Note: See TracBrowser for help on using the repository browser.