- add_person, remove_person, add_node, remove_node: fix case when person/node
[plcapi.git] / PLC / Slices.py
1 from types import StringTypes
2 import time
3 import re
4
5 from PLC.Faults import *
6 from PLC.Parameter import Parameter
7 from PLC.Debug import profile
8 from PLC.Table import Row, Table
9 from PLC.SliceInstantiations import SliceInstantiations
10 from PLC.Nodes import Node, Nodes
11 import PLC.Persons
12
13 class Slice(Row):
14     """
15     Representation of a row in the slices table. To use, optionally
16     instantiate with a dict of values. Update as you would a
17     dict. Commit to the database with sync().To use, instantiate
18     with a dict of values.
19     """
20
21     table_name = 'slices'
22     primary_key = 'slice_id'
23     fields = {
24         'slice_id': Parameter(int, "Slice type"),
25         'site_id': Parameter(int, "Identifier of the site to which this slice belongs"),
26         'name': Parameter(str, "Slice name", max = 32),
27         'instantiation': Parameter(str, "Slice instantiation state"),
28         'url': Parameter(str, "URL further describing this slice", max = 254),
29         'description': Parameter(str, "Slice description", max = 2048),
30         'max_nodes': Parameter(int, "Maximum number of nodes that can be assigned to this slice"),
31         'creator_person_id': Parameter(int, "Identifier of the account that created this slice"),
32         'created': Parameter(int, "Date and time when slice was created, in seconds since UNIX epoch", ro = True),
33         'expires': Parameter(int, "Date and time when slice expires, in seconds since UNIX epoch"),
34         'node_ids': Parameter([int], "List of nodes in this slice", ro = True),
35         'person_ids': Parameter([int], "List of accounts that can use this slice", ro = True),
36         'slice_attribute_ids': Parameter([int], "List of slice attributes", ro = True),
37         }
38
39     def __init__(self, api, fields = {}):
40         Row.__init__(self, fields)
41         self.api = api
42
43     def validate_name(self, name):
44         # N.B.: Responsibility of the caller to ensure that login_base
45         # portion of the slice name corresponds to a valid site, if
46         # desired.
47
48         # 1. Lowercase.
49         # 2. Begins with login_base (only letters).
50         # 3. Then single underscore after login_base.
51         # 4. Then letters, numbers, or underscores.
52         good_name = r'^[a-z]+_[a-z0-9_]+$'
53         if not name or \
54            not re.match(good_name, name):
55             raise PLCInvalidArgument, "Invalid slice name"
56
57         conflicts = Slices(self.api, [name])
58         for slice_id, slice in conflicts.iteritems():
59             if 'slice_id' not in self or self['slice_id'] != slice_id:
60                 raise PLCInvalidArgument, "Slice name already in use"
61
62         return name
63
64     def validate_instantiation(self, instantiation):
65         instantiations = SliceInstantiations(self.api)
66         if instantiation not in instantiations:
67             raise PLCInvalidArgument, "No such instantiation state"
68
69         return instantiation
70
71     def validate_expires(self, expires):
72         # N.B.: Responsibility of the caller to ensure that expires is
73         # not too far into the future.
74         if expires < time.time():
75             raise PLCInvalidArgument, "Expiration date must be in the future"
76
77         return time.strftime("%Y-%m-%d %H:%M:%S", time.gmtime(expires))
78
79     def validate_creator_person_id(self, person_id):
80         persons = PLC.Persons.Persons(self.api, [person_id])
81         if not persons:
82             raise PLCInvalidArgument, "Invalid creator"
83
84         return person_id
85
86     def add_person(self, person, commit = True):
87         """
88         Add person to existing slice.
89         """
90
91         assert 'slice_id' in self
92         assert isinstance(person, PLC.Persons.Person)
93         assert 'person_id' in person
94
95         slice_id = self['slice_id']
96         person_id = person['person_id']
97
98         if person_id not in self['person_ids']:
99             assert slice_id not in person['slice_ids']
100
101             self.api.db.do("INSERT INTO slice_person (person_id, slice_id)" \
102                            " VALUES(%(person_id)d, %(slice_id)d)",
103                            locals())
104
105             if commit:
106                 self.api.db.commit()
107
108             self['person_ids'].append(person_id)
109             person['slice_ids'].append(slice_id)
110
111     def remove_person(self, person, commit = True):
112         """
113         Remove person from existing slice.
114         """
115
116         assert 'slice_id' in self
117         assert isinstance(person, PLC.Persons.Person)
118         assert 'person_id' in person
119
120         slice_id = self['slice_id']
121         person_id = person['person_id']
122
123         if person_id in self['person_ids']:
124             assert slice_id in person['slice_ids']
125
126             self.api.db.do("DELETE FROM slice_person" \
127                            " WHERE person_id = %(person_id)d" \
128                            " AND slice_id = %(slice_id)d",
129                            locals())
130
131             if commit:
132                 self.api.db.commit()
133
134             self['person_ids'].remove(person_id)
135             person['slice_ids'].remove(slice_id)
136
137     def add_node(self, node, commit = True):
138         """
139         Add node to existing slice.
140         """
141
142         assert 'slice_id' in self
143         assert isinstance(node, Node)
144         assert 'node_id' in node
145
146         slice_id = self['slice_id']
147         node_id = node['node_id']
148
149         if node_id not in self['node_ids']:
150             assert slice_id not in node['slice_ids']
151
152             self.api.db.do("INSERT INTO slice_node (node_id, slice_id)" \
153                            " VALUES(%(node_id)d, %(slice_id)d)",
154                            locals())
155
156             if commit:
157                 self.api.db.commit()
158
159             self['node_ids'].append(node_id)
160             node['slice_ids'].append(slice_id)
161
162     def remove_node(self, node, commit = True):
163         """
164         Remove node from existing slice.
165         """
166
167         assert 'slice_id' in self
168         assert isinstance(node, Node)
169         assert 'node_id' in node
170
171         slice_id = self['slice_id']
172         node_id = node['node_id']
173
174         if node_id in self['node_ids']:
175             assert slice_id in node['slice_ids']
176
177             self.api.db.do("DELETE FROM slice_node" \
178                            " WHERE node_id = %(node_id)d" \
179                            " AND slice_id = %(slice_id)d",
180                            locals())
181
182             if commit:
183                 self.api.db.commit()
184
185             self['node_ids'].remove(node_id)
186             node['slice_ids'].remove(slice_id)
187
188     def delete(self, commit = True):
189         """
190         Delete existing slice.
191         """
192
193         assert 'slice_id' in self
194
195         # Clean up miscellaneous join tables
196         for table in ['slice_node', 'slice_person', 'slice_attribute']:
197             self.api.db.do("DELETE FROM %s" \
198                            " WHERE slice_id = %d" % \
199                            (table, self['slice_id']), self)
200
201         # Mark as deleted
202         self['is_deleted'] = True
203         self.sync(commit)
204
205 class Slices(Table):
206     """
207     Representation of row(s) from the slices table in the
208     database.
209     """
210
211     def __init__(self, api, slice_id_or_name_list = None):
212         self.api = api
213
214         sql = "SELECT %s FROM view_slices WHERE is_deleted IS False" % \
215               ", ".join(Slice.fields)
216
217         if slice_id_or_name_list:
218             # Separate the list into integers and strings
219             slice_ids = filter(lambda slice_id: isinstance(slice_id, (int, long)),
220                                slice_id_or_name_list)
221             names = filter(lambda name: isinstance(name, StringTypes),
222                            slice_id_or_name_list)
223             sql += " AND (False"
224             if slice_ids:
225                 sql += " OR slice_id IN (%s)" % ", ".join(map(str, slice_ids))
226             if names:
227                 sql += " OR name IN (%s)" % ", ".join(api.db.quote(names))
228             sql += ")"
229
230         rows = self.api.db.selectall(sql)
231
232         for row in rows:
233             self[row['slice_id']] = slice = Slice(api, row)
234             for aggregate in 'node_ids', 'person_ids', 'slice_attribute_ids':
235                 if not slice.has_key(aggregate) or slice[aggregate] is None:
236                     slice[aggregate] = []
237                 else:
238                     slice[aggregate] = map(int, slice[aggregate].split(','))