Passed
Pull Request — master (#306)
by
unknown
02:53
created

NodeManagementService._add_node()   F

Complexity

Conditions 17

Size

Total Lines 71
Code Lines 44

Duplication

Lines 0
Ratio 0 %

Importance

Changes 0
Metric Value
cc 17
eloc 44
nop 4
dl 0
loc 71
rs 1.8
c 0
b 0
f 0

How to fix   Long Method    Complexity   

Long Method

Small methods make your code easier to understand, in particular if combined with a good name. Besides, if your method is small, finding a good name is usually much easier.

For example, if you find yourself adding comments to a method's body, this is usually a good sign to extract the commented part to a new method, and use the comment as a starting point when coming up with a good name for this new method.

Commonly applied refactorings include:

Complexity

Complex classes like asyncua.server.address_space.NodeManagementService._add_node() often do a lot of different things. To break such a class down, we need to identify a cohesive component within that class. A common approach to find such a component is to look for fields/methods that share the same prefixes, or suffixes.

Once you have determined the fields that belong together, you can apply the Extract Class refactoring. If the component makes sense as a sub-class, Extract Subclass is also a candidate, and is often faster.

1
import asyncio
2
import pickle
3
import shelve
4
import logging
5
import collections
6
from datetime import datetime
7
from concurrent.futures import ThreadPoolExecutor
8
from functools import partial
9
10
from asyncua import ua
11
from .users import User, UserRole
12
13
_logger = logging.getLogger(__name__)
14
15
16
class AttributeValue(object):
17
18
    def __init__(self, value):
19
        self.value = value
20
        self.value_callback = None
21
        self.datachange_callbacks = {}
22
23
    def __str__(self):
24
        return f"AttributeValue({self.value})"
25
26
    __repr__ = __str__
27
28
29
class NodeData:
30
31
    def __init__(self, nodeid):
32
        self.nodeid = nodeid
33
        self.attributes = {}
34
        self.references = []
35
        self.call = None
36
37
    def __str__(self):
38
        return f"NodeData(id:{self.nodeid}, attrs:{self.attributes}, refs:{self.references})"
39
40
    __repr__ = __str__
41
42
43
class AttributeService:
44
45
    def __init__(self, aspace: "AddressSpace"):
46
        self.logger = logging.getLogger(__name__)
47
        self._aspace: "AddressSpace" = aspace
48
49
    def read(self, params):
50
        # self.logger.debug("read %s", params)
51
        res = []
52
        for readvalue in params.NodesToRead:
53
            res.append(self._aspace.read_attribute_value(readvalue.NodeId, readvalue.AttributeId))
54
        return res
55
56
    async def write(self, params, user=User(role=UserRole.Admin)):
57
        # self.logger.debug("write %s as user %s", params, user)
58
        res = []
59
        for writevalue in params.NodesToWrite:
60
            if user.role != UserRole.Admin:
61
                if writevalue.AttributeId != ua.AttributeIds.Value:
62
                    res.append(ua.StatusCode(ua.StatusCodes.BadUserAccessDenied))
63
                    continue
64
                al = self._aspace.read_attribute_value(writevalue.NodeId, ua.AttributeIds.AccessLevel)
65
                ual = self._aspace.read_attribute_value(writevalue.NodeId, ua.AttributeIds.UserAccessLevel)
66
                if not al.StatusCode.is_good() or not ua.ua_binary.test_bit(
67
                        al.Value.Value, ua.AccessLevel.CurrentWrite) or not \
68
                        ua.ua_binary.test_bit(ual.Value.Value, ua.AccessLevel.CurrentWrite):
69
                    res.append(ua.StatusCode(ua.StatusCodes.BadUserAccessDenied))
70
                    continue
71
            res.append(
72
                await self._aspace.write_attribute_value(writevalue.NodeId, writevalue.AttributeId, writevalue.Value))
73
        return res
74
75
76
class ViewService(object):
77
78
    def __init__(self, aspace: "AddressSpace"):
79
        self.logger = logging.getLogger(__name__)
80
        self._aspace: "AddressSpace" = aspace
81
82
    def browse(self, params):
83
        # self.logger.debug("browse %s", params)
84
        res = []
85
        for desc in params.NodesToBrowse:
86
            res.append(self._browse(desc))
87
        return res
88
89
    def _browse(self, desc):
90
        res = ua.BrowseResult()
91
        if desc.NodeId not in self._aspace:
92
            res.StatusCode = ua.StatusCode(ua.StatusCodes.BadNodeIdInvalid)
93
            return res
94
        node = self._aspace[desc.NodeId]
95
        for ref in node.references:
96
            if not self._is_suitable_ref(desc, ref):
97
                continue
98
            res.References.append(ref)
99
        return res
100
101
    def _is_suitable_ref(self, desc, ref):
102
        if not self._suitable_direction(desc.BrowseDirection, ref.IsForward):
103
            # self.logger.debug("%s is not suitable due to direction", ref)
104
            return False
105
        if not self._suitable_reftype(desc.ReferenceTypeId, ref.ReferenceTypeId, desc.IncludeSubtypes):
106
            # self.logger.debug("%s is not suitable due to type", ref)
107
            return False
108
        if desc.NodeClassMask and ((desc.NodeClassMask & ref.NodeClass) == 0):
109
            # self.logger.debug("%s is not suitable due to class", ref)
110
            return False
111
        # self.logger.debug("%s is a suitable ref for desc %s", ref, desc)
112
        return True
113
114
    def _suitable_reftype(self, ref1, ref2, subtypes):
115
        """
116
        """
117
        if ref1 == ua.NodeId(ua.ObjectIds.Null):
118
            # If ReferenceTypeId is not specified in the BrowseDescription,
119
            # all References are returned and includeSubtypes is ignored.
120
            return True
121
        if not subtypes and ref2.Identifier == ua.ObjectIds.HasSubtype:
122
            return False
123
        if ref1.Identifier == ref2.Identifier:
124
            return True
125
        oktypes = self._get_sub_ref(ref1)
126
        if not subtypes and ua.NodeId(ua.ObjectIds.HasSubtype) in oktypes:
127
            oktypes.remove(ua.NodeId(ua.ObjectIds.HasSubtype))
128
        return ref2 in oktypes
129
130
    def _get_sub_ref(self, ref):
131
        res = []
132
        nodedata = self._aspace[ref]
133
        if nodedata is not None:
134
            for ref in nodedata.references:
135
                if ref.ReferenceTypeId.Identifier == ua.ObjectIds.HasSubtype and ref.IsForward:
136
                    res.append(ref.NodeId)
137
                    res += self._get_sub_ref(ref.NodeId)
138
        return res
139
140
    def _suitable_direction(self, direction, isforward):
141
        if direction == ua.BrowseDirection.Both:
142
            return True
143
        if direction == ua.BrowseDirection.Forward and isforward:
144
            return True
145
        if direction == ua.BrowseDirection.Inverse and not isforward:
146
            return True
147
        return False
148
149
    def translate_browsepaths_to_nodeids(self, browsepaths):
150
        # self.logger.debug("translate browsepath: %s", browsepaths)
151
        results = []
152
        for path in browsepaths:
153
            results.append(self._translate_browsepath_to_nodeid(path))
154
        return results
155
156
    def _translate_browsepath_to_nodeid(self, path):
157
        # self.logger.debug("looking at path: %s", path)
158
        res = ua.BrowsePathResult()
159
        if not path.RelativePath.Elements[-1].TargetName:
160
            # OPC UA Part 4: Services, 5.8.4 TranslateBrowsePathsToNodeIds
161
            # it's unclear if this the check should also handle empty strings
162
            res.StatusCode = ua.StatusCode(ua.StatusCodes.BadBrowseNameInvalid)
163
            return res
164
        if path.StartingNode not in self._aspace:
165
            res.StatusCode = ua.StatusCode(ua.StatusCodes.BadNodeIdInvalid)
166
            return res
167
        current = path.StartingNode
168
        for el in path.RelativePath.Elements:
169
            nodeid = self._find_element_in_node(el, current)
170
            if not nodeid:
171
                res.StatusCode = ua.StatusCode(ua.StatusCodes.BadNoMatch)
172
                return res
173
            current = nodeid
174
        target = ua.BrowsePathTarget()
175
        target.TargetId = current
176
        target.RemainingPathIndex = 4294967295
177
        res.Targets = [target]
178
        return res
179
180
    def _find_element_in_node(self, el, nodeid):
181
        nodedata = self._aspace[nodeid]
182
        for ref in nodedata.references:
183
            if ref.BrowseName != el.TargetName:
184
                continue
185
            if ref.IsForward == el.IsInverse:
186
                continue
187
            if not el.IncludeSubtypes and ref.ReferenceTypeId != el.ReferenceTypeId:
188
                continue
189
            elif el.IncludeSubtypes and ref.ReferenceTypeId != el.ReferenceTypeId:
190
                if ref.ReferenceTypeId not in self._get_sub_ref(el.ReferenceTypeId):
191
                    continue
192
            return ref.NodeId
193
        self.logger.info("element %s was not found in node %s", el, nodeid)
194
        return None
195
196
197
class NodeManagementService:
198
199
    def __init__(self, aspace: "AddressSpace"):
200
        self.logger = logging.getLogger(__name__)
201
        self._aspace: "AddressSpace" = aspace
202
203
    def add_nodes(self, addnodeitems, user=User(role=UserRole.Admin)):
204
        results = []
205
        for item in addnodeitems:
206
            results.append(self._add_node(item, user))
207
        return results
208
209
    def try_add_nodes(self, addnodeitems, user=User(role=UserRole.Admin), check=True):
210
        for item in addnodeitems:
211
            ret = self._add_node(item, user, check=check)
212
            if not ret.StatusCode.is_good():
213
                yield item
214
215
    def _add_node(self, item, user, check=True):
216
        # self.logger.debug("Adding node %s %s", item.RequestedNewNodeId, item.BrowseName)
217
        result = ua.AddNodesResult()
218
219
        if not user.role == UserRole.Admin:
220
            result.StatusCode = ua.StatusCode(ua.StatusCodes.BadUserAccessDenied)
221
            return result
222
223
        if item.RequestedNewNodeId.has_null_identifier():
224
            # If Identifier of requested NodeId is null we generate a new NodeId using
225
            # the namespace of the nodeid, this is an extention of the spec to allow
226
            # to requests the server to generate a new nodeid in a specified namespace
227
            # self.logger.debug("RequestedNewNodeId has null identifier, generating Identifier")
228
            item.RequestedNewNodeId = self._aspace.generate_nodeid(item.RequestedNewNodeId.NamespaceIndex)
229
        else:
230
            if item.RequestedNewNodeId in self._aspace:
231
                self.logger.warning("AddNodesItem: Requested NodeId %s already exists", item.RequestedNewNodeId)
232
                result.StatusCode = ua.StatusCode(ua.StatusCodes.BadNodeIdExists)
233
                return result
234
235
        if item.ParentNodeId.is_null():
236
            # self.logger.info("add_node: while adding node %s, requested parent node is null %s %s",
237
            # item.RequestedNewNodeId, item.ParentNodeId, item.ParentNodeId.is_null())
238
            if check:
239
                result.StatusCode = ua.StatusCode(ua.StatusCodes.BadParentNodeIdInvalid)
240
                return result
241
242
        parentdata = self._aspace.get(item.ParentNodeId)
243
        if parentdata is None and not item.ParentNodeId.is_null():
244
            self.logger.info("add_node: while adding node %s, requested parent node %s does not exists",
245
                             item.RequestedNewNodeId, item.ParentNodeId)
246
            result.StatusCode = ua.StatusCode(ua.StatusCodes.BadParentNodeIdInvalid)
247
            return result
248
249
        if item.ParentNodeId not in self._aspace._nodes:
250
            if item.ParentNodeId.Identifier == 0 and item.ParentNodeId.NamespaceIndex == 0:
251
                self.logger.debug("NodeParent of %s seems to be Root Node", item.ParentNodeId)
252
            else:
253
                self.logger.debug("NodeParent of %s does not exist in Server", item.ParentNodeId)
254
        else:
255
            for ref in self._aspace._nodes[item.ParentNodeId].references:
256
                # Check if the Parent has a "HasChild" Reference (or subtype of it) with the Node
257
                if ref.ReferenceTypeId.Identifier in [ua.ObjectIds.HasChild, ua.ObjectIds.HasComponent,
258
                                           ua.ObjectIds.HasProperty, ua.ObjectIds.HasSubtype,
259
                                           ua.ObjectIds.HasOrderedComponent] and ref.IsForward:
260
                    if item.BrowseName.Name == ref.BrowseName.Name:
261
                        self.logger.warning(f"AddNodesItem: Requested Browsename {item.BrowseName.Name}"
262
                                            f" already exists in Parent Node. ParentID:{item.ParentNodeId} --- "
263
                                            f"ItemId:{item.RequestedNewNodeId}")
264
                        result.StatusCode = ua.StatusCode(ua.StatusCodes.BadBrowseNameDuplicated)
265
                        return result
266
267
        nodedata = NodeData(item.RequestedNewNodeId)
268
269
        self._add_node_attributes(nodedata, item, add_timestamps=check)
270
271
        # now add our node to db
272
        self._aspace[nodedata.nodeid] = nodedata
273
274
        if parentdata is not None:
275
            self._add_ref_from_parent(nodedata, item, parentdata)
276
            self._add_ref_to_parent(nodedata, item, parentdata)
277
278
        # add type definition
279
        if item.TypeDefinition != ua.NodeId():
280
            self._add_type_definition(nodedata, item)
281
282
        result.StatusCode = ua.StatusCode()
283
        result.AddedNodeId = nodedata.nodeid
284
285
        return result
286
287
    def _add_node_attributes(self, nodedata, item, add_timestamps):
288
        # add common attrs
289
        nodedata.attributes[ua.AttributeIds.NodeId] = AttributeValue(
290
            ua.DataValue(ua.Variant(nodedata.nodeid, ua.VariantType.NodeId))
291
        )
292
        nodedata.attributes[ua.AttributeIds.BrowseName] = AttributeValue(
293
            ua.DataValue(ua.Variant(item.BrowseName, ua.VariantType.QualifiedName))
294
        )
295
        nodedata.attributes[ua.AttributeIds.NodeClass] = AttributeValue(
296
            ua.DataValue(ua.Variant(item.NodeClass, ua.VariantType.Int32))
297
        )
298
        # add requested attrs
299
        self._add_nodeattributes(item.NodeAttributes, nodedata, add_timestamps)
300
301
    def _add_unique_reference(self, nodedata, desc):
302
        for r in nodedata.references:
303
            if r.ReferenceTypeId == desc.ReferenceTypeId and r.NodeId == desc.NodeId:
304
                if r.IsForward != desc.IsForward:
305
                    self.logger.error("Cannot add conflicting reference %s ", str(desc))
306
                    return ua.StatusCode(ua.StatusCodes.BadReferenceNotAllowed)
307
                break  # ref already exists
308
        else:
309
            nodedata.references.append(desc)
310
        return ua.StatusCode()
311
312
    def _add_ref_from_parent(self, nodedata, item, parentdata):
313
        desc = ua.ReferenceDescription()
314
        desc.ReferenceTypeId = item.ReferenceTypeId
315
        desc.NodeId = nodedata.nodeid
316
        desc.NodeClass = item.NodeClass
317
        desc.BrowseName = item.BrowseName
318
        desc.DisplayName = item.NodeAttributes.DisplayName
319
        desc.TypeDefinition = item.TypeDefinition
320
        desc.IsForward = True
321
        self._add_unique_reference(parentdata, desc)
322
323
    def _add_ref_to_parent(self, nodedata, item, parentdata):
324
        addref = ua.AddReferencesItem()
325
        addref.ReferenceTypeId = item.ReferenceTypeId
326
        addref.SourceNodeId = nodedata.nodeid
327
        addref.TargetNodeId = item.ParentNodeId
328
        addref.TargetNodeClass = parentdata.attributes[ua.AttributeIds.NodeClass].value.Value.Value
329
        addref.IsForward = False
330
        self._add_reference_no_check(nodedata, addref)
331
332
    def _add_type_definition(self, nodedata, item):
333
        addref = ua.AddReferencesItem()
334
        addref.SourceNodeId = nodedata.nodeid
335
        addref.IsForward = True
336
        addref.ReferenceTypeId = ua.NodeId(ua.ObjectIds.HasTypeDefinition)
337
        addref.TargetNodeId = item.TypeDefinition
338
        addref.TargetNodeClass = ua.NodeClass.DataType
339
        self._add_reference_no_check(nodedata, addref)
340
341
    def delete_nodes(self, deletenodeitems, user=User(role=UserRole.Admin)):
342
        results = []
343
        for item in deletenodeitems.NodesToDelete:
344
            results.append(self._delete_node(item, user))
345
        return results
346
347
    def _delete_node(self, item, user):
348
        if user.role != UserRole.Admin:
349
            return ua.StatusCode(ua.StatusCodes.BadUserAccessDenied)
350
351
        if item.NodeId not in self._aspace:
352
            self.logger.warning("DeleteNodesItem: NodeId %s does not exists", item.NodeId)
353
            return ua.StatusCode(ua.StatusCodes.BadNodeIdUnknown)
354
355
        if item.DeleteTargetReferences:
356
            for elem in self._aspace.keys():
357
                for rdesc in self._aspace[elem].references[:]:
358
                    if rdesc.NodeId == item.NodeId:
359
                        self._aspace[elem].references.remove(rdesc)
360
361
        self._delete_node_callbacks(self._aspace[item.NodeId])
362
363
        del (self._aspace[item.NodeId])
364
365
        return ua.StatusCode()
366
367
    def _delete_node_callbacks(self, nodedata):
368
        if ua.AttributeIds.Value in nodedata.attributes:
369
            for handle, callback in list(nodedata.attributes[ua.AttributeIds.Value].datachange_callbacks.items()):
370
                try:
371
                    callback(handle, None, ua.StatusCode(ua.StatusCodes.BadNodeIdUnknown))
372
                    self._aspace.delete_datachange_callback(handle)
373
                except Exception as ex:
374
                    self.logger.exception("Error calling delete node callback callback %s, %s, %s", nodedata,
375
                                          ua.AttributeIds.Value, ex)
376
377
    def add_references(self, refs, user=User(role=UserRole.Admin)):
378
        result = []
379
        for ref in refs:
380
            result.append(self._add_reference(ref, user))
381
        return result
382
383
    def try_add_references(self, refs, user=User(role=UserRole.Admin)):
384
        for ref in refs:
385
            if not self._add_reference(ref, user).is_good():
386
                yield ref
387
388
    def _add_reference(self, addref, user):
389
        sourcedata = self._aspace.get(addref.SourceNodeId)
390
        if sourcedata is None:
391
            return ua.StatusCode(ua.StatusCodes.BadSourceNodeIdInvalid)
392
        if addref.TargetNodeId not in self._aspace:
393
            return ua.StatusCode(ua.StatusCodes.BadTargetNodeIdInvalid)
394
        if user.role != UserRole.Admin:
395
            return ua.StatusCode(ua.StatusCodes.BadUserAccessDenied)
396
        return self._add_reference_no_check(sourcedata, addref)
397
398
    def _add_reference_no_check(self, sourcedata, addref):
399
        rdesc = ua.ReferenceDescription()
400
        rdesc.ReferenceTypeId = addref.ReferenceTypeId
401
        rdesc.IsForward = addref.IsForward
402
        rdesc.NodeId = addref.TargetNodeId
403
        if addref.TargetNodeClass == ua.NodeClass.Unspecified:
404
            rdesc.NodeClass = self._aspace.read_attribute_value(
405
                addref.TargetNodeId, ua.AttributeIds.NodeClass).Value.Value
406
        else:
407
            rdesc.NodeClass = addref.TargetNodeClass
408
        bname = self._aspace.read_attribute_value(addref.TargetNodeId, ua.AttributeIds.BrowseName).Value.Value
409
        if bname:
410
            rdesc.BrowseName = bname
411
        dname = self._aspace.read_attribute_value(addref.TargetNodeId, ua.AttributeIds.DisplayName).Value.Value
412
        if dname:
413
            rdesc.DisplayName = dname
414
        return self._add_unique_reference(sourcedata, rdesc)
415
416
    def delete_references(self, refs, user=User(role=UserRole.Admin)):
417
        result = []
418
        for ref in refs:
419
            result.append(self._delete_reference(ref, user))
420
        return result
421
422
    def _delete_unique_reference(self, item, invert=False):
423
        if invert:
424
            source, target, forward = item.TargetNodeId, item.SourceNodeId, not item.IsForward
425
        else:
426
            source, target, forward = item.SourceNodeId, item.TargetNodeId, item.IsForward
427
        for rdesc in self._aspace[source].references:
428
            if rdesc.NodeId == target and rdesc.ReferenceTypeId == item.ReferenceTypeId:
429
                if rdesc.IsForward == forward:
430
                    self._aspace[source].references.remove(rdesc)
431
                    return ua.StatusCode()
432
        return ua.StatusCode(ua.StatusCodes.BadNotFound)
433
434
    def _delete_reference(self, item, user):
435
        if item.SourceNodeId not in self._aspace:
436
            return ua.StatusCode(ua.StatusCodes.BadSourceNodeIdInvalid)
437
        if item.TargetNodeId not in self._aspace:
438
            return ua.StatusCode(ua.StatusCodes.BadTargetNodeIdInvalid)
439
        if item.ReferenceTypeId not in self._aspace:
440
            return ua.StatusCode(ua.StatusCodes.BadReferenceTypeIdInvalid)
441
        if user.role != UserRole.Admin:
442
            return ua.StatusCode(ua.StatusCodes.BadUserAccessDenied)
443
444
        if item.DeleteBidirectional:
445
            self._delete_unique_reference(item, True)
446
        return self._delete_unique_reference(item)
447
448
    def _add_node_attr(self, item, nodedata, name, vtype=None, add_timestamps=False):
449
        if item.SpecifiedAttributes & getattr(ua.NodeAttributesMask, name):
0 ignored issues
show
Comprehensibility Best Practice introduced by
The variable getattr does not seem to be defined.
Loading history...
450
            dv = ua.DataValue(ua.Variant(getattr(item, name), vtype))
451
            if add_timestamps:
452
                # dv.ServerTimestamp = datetime.utcnow()  # Disabled until someone explains us it should be there
453
                dv.SourceTimestamp = datetime.utcnow()
454
            nodedata.attributes[getattr(ua.AttributeIds, name)] = AttributeValue(dv)
455
456
    def _add_nodeattributes(self, item, nodedata, add_timestamps):
457
        self._add_node_attr(item, nodedata, "AccessLevel", ua.VariantType.Byte)
458
        self._add_node_attr(item, nodedata, "ArrayDimensions", ua.VariantType.UInt32)
459
        self._add_node_attr(item, nodedata, "BrowseName", ua.VariantType.QualifiedName)
460
        self._add_node_attr(item, nodedata, "ContainsNoLoops", ua.VariantType.Boolean)
461
        self._add_node_attr(item, nodedata, "DataType", ua.VariantType.NodeId)
462
        self._add_node_attr(item, nodedata, "Description", ua.VariantType.LocalizedText)
463
        self._add_node_attr(item, nodedata, "DisplayName", ua.VariantType.LocalizedText)
464
        self._add_node_attr(item, nodedata, "EventNotifier", ua.VariantType.Byte)
465
        self._add_node_attr(item, nodedata, "Executable", ua.VariantType.Boolean)
466
        self._add_node_attr(item, nodedata, "Historizing", ua.VariantType.Boolean)
467
        self._add_node_attr(item, nodedata, "InverseName", ua.VariantType.LocalizedText)
468
        self._add_node_attr(item, nodedata, "IsAbstract", ua.VariantType.Boolean)
469
        self._add_node_attr(item, nodedata, "MinimumSamplingInterval", ua.VariantType.Double)
470
        self._add_node_attr(item, nodedata, "NodeClass", ua.VariantType.Int32)
471
        self._add_node_attr(item, nodedata, "NodeId", ua.VariantType.NodeId)
472
        self._add_node_attr(item, nodedata, "Symmetric", ua.VariantType.Boolean)
473
        self._add_node_attr(item, nodedata, "UserAccessLevel", ua.VariantType.Byte)
474
        self._add_node_attr(item, nodedata, "UserExecutable", ua.VariantType.Boolean)
475
        self._add_node_attr(item, nodedata, "UserWriteMask", ua.VariantType.Byte)
476
        self._add_node_attr(item, nodedata, "ValueRank", ua.VariantType.Int32)
477
        self._add_node_attr(item, nodedata, "WriteMask", ua.VariantType.UInt32)
478
        self._add_node_attr(item, nodedata, "UserWriteMask", ua.VariantType.UInt32)
479
        self._add_node_attr(item, nodedata, "DataTypeDefinition", ua.VariantType.ExtensionObject)
480
        self._add_node_attr(item, nodedata, "Value", add_timestamps=add_timestamps)
481
482
483
class MethodService:
484
485
    def __init__(self, aspace: "AddressSpace"):
486
        self.logger = logging.getLogger(__name__)
487
        self._aspace: "AddressSpace" = aspace
488
        self._pool = ThreadPoolExecutor()
489
490
    def stop(self):
491
        self._pool.shutdown()
492
493
    async def call(self, methods):
494
        results = []
495
        for method in methods:
496
            res = await self._call(method)
497
            results.append(res)
498
        return results
499
500
    async def _call(self, method):
501
        self.logger.info("Calling: %s", method)
502
        res = ua.CallMethodResult()
503
        if method.ObjectId not in self._aspace or method.MethodId not in self._aspace:
504
            res.StatusCode = ua.StatusCode(ua.StatusCodes.BadNodeIdInvalid)
505
        else:
506
            node = self._aspace[method.MethodId]
507
            if node.call is None:
508
                res.StatusCode = ua.StatusCode(ua.StatusCodes.BadNothingToDo)
509
            else:
510
                try:
511
                    result = await self._run_method(node.call, method.ObjectId, *method.InputArguments)
512
                except Exception:
513
                    self.logger.exception("Error executing method call %s, an exception was raised: ", method)
514
                    res.StatusCode = ua.StatusCode(ua.StatusCodes.BadUnexpectedError)
515
                else:
516
                    if isinstance(result, ua.CallMethodResult):
517
                        res = result
518
                    elif isinstance(result, ua.StatusCode):
519
                        res.StatusCode = result
520
                    else:
521
                        res.OutputArguments = result
522
                    while len(res.InputArgumentResults) < len(method.InputArguments):
523
                        res.InputArgumentResults.append(ua.StatusCode())
524
        return res
525
526
    async def _run_method(self, func, parent, *args):
527
        if asyncio.iscoroutinefunction(func):
528
            return await func(parent, *args)
529
        p = partial(func, parent, *args)
530
        res = await asyncio.get_event_loop().run_in_executor(self._pool, p)
531
        return res
532
533
534
class AddressSpace:
535
    """
536
    The address space object stores all the nodes of the OPC-UA server and helper methods.
537
    The methods are thread safe
538
    """
539
540
    def __init__(self):
541
        self.logger = logging.getLogger(__name__)
542
        self._nodes = {}
543
        self._datachange_callback_counter = 200
544
        self._handle_to_attribute_map = {}
545
        self._default_idx = 2
546
        self._nodeid_counter = {0: 20000, 1: 2000}
547
548
    def __getitem__(self, nodeid):
549
        return self._nodes.__getitem__(nodeid)
550
551
    def get(self, nodeid):
552
        return self._nodes.get(nodeid, None)
553
554
    def __setitem__(self, nodeid, value):
555
        return self._nodes.__setitem__(nodeid, value)
556
557
    def __contains__(self, nodeid):
558
        return self._nodes.__contains__(nodeid)
559
560
    def __delitem__(self, nodeid):
561
        self._nodes.__delitem__(nodeid)
562
563
    def generate_nodeid(self, idx=None):
564
        if idx is None:
565
            idx = self._default_idx
566
        if idx in self._nodeid_counter:
567
            self._nodeid_counter[idx] += 1
568
        else:
569
            # get the biggest identifier number from the existed nodes in address space
570
            identifier_list = sorted([
571
                nodeid.Identifier for nodeid in self._nodes.keys()
572
                if nodeid.NamespaceIndex == idx and nodeid.NodeIdType in (
573
                    ua.NodeIdType.Numeric, ua.NodeIdType.TwoByte, ua.NodeIdType.FourByte
574
                )
575
            ])
576
            if identifier_list:
577
                self._nodeid_counter[idx] = identifier_list[-1]
578
            else:
579
                self._nodeid_counter[idx] = 1
580
        nodeid = ua.NodeId(self._nodeid_counter[idx], idx)
581
        while True:
582
            if nodeid in self._nodes:
583
                nodeid = self.generate_nodeid(idx)
584
            else:
585
                return nodeid
586
587
    def keys(self):
588
        return self._nodes.keys()
589
590
    def empty(self):
591
        """Delete all nodes in address space"""
592
        self._nodes = {}
593
594
    def dump(self, path):
595
        """
596
        Dump address space as binary to file; note that server must be stopped for this method to work
597
        DO NOT DUMP AN ADDRESS SPACE WHICH IS USING A SHELF (load_aspace_shelf), ONLY CACHED NODES WILL GET DUMPED!
598
        """
599
        # prepare nodes in address space for being serialized
600
        for nodeid, ndata in self._nodes.items():
601
            # if the node has a reference to a method call, remove it so the object can be serialized
602
            if ndata.call is not None:
603
                self._nodes[nodeid].call = None
604
605
        with open(path, 'wb') as f:
606
            pickle.dump(self._nodes, f, pickle.HIGHEST_PROTOCOL)
607
608
    def load(self, path):
609
        """
610
        Load address space from a binary file, overwriting everything in the current address space
611
        """
612
        with open(path, 'rb') as f:
613
            self._nodes = pickle.load(f)
614
615
    def make_aspace_shelf(self, path):
616
        """
617
        Make a shelf for containing the nodes from the standard address space; this is typically only done on first
618
        start of the server. Subsequent server starts will load the shelf, nodes are then moved to a cache
619
        by the LazyLoadingDict class when they are accessed. Saving data back to the shelf
620
        is currently NOT supported, it is only used for the default OPC UA standard address space
621
622
        Note: Intended for slow devices, such as Raspberry Pi, to greatly improve start up time
623
        """
624
        with shelve.open(path, 'n', protocol=pickle.HIGHEST_PROTOCOL) as s:
625
            for nodeid, ndata in self._nodes.items():
626
                s[nodeid.to_string()] = ndata
627
628
    def load_aspace_shelf(self, path):
629
        """
630
        Load the standard address space nodes from a python shelve via LazyLoadingDict as needed.
631
        The dump() method can no longer be used if the address space is being loaded from a shelf
632
633
        Note: Intended for slow devices, such as Raspberry Pi, to greatly improve start up time
634
        """
635
        raise NotImplementedError
636
637
        # ToDo: async friendly implementation - load all at once?
638
        class LazyLoadingDict(collections.MutableMapping):
0 ignored issues
show
Comprehensibility Best Practice introduced by
The variable collections does not seem to be defined.
Loading history...
639
            """
640
            Special dict that only loads nodes as they are accessed. If a node is accessed it gets copied from the
641
            shelve to the cache dict. All user nodes are saved in the cache ONLY. Saving data back to the shelf
642
            is currently NOT supported
643
            """
644
645
            def __init__(self, source):
646
                self.source = source  # python shelf
647
                self.cache = {}  # internal dict
648
649
            def __getitem__(self, key):
650
                # try to get the item (node) from the cache, if it isn't there get it from the shelf
651
                try:
652
                    return self.cache[key]
653
                except KeyError:
654
                    node = self.cache[key] = self.source[key.to_string()]
655
                    return node
656
657
            def __setitem__(self, key, value):
658
                # add a new item to the cache; if this item is in the shelf it is not updated
659
                self.cache[key] = value
660
661
            def __contains__(self, key):
662
                return key in self.cache or key.to_string() in self.source
663
664
            def __delitem__(self, key):
665
                # only deleting items from the cache is allowed
666
                del self.cache[key]
667
668
            def __iter__(self):
669
                # only the cache can be iterated over
670
                return iter(self.cache.keys())
671
672
            def __len__(self):
673
                # only returns the length of items in the cache, not unaccessed items in the shelf
674
                return len(self.cache)
675
676
        self._nodes = LazyLoadingDict(shelve.open(path, "r"))
677
678
    def read_attribute_value(self, nodeid, attr):
679
        # self.logger.debug("get attr val: %s %s", nodeid, attr)
680
        if nodeid not in self._nodes:
681
            dv = ua.DataValue()
682
            dv.StatusCode = ua.StatusCode(ua.StatusCodes.BadNodeIdUnknown)
683
            return dv
684
        node = self._nodes[nodeid]
685
        if attr not in node.attributes:
686
            dv = ua.DataValue()
687
            dv.StatusCode = ua.StatusCode(ua.StatusCodes.BadAttributeIdInvalid)
688
            return dv
689
        attval = node.attributes[attr]
690
        if attval.value_callback:
691
            return attval.value_callback()
692
        return attval.value
693
694
    async def write_attribute_value(self, nodeid, attr, value):
695
        # self.logger.debug("set attr val: %s %s %s", nodeid, attr, value)
696
        node = self._nodes.get(nodeid, None)
697
        if node is None:
698
            return ua.StatusCode(ua.StatusCodes.BadNodeIdUnknown)
699
        attval = node.attributes.get(attr, None)
700
        if attval is None:
701
            return ua.StatusCode(ua.StatusCodes.BadAttributeIdInvalid)
702
703
        old = attval.value
704
        attval.value = value
705
        cbs = []
706
        if old.Value != value.Value:  # only send call callback when a value change has happend
707
            cbs = list(attval.datachange_callbacks.items())
708
709
        for k, v in cbs:
710
            try:
711
                await v(k, value)
712
            except Exception as ex:
713
                self.logger.exception("Error calling datachange callback %s, %s, %s", k, v, ex)
714
715
        return ua.StatusCode()
716
717
    def add_datachange_callback(self, nodeid, attr, callback):
718
        self.logger.debug("set attr callback: %s %s %s", nodeid, attr, callback)
719
        if nodeid not in self._nodes:
720
            return ua.StatusCode(ua.StatusCodes.BadNodeIdUnknown), 0
721
        node = self._nodes[nodeid]
722
        if attr not in node.attributes:
723
            return ua.StatusCode(ua.StatusCodes.BadAttributeIdInvalid), 0
724
        attval = node.attributes[attr]
725
        self._datachange_callback_counter += 1
726
        handle = self._datachange_callback_counter
727
        attval.datachange_callbacks[handle] = callback
728
        self._handle_to_attribute_map[handle] = (nodeid, attr)
729
        return ua.StatusCode(), handle
730
731
    def delete_datachange_callback(self, handle):
732
        if handle in self._handle_to_attribute_map:
733
            nodeid, attr = self._handle_to_attribute_map.pop(handle)
734
            self._nodes[nodeid].attributes[attr].datachange_callbacks.pop(handle)
735
736
    def add_method_callback(self, methodid, callback):
737
        node = self._nodes[methodid]
738
        node.call = callback
739