protobuf 6.33.0__cp39-abi3-manylinux2014_s390x.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.

Potentially problematic release.


This version of protobuf might be problematic. Click here for more details.

Files changed (59) hide show
  1. google/_upb/_message.abi3.so +0 -0
  2. google/protobuf/__init__.py +10 -0
  3. google/protobuf/any.py +53 -0
  4. google/protobuf/any_pb2.py +37 -0
  5. google/protobuf/api_pb2.py +47 -0
  6. google/protobuf/compiler/__init__.py +0 -0
  7. google/protobuf/compiler/plugin_pb2.py +46 -0
  8. google/protobuf/descriptor.py +1676 -0
  9. google/protobuf/descriptor_database.py +172 -0
  10. google/protobuf/descriptor_pb2.py +3363 -0
  11. google/protobuf/descriptor_pool.py +1370 -0
  12. google/protobuf/duration.py +100 -0
  13. google/protobuf/duration_pb2.py +37 -0
  14. google/protobuf/empty_pb2.py +37 -0
  15. google/protobuf/field_mask_pb2.py +37 -0
  16. google/protobuf/internal/__init__.py +7 -0
  17. google/protobuf/internal/api_implementation.py +136 -0
  18. google/protobuf/internal/builder.py +118 -0
  19. google/protobuf/internal/containers.py +690 -0
  20. google/protobuf/internal/decoder.py +1066 -0
  21. google/protobuf/internal/encoder.py +806 -0
  22. google/protobuf/internal/enum_type_wrapper.py +112 -0
  23. google/protobuf/internal/extension_dict.py +194 -0
  24. google/protobuf/internal/field_mask.py +312 -0
  25. google/protobuf/internal/message_listener.py +55 -0
  26. google/protobuf/internal/python_edition_defaults.py +5 -0
  27. google/protobuf/internal/python_message.py +1599 -0
  28. google/protobuf/internal/testing_refleaks.py +128 -0
  29. google/protobuf/internal/type_checkers.py +455 -0
  30. google/protobuf/internal/well_known_types.py +695 -0
  31. google/protobuf/internal/wire_format.py +245 -0
  32. google/protobuf/json_format.py +1111 -0
  33. google/protobuf/message.py +448 -0
  34. google/protobuf/message_factory.py +190 -0
  35. google/protobuf/proto.py +153 -0
  36. google/protobuf/proto_builder.py +111 -0
  37. google/protobuf/proto_json.py +83 -0
  38. google/protobuf/proto_text.py +129 -0
  39. google/protobuf/pyext/__init__.py +0 -0
  40. google/protobuf/pyext/cpp_message.py +49 -0
  41. google/protobuf/reflection.py +36 -0
  42. google/protobuf/runtime_version.py +104 -0
  43. google/protobuf/service_reflection.py +272 -0
  44. google/protobuf/source_context_pb2.py +37 -0
  45. google/protobuf/struct_pb2.py +47 -0
  46. google/protobuf/symbol_database.py +179 -0
  47. google/protobuf/testdata/__init__.py +0 -0
  48. google/protobuf/text_encoding.py +106 -0
  49. google/protobuf/text_format.py +1884 -0
  50. google/protobuf/timestamp.py +112 -0
  51. google/protobuf/timestamp_pb2.py +37 -0
  52. google/protobuf/type_pb2.py +53 -0
  53. google/protobuf/unknown_fields.py +96 -0
  54. google/protobuf/util/__init__.py +0 -0
  55. google/protobuf/wrappers_pb2.py +53 -0
  56. protobuf-6.33.0.dist-info/LICENSE +32 -0
  57. protobuf-6.33.0.dist-info/METADATA +17 -0
  58. protobuf-6.33.0.dist-info/RECORD +59 -0
  59. protobuf-6.33.0.dist-info/WHEEL +4 -0
