-
Notifications
You must be signed in to change notification settings - Fork 914
/
Copy pathprotobuf.py
1153 lines (956 loc) · 50.3 KB
/
protobuf.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#
# Copyright 2020-2022 Confluent Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import io
import sys
import base64
import struct
import warnings
from collections import deque
from decimal import Context, Decimal, MAX_PREC
from typing import Set, List, Union, Optional, Any, Tuple
from google.protobuf import descriptor_pb2, any_pb2, api_pb2, empty_pb2, \
duration_pb2, field_mask_pb2, source_context_pb2, struct_pb2, timestamp_pb2, \
type_pb2, wrappers_pb2
from google.protobuf import json_format
from google.protobuf.descriptor_pool import DescriptorPool
from google.type import calendar_period_pb2, color_pb2, date_pb2, datetime_pb2, \
dayofweek_pb2, expr_pb2, fraction_pb2, latlng_pb2, money_pb2, month_pb2, \
postal_address_pb2, timeofday_pb2, quaternion_pb2
import confluent_kafka.schema_registry.confluent.meta_pb2 as meta_pb2
from google.protobuf.descriptor import Descriptor, FieldDescriptor, \
FileDescriptor
from google.protobuf.message import DecodeError, Message
from google.protobuf.message_factory import GetMessageClass
from . import (_MAGIC_BYTE,
reference_subject_name_strategy,
topic_subject_name_strategy, SchemaRegistryClient)
from .confluent.types import decimal_pb2
from .rule_registry import RuleRegistry
from .schema_registry_client import (Schema,
SchemaReference,
RuleKind,
RuleMode)
from confluent_kafka.serialization import SerializationError, \
SerializationContext
from .serde import BaseSerializer, BaseDeserializer, RuleContext, \
FieldTransform, FieldType, RuleConditionError, ParsedSchemaCache
# Convert an int to bytes (inverse of ord())
# Python3.chr() -> Unicode
# Python2.chr() -> str(alias for bytes)
if sys.version > '3':
def _bytes(v: int) -> bytes:
"""
Convert int to bytes
Args:
v (int): The int to convert to bytes.
"""
return bytes((v,))
else:
def _bytes(v: int) -> str:
"""
Convert int to bytes
Args:
v (int): The int to convert to bytes.
"""
return chr(v)
class _ContextStringIO(io.BytesIO):
"""
Wrapper to allow use of StringIO via 'with' constructs.
"""
def __enter__(self):
return self
def __exit__(self, *args):
self.close()
return False
def _create_index_array(msg_desc: Descriptor) -> List[int]:
"""
Creates an index array specifying the location of msg_desc in
the referenced FileDescriptor.
Args:
msg_desc (MessageDescriptor): Protobuf MessageDescriptor
Returns:
list of int: Protobuf MessageDescriptor index array.
Raises:
ValueError: If the message descriptor is malformed.
"""
msg_idx = deque()
# Walk the nested MessageDescriptor tree up to the root.
current = msg_desc
found = False
while current.containing_type is not None:
previous = current
current = previous.containing_type
# find child's position
for idx, node in enumerate(current.nested_types):
if node == previous:
msg_idx.appendleft(idx)
found = True
break
if not found:
raise ValueError("Nested MessageDescriptor not found")
# Add the index of the root MessageDescriptor in the FileDescriptor.
found = False
for idx, msg_type_name in enumerate(msg_desc.file.message_types_by_name):
if msg_type_name == current.name:
msg_idx.appendleft(idx)
found = True
break
if not found:
raise ValueError("MessageDescriptor not found in file")
return list(msg_idx)
def _schema_to_str(file_descriptor: FileDescriptor) -> str:
"""
Base64 encode a FileDescriptor
Args:
file_descriptor (FileDescriptor): FileDescriptor to encode.
Returns:
str: Base64 encoded FileDescriptor
"""
return base64.standard_b64encode(file_descriptor.serialized_pb).decode('ascii')
def _proto_to_str(file_descriptor_proto: descriptor_pb2.FileDescriptorProto) -> str:
"""
Base64 encode a FileDescriptorProto
Args:
file_descriptor_proto (FileDescriptorProto): FileDescriptorProto to encode.
Returns:
str: Base64 encoded FileDescriptorProto
"""
return base64.standard_b64encode(file_descriptor_proto.SerializeToString()).decode('ascii')
def _str_to_proto(name: str, schema_str: str) -> descriptor_pb2.FileDescriptorProto:
"""
Base64 decode a FileDescriptor
Args:
schema_str (str): Base64 encoded FileDescriptorProto
Returns:
FileDescriptorProto: schema.
"""
serialized_pb = base64.standard_b64decode(schema_str.encode('ascii'))
file_descriptor_proto = descriptor_pb2.FileDescriptorProto()
try:
file_descriptor_proto.ParseFromString(serialized_pb)
file_descriptor_proto.name = name
except DecodeError as e:
raise SerializationError(str(e))
return file_descriptor_proto
def _resolve_named_schema(
schema: Schema,
schema_registry_client: SchemaRegistryClient,
pool: DescriptorPool,
visited: Optional[Set[str]] = None
):
"""
Resolves named schemas referenced by the provided schema recursively.
:param schema: Schema to resolve named schemas for.
:param schema_registry_client: SchemaRegistryClient to use for retrieval.
:param pool: DescriptorPool to add resolved schemas to.
:return: DescriptorPool
"""
if visited is None:
visited = set()
if schema.references is not None:
for ref in schema.references:
if _is_builtin(ref.name) or ref.name in visited:
continue
visited.add(ref.name)
referenced_schema = schema_registry_client.get_version(ref.subject, ref.version, True, 'serialized')
_resolve_named_schema(referenced_schema.schema, schema_registry_client, pool, visited)
file_descriptor_proto = _str_to_proto(ref.name, referenced_schema.schema.schema_str)
pool.Add(file_descriptor_proto)
def _init_pool(pool: DescriptorPool):
pool.AddSerializedFile(any_pb2.DESCRIPTOR.serialized_pb)
# source_context needed by api
pool.AddSerializedFile(source_context_pb2.DESCRIPTOR.serialized_pb)
# type needed by api
pool.AddSerializedFile(type_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(api_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(descriptor_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(duration_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(empty_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(field_mask_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(struct_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(timestamp_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(wrappers_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(calendar_period_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(color_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(date_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(datetime_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(dayofweek_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(expr_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(fraction_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(latlng_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(money_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(month_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(postal_address_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(quaternion_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(timeofday_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(meta_pb2.DESCRIPTOR.serialized_pb)
pool.AddSerializedFile(decimal_pb2.DESCRIPTOR.serialized_pb)
class ProtobufSerializer(BaseSerializer):
"""
Serializer for Protobuf Message derived classes. Serialization format is Protobuf,
with Confluent Schema Registry framing.
Configuration properties:
+-------------------------------------+----------+------------------------------------------------------+
| Property Name | Type | Description |
+=====================================+==========+======================================================+
| | | If True, automatically register the configured |
| ``auto.register.schemas`` | bool | schema with Confluent Schema Registry if it has |
| | | not previously been associated with the relevant |
| | | subject (determined via subject.name.strategy). |
| | | |
| | | Defaults to True. |
| | | |
| | | Raises SchemaRegistryError if the schema was not |
| | | registered against the subject, or could not be |
| | | successfully registered. |
+-------------------------------------+----------+------------------------------------------------------+
| | | Whether to normalize schemas, which will |
| ``normalize.schemas`` | bool | transform schemas to have a consistent format, |
| | | including ordering properties and references. |
+-------------------------------------+----------+------------------------------------------------------+
| | | Whether to use the given schema ID for |
| ``use.schema.id`` | int | serialization. |
| | | |
+-----------------------------------------+----------+--------------------------------------------------+
| | | Whether to use the latest subject version for |
| ``use.latest.version`` | bool | serialization. |
| | | |
| | | WARNING: There is no check that the latest |
| | | schema is backwards compatible with the object |
| | | being serialized. |
| | | |
| | | Defaults to False. |
+-------------------------------------+----------+------------------------------------------------------+
| | | Whether to use the latest subject version with |
| ``use.latest.with.metadata`` | dict | the given metadata. |
| | | |
| | | WARNING: There is no check that the latest |
| | | schema is backwards compatible with the object |
| | | being serialized. |
| | | |
| | | Defaults to None. |
+-------------------------------------+----------+------------------------------------------------------+
| | | Whether or not to skip known types when resolving |
| ``skip.known.types`` | bool | schema dependencies. |
| | | |
| | | Defaults to True. |
+-------------------------------------+----------+------------------------------------------------------+
| | | Callable(SerializationContext, str) -> str |
| | | |
| ``subject.name.strategy`` | callable | Defines how Schema Registry subject names are |
| | | constructed. Standard naming strategies are |
| | | defined in the confluent_kafka.schema_registry |
| | | namespace. |
| | | |
| | | Defaults to topic_subject_name_strategy. |
+-------------------------------------+----------+------------------------------------------------------+
| | | Callable(SerializationContext, str) -> str |
| | | |
| ``reference.subject.name.strategy`` | callable | Defines how Schema Registry subject names for schema |
| | | references are constructed. |
| | | |
| | | Defaults to reference_subject_name_strategy |
+-------------------------------------+----------+------------------------------------------------------+
| ``use.deprecated.format`` | bool | Specifies whether the Protobuf serializer should |
| | | serialize message indexes without zig-zag encoding. |
| | | This option must be explicitly configured as older |
| | | and newer Protobuf producers are incompatible. |
| | | If the consumers of the topic being produced to are |
| | | using confluent-kafka-python <1.8 then this property |
| | | must be set to True until all old consumers have |
| | | have been upgraded. |
| | | |
| | | Warning: This configuration property will be removed |
| | | in a future version of the client. |
+-------------------------------------+----------+------------------------------------------------------+
Schemas are registered against subject names in Confluent Schema Registry that
define a scope in which the schemas can be evolved. By default, the subject name
is formed by concatenating the topic name with the message field (key or value)
separated by a hyphen.
i.e. {topic name}-{message field}
Alternative naming strategies may be configured with the property
``subject.name.strategy``.
Supported subject name strategies
+--------------------------------------+------------------------------+
| Subject Name Strategy | Output Format |
+======================================+==============================+
| topic_subject_name_strategy(default) | {topic name}-{message field} |
+--------------------------------------+------------------------------+
| topic_record_subject_name_strategy | {topic name}-{record name} |
+--------------------------------------+------------------------------+
| record_subject_name_strategy | {record name} |
+--------------------------------------+------------------------------+
See `Subject name strategy <https://docs.confluent.io/current/schema-registry/serializer-formatter.html#subject-name-strategy>`_ for additional details.
Args:
msg_type (Message): Protobuf Message type.
schema_registry_client (SchemaRegistryClient): Schema Registry
client instance.
conf (dict): ProtobufSerializer configuration.
See Also:
`Protobuf API reference <https://googleapis.dev/python/protobuf/latest/google/protobuf.html>`_
""" # noqa: E501
__slots__ = ['_skip_known_types', '_known_subjects', '_msg_class', '_index_array',
'_schema', '_schema_id', '_ref_reference_subject_func',
'_use_deprecated_format', '_parsed_schemas']
_default_conf = {
'auto.register.schemas': True,
'normalize.schemas': False,
'use.schema.id': None,
'use.latest.version': False,
'use.latest.with.metadata': None,
'skip.known.types': True,
'subject.name.strategy': topic_subject_name_strategy,
'reference.subject.name.strategy': reference_subject_name_strategy,
'use.deprecated.format': False,
}
def __init__(
self,
msg_type: Message,
schema_registry_client: SchemaRegistryClient,
conf: Optional[dict] = None,
rule_conf: Optional[dict] = None,
rule_registry: Optional[RuleRegistry] = None
):
super().__init__()
if conf is None or 'use.deprecated.format' not in conf:
raise RuntimeError(
"ProtobufSerializer: the 'use.deprecated.format' configuration "
"property must be explicitly set due to backward incompatibility "
"with older confluent-kafka-python Protobuf producers and consumers. "
"See the release notes for more details")
conf_copy = self._default_conf.copy()
if conf is not None:
conf_copy.update(conf)
self._auto_register = conf_copy.pop('auto.register.schemas')
if not isinstance(self._auto_register, bool):
raise ValueError("auto.register.schemas must be a boolean value")
self._normalize_schemas = conf_copy.pop('normalize.schemas')
if not isinstance(self._normalize_schemas, bool):
raise ValueError("normalize.schemas must be a boolean value")
self._use_schema_id = conf_copy.pop('use.schema.id')
if (self._use_schema_id is not None and
not isinstance(self._use_schema_id, int)):
raise ValueError("use.schema.id must be an int value")
self._use_latest_version = conf_copy.pop('use.latest.version')
if not isinstance(self._use_latest_version, bool):
raise ValueError("use.latest.version must be a boolean value")
if self._use_latest_version and self._auto_register:
raise ValueError("cannot enable both use.latest.version and auto.register.schemas")
self._use_latest_with_metadata = conf_copy.pop('use.latest.with.metadata')
if (self._use_latest_with_metadata is not None and
not isinstance(self._use_latest_with_metadata, dict)):
raise ValueError("use.latest.with.metadata must be a dict value")
self._skip_known_types = conf_copy.pop('skip.known.types')
if not isinstance(self._skip_known_types, bool):
raise ValueError("skip.known.types must be a boolean value")
self._use_deprecated_format = conf_copy.pop('use.deprecated.format')
if not isinstance(self._use_deprecated_format, bool):
raise ValueError("use.deprecated.format must be a boolean value")
if self._use_deprecated_format:
warnings.warn("ProtobufSerializer: the 'use.deprecated.format' "
"configuration property, and the ability to use the "
"old incorrect Protobuf serializer heading format "
"introduced in confluent-kafka-python v1.4.0, "
"will be removed in an upcoming release in 2021 Q2. "
"Please migrate your Python Protobuf producers and "
"consumers to 'use.deprecated.format':False as "
"soon as possible")
self._subject_name_func = conf_copy.pop('subject.name.strategy')
if not callable(self._subject_name_func):
raise ValueError("subject.name.strategy must be callable")
self._ref_reference_subject_func = conf_copy.pop(
'reference.subject.name.strategy')
if not callable(self._ref_reference_subject_func):
raise ValueError("subject.name.strategy must be callable")
if len(conf_copy) > 0:
raise ValueError("Unrecognized properties: {}"
.format(", ".join(conf_copy.keys())))
self._registry = schema_registry_client
self._rule_registry = rule_registry if rule_registry else RuleRegistry.get_global_instance()
self._schema_id = None
self._known_subjects = set()
self._msg_class = msg_type
self._parsed_schemas = ParsedSchemaCache()
descriptor = msg_type.DESCRIPTOR
self._index_array = _create_index_array(descriptor)
self._schema = Schema(_schema_to_str(descriptor.file),
schema_type='PROTOBUF')
for rule in self._rule_registry.get_executors():
rule.configure(self._registry.config() if self._registry else {},
rule_conf if rule_conf else {})
@staticmethod
def _write_varint(buf: io.BytesIO, val: int, zigzag: bool = True):
"""
Writes val to buf, either using zigzag or uvarint encoding.
Args:
buf (BytesIO): buffer to write to.
val (int): integer to be encoded.
zigzag (bool): whether to encode in zigzag or uvarint encoding
"""
if zigzag:
val = (val << 1) ^ (val >> 63)
while (val & ~0x7f) != 0:
buf.write(_bytes((val & 0x7f) | 0x80))
val >>= 7
buf.write(_bytes(val))
@staticmethod
def _encode_varints(buf: io.BytesIO, ints: List[int], zigzag: bool = True):
"""
Encodes each int as a uvarint onto buf
Args:
buf (BytesIO): buffer to write to.
ints ([int]): ints to be encoded.
zigzag (bool): whether to encode in zigzag or uvarint encoding
"""
assert len(ints) > 0
# The root element at the 0 position does not need a length prefix.
if ints == [0]:
buf.write(_bytes(0x00))
return
ProtobufSerializer._write_varint(buf, len(ints), zigzag=zigzag)
for value in ints:
ProtobufSerializer._write_varint(buf, value, zigzag=zigzag)
def _resolve_dependencies(
self, ctx: SerializationContext,
file_desc: FileDescriptor
) -> List[SchemaReference]:
"""
Resolves and optionally registers schema references recursively.
Args:
ctx (SerializationContext): Serialization context.
file_desc (FileDescriptor): file descriptor to traverse.
"""
schema_refs = []
for dep in file_desc.dependencies:
if self._skip_known_types and _is_builtin(dep.name):
continue
dep_refs = self._resolve_dependencies(ctx, dep)
subject = self._ref_reference_subject_func(ctx, dep)
schema = Schema(_schema_to_str(dep),
references=dep_refs,
schema_type='PROTOBUF')
if self._auto_register:
self._registry.register_schema(subject, schema)
reference = self._registry.lookup_schema(subject, schema)
# schema_refs are per file descriptor
schema_refs.append(SchemaReference(dep.name,
subject,
reference.version))
return schema_refs
def __call__(self, message: Message, ctx: Optional[SerializationContext] = None) -> Optional[bytes]:
"""
Serializes an instance of a class derived from Protobuf Message, and prepends
it with Confluent Schema Registry framing.
Args:
message (Message): An instance of a class derived from Protobuf Message.
ctx (SerializationContext): Metadata relevant to the serialization.
operation.
Raises:
SerializerError if any error occurs during serialization.
Returns:
None if messages is None, else a byte array containing the Protobuf
serialized message with Confluent Schema Registry framing.
"""
if message is None:
return None
if not isinstance(message, self._msg_class):
raise ValueError("message must be of type {} not {}"
.format(self._msg_class, type(message)))
subject = self._subject_name_func(ctx, message.DESCRIPTOR.full_name) if ctx else None
latest_schema = None
if subject is not None:
latest_schema = self._get_reader_schema(subject, fmt='serialized')
if latest_schema is not None:
self._schema_id = latest_schema.schema_id
elif subject not in self._known_subjects and ctx is not None:
references = self._resolve_dependencies(ctx, message.DESCRIPTOR.file)
self._schema = Schema(
self._schema.schema_str,
self._schema.schema_type,
references
)
if self._auto_register:
self._schema_id = self._registry.register_schema(subject,
self._schema,
self._normalize_schemas)
else:
self._schema_id = self._registry.lookup_schema(
subject, self._schema, self._normalize_schemas).schema_id
self._known_subjects.add(subject)
if latest_schema is not None:
fd_proto, pool = self._get_parsed_schema(latest_schema.schema)
fd = pool.FindFileByName(fd_proto.name)
desc = fd.message_types_by_name[message.DESCRIPTOR.name]
field_transformer = lambda rule_ctx, field_transform, msg: ( # noqa: E731
transform(rule_ctx, desc, msg, field_transform))
message = self._execute_rules(ctx, subject, RuleMode.WRITE, None,
latest_schema.schema, message, None,
field_transformer)
with _ContextStringIO() as fo:
# Write the magic byte and schema ID in network byte order
# (big endian)
fo.write(struct.pack('>bI', _MAGIC_BYTE, self._schema_id))
# write the index array that specifies the message descriptor
# of the serialized data.
self._encode_varints(fo, self._index_array,
zigzag=not self._use_deprecated_format)
# write the serialized data itself
fo.write(message.SerializeToString())
return fo.getvalue()
def _get_parsed_schema(self, schema: Schema) -> Tuple[descriptor_pb2.FileDescriptorProto, DescriptorPool]:
result = self._parsed_schemas.get_parsed_schema(schema)
if result is not None:
return result
pool = DescriptorPool()
_init_pool(pool)
_resolve_named_schema(schema, self._registry, pool)
fd_proto = _str_to_proto("default", schema.schema_str)
pool.Add(fd_proto)
self._parsed_schemas.set(schema, (fd_proto, pool))
return fd_proto, pool
class ProtobufDeserializer(BaseDeserializer):
"""
Deserializer for Protobuf serialized data with Confluent Schema Registry framing.
Args:
message_type (Message derived type): Protobuf Message type.
conf (dict): Configuration dictionary.
ProtobufDeserializer configuration properties:
+-------------------------------------+----------+------------------------------------------------------+
| Property Name | Type | Description |
+-------------------------------------+----------+------------------------------------------------------+
| | | Whether to use the latest subject version for |
| ``use.latest.version`` | bool | deserialization. |
| | | |
| | | Defaults to False. |
+-------------------------------------+----------+------------------------------------------------------+
| | | Whether to use the latest subject version with |
| ``use.latest.with.metadata`` | dict | the given metadata. |
| | | |
| | | Defaults to None. |
+-------------------------------------+----------+------------------------------------------------------+
| | | Callable(SerializationContext, str) -> str |
| | | |
| ``subject.name.strategy`` | callable | Defines how Schema Registry subject names are |
| | | constructed. Standard naming strategies are |
| | | defined in the confluent_kafka. schema_registry |
| | | namespace . |
| | | |
| | | Defaults to topic_subject_name_strategy. |
+-------------------------------------+----------+------------------------------------------------------+
| ``use.deprecated.format`` | bool | Specifies whether the Protobuf deserializer should |
| | | deserialize message indexes without zig-zag encoding.|
| | | This option must be explicitly configured as older |
| | | and newer Protobuf producers are incompatible. |
| | | If Protobuf messages in the topic to consume were |
| | | produced with confluent-kafka-python <1.8 then this |
| | | property must be set to True until all old messages |
| | | have been processed and producers have been upgraded.|
| | | Warning: This configuration property will be removed |
| | | in a future version of the client. |
+-------------------------------------+----------+------------------------------------------------------+
See Also:
`Protobuf API reference <https://googleapis.dev/python/protobuf/latest/google/protobuf.html>`_
"""
__slots__ = ['_msg_class', '_use_deprecated_format', '_parsed_schemas']
_default_conf = {
'use.latest.version': False,
'use.latest.with.metadata': None,
'subject.name.strategy': topic_subject_name_strategy,
'use.deprecated.format': False,
}
def __init__(
self,
message_type: Message,
conf: Optional[dict] = None,
schema_registry_client: Optional[SchemaRegistryClient] = None,
rule_conf: Optional[dict] = None,
rule_registry: Optional[RuleRegistry] = None
):
super().__init__()
self._registry = schema_registry_client
self._rule_registry = rule_registry if rule_registry else RuleRegistry.get_global_instance()
self._parsed_schemas = ParsedSchemaCache()
self._use_schema_id = None
# Require use.deprecated.format to be explicitly configured
# during a transitionary period since old/new format are
# incompatible.
if conf is None or 'use.deprecated.format' not in conf:
raise RuntimeError(
"ProtobufDeserializer: the 'use.deprecated.format' configuration "
"property must be explicitly set due to backward incompatibility "
"with older confluent-kafka-python Protobuf producers and consumers. "
"See the release notes for more details")
conf_copy = self._default_conf.copy()
if conf is not None:
conf_copy.update(conf)
self._use_latest_version = conf_copy.pop('use.latest.version')
if not isinstance(self._use_latest_version, bool):
raise ValueError("use.latest.version must be a boolean value")
self._use_latest_with_metadata = conf_copy.pop('use.latest.with.metadata')
if (self._use_latest_with_metadata is not None and
not isinstance(self._use_latest_with_metadata, dict)):
raise ValueError("use.latest.with.metadata must be a dict value")
self._subject_name_func = conf_copy.pop('subject.name.strategy')
if not callable(self._subject_name_func):
raise ValueError("subject.name.strategy must be callable")
self._use_deprecated_format = conf_copy.pop('use.deprecated.format')
if not isinstance(self._use_deprecated_format, bool):
raise ValueError("use.deprecated.format must be a boolean value")
if self._use_deprecated_format:
warnings.warn("ProtobufDeserializer: the 'use.deprecated.format' "
"configuration property, and the ability to use the "
"old incorrect Protobuf serializer heading format "
"introduced in confluent-kafka-python v1.4.0, "
"will be removed in an upcoming release in 2022 Q2. "
"Please migrate your Python Protobuf producers and "
"consumers to 'use.deprecated.format':False as "
"soon as possible")
descriptor = message_type.DESCRIPTOR
self._msg_class = GetMessageClass(descriptor)
for rule in self._rule_registry.get_executors():
rule.configure(self._registry.config() if self._registry else {},
rule_conf if rule_conf else {})
@staticmethod
def _decode_varint(buf: io.BytesIO, zigzag: bool = True) -> int:
"""
Decodes a single varint from a buffer.
Args:
buf (BytesIO): buffer to read from
zigzag (bool): decode as zigzag or uvarint
Returns:
int: decoded varint
Raises:
EOFError: if buffer is empty
"""
value = 0
shift = 0
try:
while True:
i = ProtobufDeserializer._read_byte(buf)
value |= (i & 0x7f) << shift
shift += 7
if not (i & 0x80):
break
if zigzag:
value = (value >> 1) ^ -(value & 1)
return value
except EOFError:
raise EOFError("Unexpected EOF while reading index")
@staticmethod
def _read_byte(buf: io.BytesIO) -> int:
"""
Read one byte from buf as an int.
Args:
buf (BytesIO): The buffer to read from.
.. _ord:
https://docs.python.org/2/library/functions.html#ord
"""
i = buf.read(1)
if i == b'':
raise EOFError("Unexpected EOF encountered")
return ord(i)
@staticmethod
def _read_index_array(buf: io.BytesIO, zigzag: bool = True) -> List[int]:
"""
Read an index array from buf that specifies the message
descriptor of interest in the file descriptor.
Args:
buf (BytesIO): The buffer to read from.
Returns:
list of int: The index array.
"""
size = ProtobufDeserializer._decode_varint(buf, zigzag=zigzag)
if size < 0 or size > 100000:
raise DecodeError("Invalid Protobuf msgidx array length")
if size == 0:
return [0]
msg_index = []
for _ in range(size):
msg_index.append(ProtobufDeserializer._decode_varint(buf,
zigzag=zigzag))
return msg_index
def __call__(self, data: bytes, ctx: Optional[SerializationContext] = None) -> Optional[Message]:
"""
Deserialize a serialized protobuf message with Confluent Schema Registry
framing.
Args:
data (bytes): Serialized protobuf message with Confluent Schema
Registry framing.
ctx (SerializationContext): Metadata relevant to the serialization
operation.
Returns:
Message: Protobuf Message instance.
Raises:
SerializerError: If there was an error reading the Confluent framing
data, or parsing the protobuf serialized message.
"""
if data is None:
return None
# SR wire protocol + msg_index length
if len(data) < 6:
raise SerializationError("Expecting data framing of length 6 bytes or "
"more but total data size is {} bytes. This "
"message was not produced with a Confluent "
"Schema Registry serializer".format(len(data)))
subject = self._subject_name_func(ctx, None)
latest_schema = None
if subject is not None and self._registry is not None:
latest_schema = self._get_reader_schema(subject, fmt='serialized')
with _ContextStringIO(data) as payload:
magic, schema_id = struct.unpack('>bI', payload.read(5))
if magic != _MAGIC_BYTE:
raise SerializationError("Unknown magic byte. This message was "
"not produced with a Confluent "
"Schema Registry serializer")
msg_index = self._read_index_array(payload, zigzag=not self._use_deprecated_format)
if self._registry is not None:
writer_schema_raw = self._registry.get_schema(schema_id, fmt='serialized')
fd_proto, pool = self._get_parsed_schema(writer_schema_raw)
writer_schema = pool.FindFileByName(fd_proto.name)
writer_desc = self._get_message_desc(pool, writer_schema, msg_index)
if subject is None:
subject = self._subject_name_func(ctx, writer_desc.full_name)
if subject is not None:
latest_schema = self._get_reader_schema(subject, fmt='serialized')
else:
writer_schema_raw = None
writer_schema = None
if latest_schema is not None:
migrations = self._get_migrations(subject, writer_schema_raw, latest_schema, None)
reader_schema_raw = latest_schema.schema
fd_proto, pool = self._get_parsed_schema(latest_schema.schema)
reader_schema = pool.FindFileByName(fd_proto.name)
else:
migrations = None
reader_schema_raw = writer_schema_raw
reader_schema = writer_schema
if reader_schema is not None:
# Initialize reader desc to first message in file
reader_desc = self._get_message_desc(pool, reader_schema, [0])
# Attempt to find a reader desc with the same name as the writer
reader_desc = reader_schema.message_types_by_name.get(writer_desc.name, reader_desc)
if migrations:
msg = GetMessageClass(writer_desc)()
try:
msg.ParseFromString(payload.read())
except DecodeError as e:
raise SerializationError(str(e))
obj_dict = json_format.MessageToDict(msg, True)
obj_dict = self._execute_migrations(ctx, subject, migrations, obj_dict)
msg = GetMessageClass(reader_desc)()
msg = json_format.ParseDict(obj_dict, msg)
else:
# Protobuf Messages are self-describing; no need to query schema
msg = self._msg_class()
try:
msg.ParseFromString(payload.read())
except DecodeError as e:
raise SerializationError(str(e))
field_transformer = lambda rule_ctx, field_transform, message: ( # noqa: E731
transform(rule_ctx, reader_desc, message, field_transform))
msg = self._execute_rules(ctx, subject, RuleMode.READ, None,
reader_schema_raw, msg, None,
field_transformer)
return msg
def _get_parsed_schema(self, schema: Schema) -> Tuple[descriptor_pb2.FileDescriptorProto, DescriptorPool]:
result = self._parsed_schemas.get_parsed_schema(schema)
if result is not None:
return result
pool = DescriptorPool()
_init_pool(pool)
_resolve_named_schema(schema, self._registry, pool)
fd_proto = _str_to_proto("default", schema.schema_str)
pool.Add(fd_proto)
self._parsed_schemas.set(schema, (fd_proto, pool))
return fd_proto, pool
def _get_message_desc(
self, pool: DescriptorPool, fd: FileDescriptor,
msg_index: List[int]
) -> Descriptor:
file_desc_proto = descriptor_pb2.FileDescriptorProto()
fd.CopyToProto(file_desc_proto)
(full_name, desc_proto) = self._get_message_desc_proto("", file_desc_proto, msg_index)
package = file_desc_proto.package
qualified_name = package + "." + full_name if package else full_name
return pool.FindMessageTypeByName(qualified_name)
def _get_message_desc_proto(
self,
path: str,
desc: Union[descriptor_pb2.FileDescriptorProto, descriptor_pb2.DescriptorProto],
msg_index: List[int]
) -> Tuple[str, descriptor_pb2.DescriptorProto]:
index = msg_index[0]
if isinstance(desc, descriptor_pb2.FileDescriptorProto):
msg = desc.message_type[index]
path = path + "." + msg.name if path else msg.name
if len(msg_index) == 1:
return path, msg
return self._get_message_desc_proto(path, msg, msg_index[1:])
else:
msg = desc.nested_type[index]
path = path + "." + msg.name if path else msg.name
if len(msg_index) == 1:
return path, msg
return self._get_message_desc_proto(path, msg, msg_index[1:])
def transform(
ctx: RuleContext, descriptor: Descriptor, message: Any,
field_transform: FieldTransform
) -> Any:
if message is None or descriptor is None:
return message
if isinstance(message, list):
return [transform(ctx, descriptor, item, field_transform)
for item in message]
if isinstance(message, dict):
return {key: transform(ctx, descriptor, value, field_transform)
for key, value in message.items()}
if isinstance(message, Message):
for fd in descriptor.fields:
_transform_field(ctx, fd, descriptor, message, field_transform)
return message
field_ctx = ctx.current_field()
if field_ctx is not None:
rule_tags = ctx.rule.tags
if not rule_tags or not _disjoint(set(rule_tags), field_ctx.tags):
return field_transform(ctx, field_ctx, message)
return message
def _transform_field(
ctx: RuleContext, fd: FieldDescriptor, desc: Descriptor,
message: Message, field_transform: FieldTransform
):