@@ -0,0 +1,448 @@
1
+ # Protocol Buffers - Google's data interchange format
2
+ # Copyright 2008 Google Inc. All rights reserved.
3
+ #
4
+ # Use of this source code is governed by a BSD-style
5
+ # license that can be found in the LICENSE file or at
6
+ # https://developers.google.com/open-source/licenses/bsd
7
+
8
+ # TODO: We should just make these methods all "pure-virtual" and move
9
+ # all implementation out, into reflection.py for now.
10
+
11
+
12
+ """Contains an abstract base class for protocol messages."""
13
+
14
+ __author__ = 'robinson@google.com (Will Robinson)'
15
+
16
+ _INCONSISTENT_MESSAGE_ATTRIBUTES = ('Extensions',)
17
+
18
+
19
+ class Error(Exception):
20
+ """Base error type for this module."""
21
+ pass
22
+
23
+
24
+ class DecodeError(Error):
25
+ """Exception raised when deserializing messages."""
26
+ pass
27
+
28
+
29
+ class EncodeError(Error):
30
+ """Exception raised when serializing messages."""
31
+ pass
32
+
33
+
34
+ class Message(object):
35
+
36
+ """Abstract base class for protocol messages.
37
+
38
+ Protocol message classes are almost always generated by the protocol
39
+ compiler. These generated types subclass Message and implement the methods
40
+ shown below.
41
+ """
42
+
43
+ # TODO: Link to an HTML document here.
44
+
45
+ # TODO: Document that instances of this class will also
46
+ # have an Extensions attribute with __getitem__ and __setitem__.
47
+ # Again, not sure how to best convey this.
48
+
49
+ # TODO: Document these fields and methods.
50
+
51
+ __slots__ = []
52
+
53
+ #: The :class:`google.protobuf.Descriptor`
54
+ # for this message type.
55
+ DESCRIPTOR = None
56
+
57
+ def __deepcopy__(self, memo=None):
58
+ clone = type(self)()
59
+ clone.MergeFrom(self)
60
+ return clone
61
+
62
+ def __dir__(self):
63
+ """Provides the list of all accessible Message attributes."""
64
+ message_attributes = set(super().__dir__())
65
+
66
+ # TODO: Remove this once the UPB implementation is improved.
67
+ # The UPB proto implementation currently doesn't provide proto fields as
68
+ # attributes and they have to added.
69
+ if self.DESCRIPTOR is not None:
70
+ for field in self.DESCRIPTOR.fields:
71
+ message_attributes.add(field.name)
72
+
73
+ # The Fast C++ proto implementation provides inaccessible attributes that
74
+ # have to be removed.
75
+ for attribute in _INCONSISTENT_MESSAGE_ATTRIBUTES:
76
+ if attribute not in message_attributes:
77
+ continue
78
+ try:
79
+ getattr(self, attribute)
80
+ except AttributeError:
81
+ message_attributes.remove(attribute)
82
+
83
+ return sorted(message_attributes)
84
+
85
+ def __eq__(self, other_msg):
86
+ """Recursively compares two messages by value and structure."""
87
+ raise NotImplementedError
88
+
89
+ def __ne__(self, other_msg):
90
+ # Can't just say self != other_msg, since that would infinitely recurse. :)
91
+ return not self == other_msg
92
+
93
+ def __hash__(self):
94
+ raise TypeError('unhashable object')
95
+
96
+ def __str__(self):
97
+ """Outputs a human-readable representation of the message."""
98
+ raise NotImplementedError
99
+
100
+ def __unicode__(self):
101
+ """Outputs a human-readable representation of the message."""
102
+ raise NotImplementedError
103
+
104
+ def __contains__(self, field_name_or_key):
105
+ """Checks if a certain field is set for the message.
106
+
107
+ Has presence fields return true if the field is set, false if the field is
108
+ not set. Fields without presence do raise `ValueError` (this includes
109
+ repeated fields, map fields, and implicit presence fields).
110
+
111
+ If field_name is not defined in the message descriptor, `ValueError` will
112
+ be raised.
113
+ Note: WKT Struct checks if the key is contained in fields. ListValue checks
114
+ if the item is contained in the list.
115
+
116
+ Args:
117
+ field_name_or_key: For Struct, the key (str) of the fields map. For
118
+ ListValue, any type that may be contained in the list. For other
119
+ messages, name of the field (str) to check for presence.
120
+
121
+ Returns:
122
+ bool: For Struct, whether the item is contained in fields. For ListValue,
123
+ whether the item is contained in the list. For other message,
124
+ whether a value has been set for the named field.
125
+
126
+ Raises:
127
+ ValueError: For normal messages, if the `field_name_or_key` is not a
128
+ member of this message or `field_name_or_key` is not a string.
129
+ """
130
+ raise NotImplementedError
131
+
132
+ def MergeFrom(self, other_msg):
133
+ """Merges the contents of the specified message into current message.
134
+
135
+ This method merges the contents of the specified message into the current
136
+ message. Singular fields that are set in the specified message overwrite
137
+ the corresponding fields in the current message. Repeated fields are
138
+ appended. Singular sub-messages and groups are recursively merged.
139
+
140
+ Args:
141
+ other_msg (Message): A message to merge into the current message.
142
+ """
143
+ raise NotImplementedError
144
+
145
+ def CopyFrom(self, other_msg):
146
+ """Copies the content of the specified message into the current message.
147
+
148
+ The method clears the current message and then merges the specified
149
+ message using MergeFrom.
150
+
151
+ Args:
152
+ other_msg (Message): A message to copy into the current one.
153
+ """
154
+ if self is other_msg:
155
+ return
156
+ self.Clear()
157
+ self.MergeFrom(other_msg)
158
+
159
+ def Clear(self):
160
+ """Clears all data that was set in the message."""
161
+ raise NotImplementedError
162
+
163
+ def SetInParent(self):
164
+ """Mark this as present in the parent.
165
+
166
+ This normally happens automatically when you assign a field of a
167
+ sub-message, but sometimes you want to make the sub-message
168
+ present while keeping it empty. If you find yourself using this,
169
+ you may want to reconsider your design.
170
+ """
171
+ raise NotImplementedError
172
+
173
+ def IsInitialized(self):
174
+ """Checks if the message is initialized.
175
+
176
+ Returns:
177
+ bool: The method returns True if the message is initialized (i.e. all of
178
+ its required fields are set).
179
+ """
180
+ raise NotImplementedError
181
+
182
+ # TODO: MergeFromString() should probably return None and be
183
+ # implemented in terms of a helper that returns the # of bytes read. Our
184
+ # deserialization routines would use the helper when recursively
185
+ # deserializing, but the end user would almost always just want the no-return
186
+ # MergeFromString().
187
+
188
+ def MergeFromString(self, serialized):
189
+ """Merges serialized protocol buffer data into this message.
190
+
191
+ When we find a field in `serialized` that is already present
192
+ in this message:
193
+
194
+ - If it's a "repeated" field, we append to the end of our list.
195
+ - Else, if it's a scalar, we overwrite our field.
196
+ - Else, (it's a nonrepeated composite), we recursively merge
197
+ into the existing composite.
198
+
199
+ Args:
200
+ serialized (bytes): Any object that allows us to call
201
+ ``memoryview(serialized)`` to access a string of bytes using the
202
+ buffer interface.
203
+
204
+ Returns:
205
+ int: The number of bytes read from `serialized`.
206
+ For non-group messages, this will always be `len(serialized)`,
207
+ but for messages which are actually groups, this will
208
+ generally be less than `len(serialized)`, since we must
209
+ stop when we reach an ``END_GROUP`` tag. Note that if
210
+ we *do* stop because of an ``END_GROUP`` tag, the number
211
+ of bytes returned does not include the bytes
212
+ for the ``END_GROUP`` tag information.
213
+
214
+ Raises:
215
+ DecodeError: if the input cannot be parsed.
216
+ """
217
+ # TODO: Document handling of unknown fields.
218
+ # TODO: When we switch to a helper, this will return None.
219
+ raise NotImplementedError
220
+
221
+ def ParseFromString(self, serialized):
222
+ """Parse serialized protocol buffer data in binary form into this message.
223
+
224
+ Like :func:`MergeFromString()`, except we clear the object first.
225
+
226
+ Raises:
227
+ message.DecodeError if the input cannot be parsed.
228
+ """
229
+ self.Clear()
230
+ return self.MergeFromString(serialized)
231
+
232
+ def SerializeToString(self, **kwargs):
233
+ """Serializes the protocol message to a binary string.
234
+
235
+ Keyword Args:
236
+ deterministic (bool): If true, requests deterministic serialization
237
+ of the protobuf, with predictable ordering of map keys.
238
+
239
+ Returns:
240
+ A binary string representation of the message if all of the required
241
+ fields in the message are set (i.e. the message is initialized).
242
+
243
+ Raises:
244
+ EncodeError: if the message isn't initialized (see :func:`IsInitialized`).
245
+ """
246
+ raise NotImplementedError
247
+
248
+ def SerializePartialToString(self, **kwargs):
249
+ """Serializes the protocol message to a binary string.
250
+
251
+ This method is similar to SerializeToString but doesn't check if the
252
+ message is initialized.
253
+
254
+ Keyword Args:
255
+ deterministic (bool): If true, requests deterministic serialization
256
+ of the protobuf, with predictable ordering of map keys.
257
+
258
+ Returns:
259
+ bytes: A serialized representation of the partial message.
260
+ """
261
+ raise NotImplementedError
262
+
263
+ # TODO: Decide whether we like these better
264
+ # than auto-generated has_foo() and clear_foo() methods
265
+ # on the instances themselves. This way is less consistent
266
+ # with C++, but it makes reflection-type access easier and
267
+ # reduces the number of magically autogenerated things.
268
+ #
269
+ # TODO: Be sure to document (and test) exactly
270
+ # which field names are accepted here. Are we case-sensitive?
271
+ # What do we do with fields that share names with Python keywords
272
+ # like 'lambda' and 'yield'?
273
+ #
274
+ # nnorwitz says:
275
+ # """
276
+ # Typically (in python), an underscore is appended to names that are
277
+ # keywords. So they would become lambda_ or yield_.
278
+ # """
279
+ def ListFields(self):
280
+ """Returns a list of (FieldDescriptor, value) tuples for present fields.
281
+
282
+ A message field is non-empty if HasField() would return true. A singular
283
+ primitive field is non-empty if HasField() would return true in proto2 or it
284
+ is non zero in proto3. A repeated field is non-empty if it contains at least
285
+ one element. The fields are ordered by field number.
286
+
287
+ Returns:
288
+ list[tuple(FieldDescriptor, value)]: field descriptors and values
289
+ for all fields in the message which are not empty. The values vary by
290
+ field type.
291
+ """
292
+ raise NotImplementedError
293
+
294
+ def HasField(self, field_name):
295
+ """Checks if a certain field is set for the message.
296
+
297
+ For a oneof group, checks if any field inside is set. Note that if the
298
+ field_name is not defined in the message descriptor, :exc:`ValueError` will
299
+ be raised.
300
+
301
+ Args:
302
+ field_name (str): The name of the field to check for presence.
303
+
304
+ Returns:
305
+ bool: Whether a value has been set for the named field.
306
+
307
+ Raises:
308
+ ValueError: if the `field_name` is not a member of this message.
309
+ """
310
+ raise NotImplementedError
311
+
312
+ def ClearField(self, field_name):
313
+ """Clears the contents of a given field.
314
+
315
+ Inside a oneof group, clears the field set. If the name neither refers to a
316
+ defined field or oneof group, :exc:`ValueError` is raised.
317
+
318
+ Args:
319
+ field_name (str): The name of the field to check for presence.
320
+
321
+ Raises:
322
+ ValueError: if the `field_name` is not a member of this message.
323
+ """
324
+ raise NotImplementedError
325
+
326
+ def WhichOneof(self, oneof_group):
327
+ """Returns the name of the field that is set inside a oneof group.
328
+
329
+ If no field is set, returns None.
330
+
331
+ Args:
332
+ oneof_group (str): the name of the oneof group to check.
333
+
334
+ Returns:
335
+ str or None: The name of the group that is set, or None.
336
+
337
+ Raises:
338
+ ValueError: no group with the given name exists
339
+ """
340
+ raise NotImplementedError
341
+
342
+ def HasExtension(self, field_descriptor):
343
+ """Checks if a certain extension is present for this message.
344
+
345
+ Extensions are retrieved using the :attr:`Extensions` mapping (if present).
346
+
347
+ Args:
348
+ field_descriptor: The field descriptor for the extension to check.
349
+
350
+ Returns:
351
+ bool: Whether the extension is present for this message.
352
+
353
+ Raises:
354
+ KeyError: if the extension is repeated. Similar to repeated fields,
355
+ there is no separate notion of presence: a "not present" repeated
356
+ extension is an empty list.
357
+ """
358
+ raise NotImplementedError
359
+
360
+ def ClearExtension(self, field_descriptor):
361
+ """Clears the contents of a given extension.
362
+
363
+ Args:
364
+ field_descriptor: The field descriptor for the extension to clear.
365
+ """
366
+ raise NotImplementedError
367
+
368
+ def UnknownFields(self):
369
+ """Returns the UnknownFieldSet.
370
+
371
+ Returns:
372
+ UnknownFieldSet: The unknown fields stored in this message.
373
+ """
374
+ raise NotImplementedError
375
+
376
+ def DiscardUnknownFields(self):
377
+ """Clears all fields in the :class:`UnknownFieldSet`.
378
+
379
+ This operation is recursive for nested message.
380
+ """
381
+ raise NotImplementedError
382
+
383
+ def ByteSize(self):
384
+ """Returns the serialized size of this message.
385
+
386
+ Recursively calls ByteSize() on all contained messages.
387
+
388
+ Returns:
389
+ int: The number of bytes required to serialize this message.
390
+ """
391
+ raise NotImplementedError
392
+
393
+ @classmethod
394
+ def FromString(cls, s):
395
+ raise NotImplementedError
396
+
397
+ def _SetListener(self, message_listener):
398
+ """Internal method used by the protocol message implementation.
399
+ Clients should not call this directly.
400
+
401
+ Sets a listener that this message will call on certain state transitions.
402
+
403
+ The purpose of this method is to register back-edges from children to
404
+ parents at runtime, for the purpose of setting "has" bits and
405
+ byte-size-dirty bits in the parent and ancestor objects whenever a child or
406
+ descendant object is modified.
407
+
408
+ If the client wants to disconnect this Message from the object tree, she
409
+ explicitly sets callback to None.
410
+
411
+ If message_listener is None, unregisters any existing listener. Otherwise,
412
+ message_listener must implement the MessageListener interface in
413
+ internal/message_listener.py, and we discard any listener registered
414
+ via a previous _SetListener() call.
415
+ """
416
+ raise NotImplementedError
417
+
418
+ def __getstate__(self):
419
+ """Support the pickle protocol."""
420
+ return dict(serialized=self.SerializePartialToString())
421
+
422
+ def __setstate__(self, state):
423
+ """Support the pickle protocol."""
424
+ self.__init__()
425
+ serialized = state['serialized']
426
+ # On Python 3, using encoding='latin1' is required for unpickling
427
+ # protos pickled by Python 2.
428
+ if not isinstance(serialized, bytes):
429
+ serialized = serialized.encode('latin1')
430
+ self.ParseFromString(serialized)
431
+
432
+ def __reduce__(self):
433
+ message_descriptor = self.DESCRIPTOR
434
+ if message_descriptor.containing_type is None:
435
+ return type(self), (), self.__getstate__()
436
+ # the message type must be nested.
437
+ # Python does not pickle nested classes; use the symbol_database on the
438
+ # receiving end.
439
+ container = message_descriptor
440
+ return (_InternalConstructMessage, (container.full_name,),
441
+ self.__getstate__())
442
+
443
+
444
+ def _InternalConstructMessage(full_name):
445
+ """Constructs a nested message."""
446
+ from google.protobuf import symbol_database # pylint:disable=g-import-not-at-top
447
+
448
+ return symbol_database.Default().GetSymbol(full_name)()
@@ -0,0 +1,190 @@
1
+ # Protocol Buffers - Google's data interchange format
2
+ # Copyright 2008 Google Inc. All rights reserved.
3
+ #
4
+ # Use of this source code is governed by a BSD-style
5
+ # license that can be found in the LICENSE file or at
6
+ # https://developers.google.com/open-source/licenses/bsd
7
+
8
+ """Provides a factory class for generating dynamic messages.
9
+
10
+ The easiest way to use this class is if you have access to the FileDescriptor
11
+ protos containing the messages you want to create you can just do the following:
12
+
13
+ message_classes = message_factory.GetMessages(iterable_of_file_descriptors)
14
+ my_proto_instance = message_classes['some.proto.package.MessageName']()
15
+ """
16
+
17
+ __author__ = 'matthewtoia@google.com (Matt Toia)'
18
+
19
+ import warnings
20
+
21
+ from google.protobuf import descriptor_pool
22
+ from google.protobuf import message
23
+ from google.protobuf.internal import api_implementation
24
+
25
+ if api_implementation.Type() == 'python':
26
+ from google.protobuf.internal import python_message as message_impl
27
+ else:
28
+ from google.protobuf.pyext import cpp_message as message_impl # pylint: disable=g-import-not-at-top
29
+
30
+
31
+ # The type of all Message classes.
32
+ _GENERATED_PROTOCOL_MESSAGE_TYPE = message_impl.GeneratedProtocolMessageType
33
+
34
+
35
+ def GetMessageClass(descriptor):
36
+ """Obtains a proto2 message class based on the passed in descriptor.
37
+
38
+ Passing a descriptor with a fully qualified name matching a previous
39
+ invocation will cause the same class to be returned.
40
+
41
+ Args:
42
+ descriptor: The descriptor to build from.
43
+
44
+ Returns:
45
+ A class describing the passed in descriptor.
46
+ """
47
+ concrete_class = getattr(descriptor, '_concrete_class', None)
48
+ if concrete_class:
49
+ return concrete_class
50
+ return _InternalCreateMessageClass(descriptor)
51
+
52
+
53
+ def GetMessageClassesForFiles(files, pool):
54
+ """Gets all the messages from specified files.
55
+
56
+ This will find and resolve dependencies, failing if the descriptor
57
+ pool cannot satisfy them.
58
+
59
+ This will not return the classes for nested types within those classes, for
60
+ those, use GetMessageClass() on the nested types within their containing
61
+ messages.
62
+
63
+ For example, for the message:
64
+
65
+ message NestedTypeMessage {
66
+ message NestedType {
67
+ string data = 1;
68
+ }
69
+ NestedType nested = 1;
70
+ }
71
+
72
+ NestedTypeMessage will be in the result, but not
73
+ NestedTypeMessage.NestedType.
74
+
75
+ Args:
76
+ files: The file names to extract messages from.
77
+ pool: The descriptor pool to find the files including the dependent files.
78
+
79
+ Returns:
80
+ A dictionary mapping proto names to the message classes.
81
+ """
82
+ result = {}
83
+ for file_name in files:
84
+ file_desc = pool.FindFileByName(file_name)
85
+ for desc in file_desc.message_types_by_name.values():
86
+ result[desc.full_name] = GetMessageClass(desc)
87
+
88
+ # While the extension FieldDescriptors are created by the descriptor pool,
89
+ # the python classes created in the factory need them to be registered
90
+ # explicitly, which is done below.
91
+ #
92
+ # The call to RegisterExtension will specifically check if the
93
+ # extension was already registered on the object and either
94
+ # ignore the registration if the original was the same, or raise
95
+ # an error if they were different.
96
+
97
+ for extension in file_desc.extensions_by_name.values():
98
+ _ = GetMessageClass(extension.containing_type)
99
+ if api_implementation.Type() != 'python':
100
+ # TODO: Remove this check here. Duplicate extension
101
+ # register check should be in descriptor_pool.
102
+ if extension is not pool.FindExtensionByNumber(
103
+ extension.containing_type, extension.number
104
+ ):
105
+ raise ValueError('Double registration of Extensions')
106
+ # Recursively load protos for extension field, in order to be able to
107
+ # fully represent the extension. This matches the behavior for regular
108
+ # fields too.
109
+ if extension.message_type:
110
+ GetMessageClass(extension.message_type)
111
+ return result
112
+
113
+
114
+ def _InternalCreateMessageClass(descriptor):
115
+ """Builds a proto2 message class based on the passed in descriptor.
116
+
117
+ Args:
118
+ descriptor: The descriptor to build from.
119
+
120
+ Returns:
121
+ A class describing the passed in descriptor.
122
+ """
123
+ descriptor_name = descriptor.name
124
+ result_class = _GENERATED_PROTOCOL_MESSAGE_TYPE(
125
+ descriptor_name,
126
+ (message.Message,),
127
+ {
128
+ 'DESCRIPTOR': descriptor,
129
+ # If module not set, it wrongly points to message_factory module.
130
+ '__module__': None,
131
+ },
132
+ )
133
+ for field in descriptor.fields:
134
+ if field.message_type:
135
+ GetMessageClass(field.message_type)
136
+
137
+ for extension in result_class.DESCRIPTOR.extensions:
138
+ extended_class = GetMessageClass(extension.containing_type)
139
+ if api_implementation.Type() != 'python':
140
+ # TODO: Remove this check here. Duplicate extension
141
+ # register check should be in descriptor_pool.
142
+ pool = extension.containing_type.file.pool
143
+ if extension is not pool.FindExtensionByNumber(
144
+ extension.containing_type, extension.number
145
+ ):
146
+ raise ValueError('Double registration of Extensions')
147
+ if extension.message_type:
148
+ GetMessageClass(extension.message_type)
149
+ return result_class
150
+
151
+
152
+ # Deprecated. Please use GetMessageClass() or GetMessageClassesForFiles()
153
+ # method above instead.
154
+ class MessageFactory(object):
155
+ """Factory for creating Proto2 messages from descriptors in a pool."""
156
+
157
+ def __init__(self, pool=None):
158
+ """Initializes a new factory."""
159
+ self.pool = pool or descriptor_pool.DescriptorPool()
160
+
161
+
162
+ def GetMessages(file_protos, pool=None):
163
+ """Builds a dictionary of all the messages available in a set of files.
164
+
165
+ Args:
166
+ file_protos: Iterable of FileDescriptorProto to build messages out of.
167
+ pool: The descriptor pool to add the file protos.
168
+
169
+ Returns:
170
+ A dictionary mapping proto names to the message classes. This will include
171
+ any dependent messages as well as any messages defined in the same file as
172
+ a specified message.
173
+ """
174
+ # The cpp implementation of the protocol buffer library requires to add the
175
+ # message in topological order of the dependency graph.
176
+ des_pool = pool or descriptor_pool.DescriptorPool()
177
+ file_by_name = {file_proto.name: file_proto for file_proto in file_protos}
178
+
179
+ def _AddFile(file_proto):
180
+ for dependency in file_proto.dependency:
181
+ if dependency in file_by_name:
182
+ # Remove from elements to be visited, in order to cut cycles.
183
+ _AddFile(file_by_name.pop(dependency))
184
+ des_pool.Add(file_proto)
185
+
186
+ while file_by_name:
187
+ _AddFile(file_by_name.popitem()[1])
188
+ return GetMessageClassesForFiles(
189
+ [file_proto.name for file_proto in file_protos], des_pool
190
+ )