=per #18228 Convert Persistence schema evolution guide to Java
This commit is contained in:
parent
b25e76e95c
commit
f13143e7da
7 changed files with 1893 additions and 71 deletions
|
|
@ -0,0 +1,534 @@
|
||||||
|
/**
|
||||||
|
* Copyright (C) 2009-2015 Typesafe Inc. <http://www.typesafe.com>
|
||||||
|
*/
|
||||||
|
|
||||||
|
package docs.persistence;
|
||||||
|
|
||||||
|
import docs.persistence.proto.FlightAppModels;
|
||||||
|
import java.nio.charset.Charset;
|
||||||
|
import spray.json.JsObject;
|
||||||
|
|
||||||
|
import akka.japi.Util;
|
||||||
|
import akka.persistence.journal.EventAdapter;
|
||||||
|
import akka.persistence.journal.EventSeq;
|
||||||
|
import akka.protobuf.InvalidProtocolBufferException;
|
||||||
|
import akka.serialization.SerializerWithStringManifest;
|
||||||
|
|
||||||
|
public class PersistenceSchemaEvolutionDocTest {
|
||||||
|
|
||||||
|
static
|
||||||
|
//#protobuf-read-optional-model
|
||||||
|
public enum SeatType {
|
||||||
|
Window("W"), Aisle("A"), Other("O"), Unknown("");
|
||||||
|
|
||||||
|
private final String code;
|
||||||
|
|
||||||
|
private SeatType(String code) {
|
||||||
|
this.code = code;
|
||||||
|
}
|
||||||
|
|
||||||
|
public static SeatType fromCode(String c) {
|
||||||
|
if (Window.code.equals(c))
|
||||||
|
return Window;
|
||||||
|
else if (Aisle.code.equals(c))
|
||||||
|
return Aisle;
|
||||||
|
else if (Other.code.equals(c))
|
||||||
|
return Other;
|
||||||
|
else
|
||||||
|
return Unknown;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#protobuf-read-optional-model
|
||||||
|
|
||||||
|
static
|
||||||
|
//#protobuf-read-optional-model
|
||||||
|
public class SeatReserved {
|
||||||
|
public final String letter;
|
||||||
|
public final int row;
|
||||||
|
public final SeatType seatType;
|
||||||
|
|
||||||
|
public SeatReserved(String letter, int row, SeatType seatType) {
|
||||||
|
this.letter = letter;
|
||||||
|
this.row = row;
|
||||||
|
this.seatType = seatType;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#protobuf-read-optional-model
|
||||||
|
|
||||||
|
static
|
||||||
|
//#protobuf-read-optional
|
||||||
|
/**
|
||||||
|
* Example serializer impl which uses protocol buffers generated classes (proto.*)
|
||||||
|
* to perform the to/from binary marshalling.
|
||||||
|
*/
|
||||||
|
public class AddedFieldsSerializerWithProtobuf extends SerializerWithStringManifest {
|
||||||
|
@Override public int identifier() {
|
||||||
|
return 67876;
|
||||||
|
}
|
||||||
|
|
||||||
|
private final String seatReservedManifest = SeatReserved.class.getName();
|
||||||
|
|
||||||
|
@Override public String manifest(Object o){
|
||||||
|
return o.getClass().getName();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public Object fromBinary(byte[] bytes, String manifest) {
|
||||||
|
if (seatReservedManifest.equals(manifest)) {
|
||||||
|
// use generated protobuf serializer
|
||||||
|
try {
|
||||||
|
return seatReserved(FlightAppModels.SeatReserved.parseFrom(bytes));
|
||||||
|
} catch (InvalidProtocolBufferException e) {
|
||||||
|
throw new IllegalArgumentException(e.getMessage());
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
throw new IllegalArgumentException("Unable to handle manifest: " + manifest);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public byte[] toBinary(Object o) {
|
||||||
|
if (o instanceof SeatReserved) {
|
||||||
|
SeatReserved s = (SeatReserved) o;
|
||||||
|
return FlightAppModels.SeatReserved.newBuilder()
|
||||||
|
.setRow(s.row)
|
||||||
|
.setLetter(s.letter)
|
||||||
|
.setSeatType(s.seatType.code)
|
||||||
|
.build().toByteArray();
|
||||||
|
|
||||||
|
} else {
|
||||||
|
throw new IllegalArgumentException("Unable to handle: " + o);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// -- fromBinary helpers --
|
||||||
|
|
||||||
|
private SeatReserved seatReserved(FlightAppModels.SeatReserved p) {
|
||||||
|
return new SeatReserved(p.getLetter(), p.getRow(), seatType(p));
|
||||||
|
}
|
||||||
|
|
||||||
|
// handle missing field by assigning "Unknown" value
|
||||||
|
private SeatType seatType(FlightAppModels.SeatReserved p) {
|
||||||
|
if (p.hasSeatType())
|
||||||
|
return SeatType.fromCode(p.getSeatType());
|
||||||
|
else
|
||||||
|
return SeatType.Unknown;
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
//#protobuf-read-optional
|
||||||
|
|
||||||
|
|
||||||
|
public static class RenamePlainJson {
|
||||||
|
static
|
||||||
|
//#rename-plain-json
|
||||||
|
public class JsonRenamedFieldAdapter implements EventAdapter {
|
||||||
|
// use your favorite json library
|
||||||
|
private final ExampleJsonMarshaller marshaller = new ExampleJsonMarshaller();
|
||||||
|
|
||||||
|
private final String V1 = "v1";
|
||||||
|
private final String V2 = "v2";
|
||||||
|
|
||||||
|
// this could be done independently for each event type
|
||||||
|
@Override public String manifest(Object event) {
|
||||||
|
return V2;
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public JsObject toJournal(Object event) {
|
||||||
|
return marshaller.toJson(event);
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public EventSeq fromJournal(Object event, String manifest) {
|
||||||
|
if (event instanceof JsObject) {
|
||||||
|
JsObject json = (JsObject) event;
|
||||||
|
if (V1.equals(manifest))
|
||||||
|
json = rename(json, "code", "seatNr");
|
||||||
|
return EventSeq.single(json);
|
||||||
|
} else {
|
||||||
|
throw new IllegalArgumentException("Can only work with JSON, was: " +
|
||||||
|
event.getClass().getName());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private JsObject rename(JsObject json, String from, String to) {
|
||||||
|
// use your favorite json library to rename the field
|
||||||
|
JsObject renamed = json;
|
||||||
|
return renamed;
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
//#rename-plain-json
|
||||||
|
}
|
||||||
|
|
||||||
|
public static class SimplestCustomSerializer {
|
||||||
|
|
||||||
|
static
|
||||||
|
//#simplest-custom-serializer-model
|
||||||
|
public class Person {
|
||||||
|
public final String name;
|
||||||
|
public final String surname;
|
||||||
|
public Person(String name, String surname) {
|
||||||
|
this.name = name;
|
||||||
|
this.surname = surname;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#simplest-custom-serializer-model
|
||||||
|
|
||||||
|
static
|
||||||
|
//#simplest-custom-serializer
|
||||||
|
/**
|
||||||
|
* Simplest possible serializer, uses a string representation of the Person class.
|
||||||
|
*
|
||||||
|
* Usually a serializer like this would use a library like:
|
||||||
|
* protobuf, kryo, avro, cap'n proto, flatbuffers, SBE or some other dedicated serializer backend
|
||||||
|
* to perform the actual to/from bytes marshalling.
|
||||||
|
*/
|
||||||
|
public class SimplestPossiblePersonSerializer extends SerializerWithStringManifest {
|
||||||
|
private final Charset utf8 = Charset.forName("UTF-8");
|
||||||
|
|
||||||
|
private final String personManifest = Person.class.getName();
|
||||||
|
|
||||||
|
// unique identifier of the serializer
|
||||||
|
@Override public int identifier() {
|
||||||
|
return 1234567;
|
||||||
|
}
|
||||||
|
|
||||||
|
// extract manifest to be stored together with serialized object
|
||||||
|
@Override public String manifest(Object o) {
|
||||||
|
return o.getClass().getName();
|
||||||
|
}
|
||||||
|
|
||||||
|
// serialize the object
|
||||||
|
@Override public byte[] toBinary(Object obj) {
|
||||||
|
if (obj instanceof Person) {
|
||||||
|
Person p = (Person) obj;
|
||||||
|
return (p.name + "|" + p.surname).getBytes(utf8);
|
||||||
|
} else {
|
||||||
|
throw new IllegalArgumentException(
|
||||||
|
"Unable to serialize to bytes, clazz was: " + obj.getClass().getName());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// deserialize the object, using the manifest to indicate which logic to apply
|
||||||
|
@Override public Object fromBinary(byte[] bytes, String manifest) {
|
||||||
|
if (personManifest.equals(manifest)) {
|
||||||
|
String nameAndSurname = new String(bytes, utf8);
|
||||||
|
String[] parts = nameAndSurname.split("[|]");
|
||||||
|
return new Person(parts[0], parts[1]);
|
||||||
|
} else {
|
||||||
|
throw new IllegalArgumentException(
|
||||||
|
"Unable to deserialize from bytes, manifest was: " + manifest +
|
||||||
|
"! Bytes length: " + bytes.length);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
//#simplest-custom-serializer
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
public static class SamplePayload {
|
||||||
|
private final Object payload;
|
||||||
|
|
||||||
|
public SamplePayload(Object payload) {
|
||||||
|
this.payload = payload;
|
||||||
|
}
|
||||||
|
|
||||||
|
public Object getPayload() {
|
||||||
|
return payload;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
//#split-events-during-recovery
|
||||||
|
interface V1 {};
|
||||||
|
interface V2 {}
|
||||||
|
|
||||||
|
//#split-events-during-recovery
|
||||||
|
static
|
||||||
|
//#split-events-during-recovery
|
||||||
|
// V1 event:
|
||||||
|
public class UserDetailsChanged implements V1 {
|
||||||
|
public final String name;
|
||||||
|
public final String address;
|
||||||
|
public UserDetailsChanged(String name, String address) {
|
||||||
|
this.name = name;
|
||||||
|
this.address = address;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
//#split-events-during-recovery
|
||||||
|
static
|
||||||
|
//#split-events-during-recovery
|
||||||
|
// corresponding V2 events:
|
||||||
|
public class UserNameChanged implements V2 {
|
||||||
|
public final String name;
|
||||||
|
|
||||||
|
public UserNameChanged(String name) {
|
||||||
|
this.name = name;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#split-events-during-recovery
|
||||||
|
static
|
||||||
|
//#split-events-during-recovery
|
||||||
|
public class UserAddressChanged implements V2 {
|
||||||
|
public final String address;
|
||||||
|
|
||||||
|
public UserAddressChanged(String address) {
|
||||||
|
this.address = address;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
//#split-events-during-recovery
|
||||||
|
static
|
||||||
|
//#split-events-during-recovery
|
||||||
|
// event splitting adapter:
|
||||||
|
public class UserEventsAdapter implements EventAdapter {
|
||||||
|
@Override public String manifest(Object event) {
|
||||||
|
return "";
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public EventSeq fromJournal(Object event, String manifest) {
|
||||||
|
if (event instanceof UserDetailsChanged) {
|
||||||
|
UserDetailsChanged c = (UserDetailsChanged) event;
|
||||||
|
if (c.name == null)
|
||||||
|
return EventSeq.single(new UserAddressChanged(c.address));
|
||||||
|
else if (c.address == null)
|
||||||
|
return EventSeq.single(new UserNameChanged(c.name));
|
||||||
|
else
|
||||||
|
return EventSeq.create(
|
||||||
|
new UserNameChanged(c.name),
|
||||||
|
new UserAddressChanged(c.address));
|
||||||
|
} else {
|
||||||
|
return EventSeq.single(event);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public Object toJournal(Object event) {
|
||||||
|
return event;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#split-events-during-recovery
|
||||||
|
|
||||||
|
|
||||||
|
static public class CustomerBlinked {
|
||||||
|
public final long customerId;
|
||||||
|
|
||||||
|
public CustomerBlinked(long customerId) {
|
||||||
|
this.customerId = customerId;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
static
|
||||||
|
//#string-serializer-skip-deleved-event-by-manifest
|
||||||
|
public class EventDeserializationSkipped {
|
||||||
|
public static EventDeserializationSkipped instance =
|
||||||
|
new EventDeserializationSkipped();
|
||||||
|
|
||||||
|
private EventDeserializationSkipped() {
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
//#string-serializer-skip-deleved-event-by-manifest
|
||||||
|
static
|
||||||
|
//#string-serializer-skip-deleved-event-by-manifest
|
||||||
|
public class RemovedEventsAwareSerializer extends SerializerWithStringManifest {
|
||||||
|
private final Charset utf8 = Charset.forName("UTF-8");
|
||||||
|
private final String customerBlinkedManifest = "blinked";
|
||||||
|
|
||||||
|
// unique identifier of the serializer
|
||||||
|
@Override public int identifier() {
|
||||||
|
return 8337;
|
||||||
|
}
|
||||||
|
|
||||||
|
// extract manifest to be stored together with serialized object
|
||||||
|
@Override public String manifest(Object o) {
|
||||||
|
if (o instanceof CustomerBlinked)
|
||||||
|
return customerBlinkedManifest;
|
||||||
|
else
|
||||||
|
return o.getClass().getName();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public byte[] toBinary(Object o) {
|
||||||
|
return o.toString().getBytes(utf8); // example serialization
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public Object fromBinary(byte[] bytes, String manifest) {
|
||||||
|
if (customerBlinkedManifest.equals(manifest))
|
||||||
|
return EventDeserializationSkipped.instance;
|
||||||
|
else
|
||||||
|
return new String(bytes, utf8);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#string-serializer-skip-deleved-event-by-manifest
|
||||||
|
|
||||||
|
static
|
||||||
|
//#string-serializer-skip-deleved-event-by-manifest-adapter
|
||||||
|
public class SkippedEventsAwareAdapter implements EventAdapter {
|
||||||
|
@Override public String manifest(Object event) {
|
||||||
|
return "";
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public Object toJournal(Object event) {
|
||||||
|
return event;
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public EventSeq fromJournal(Object event, String manifest) {
|
||||||
|
if (event == EventDeserializationSkipped.instance)
|
||||||
|
return EventSeq.empty();
|
||||||
|
else
|
||||||
|
return EventSeq.single(event);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#string-serializer-skip-deleved-event-by-manifest-adapter
|
||||||
|
|
||||||
|
|
||||||
|
//#string-serializer-handle-rename
|
||||||
|
static
|
||||||
|
//#string-serializer-handle-rename
|
||||||
|
public class RenamedEventAwareSerializer extends SerializerWithStringManifest {
|
||||||
|
private final Charset utf8 = Charset.forName("UTF-8");
|
||||||
|
|
||||||
|
// unique identifier of the serializer
|
||||||
|
@Override public int identifier() {
|
||||||
|
return 8337;
|
||||||
|
}
|
||||||
|
|
||||||
|
private final String oldPayloadClassName =
|
||||||
|
"docs.persistence.OldPayload"; // class NOT available anymore
|
||||||
|
private final String myPayloadClassName =
|
||||||
|
SamplePayload.class.getName();
|
||||||
|
|
||||||
|
// extract manifest to be stored together with serialized object
|
||||||
|
@Override public String manifest(Object o) {
|
||||||
|
return o.getClass().getName();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public byte[] toBinary(Object o) {
|
||||||
|
if (o instanceof SamplePayload) {
|
||||||
|
SamplePayload s = (SamplePayload) o;
|
||||||
|
return s.payload.toString().getBytes(utf8);
|
||||||
|
} else {
|
||||||
|
// previously also handled "old" events here.
|
||||||
|
throw new IllegalArgumentException(
|
||||||
|
"Unable to serialize to bytes, clazz was: " + o.getClass().getName());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public Object fromBinary(byte[] bytes, String manifest) {
|
||||||
|
if (oldPayloadClassName.equals(manifest))
|
||||||
|
return new SamplePayload(new String(bytes, utf8));
|
||||||
|
else if (myPayloadClassName.equals(manifest))
|
||||||
|
return new SamplePayload(new String(bytes, utf8));
|
||||||
|
else throw new IllegalArgumentException("unexpected manifest [" + manifest + "]");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#string-serializer-handle-rename
|
||||||
|
|
||||||
|
static
|
||||||
|
//#detach-models
|
||||||
|
// Domain model - highly optimised for domain language and maybe "fluent" usage
|
||||||
|
public class Customer {
|
||||||
|
public final String name;
|
||||||
|
|
||||||
|
public Customer(String name) {
|
||||||
|
this.name = name;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
//#detach-models
|
||||||
|
static
|
||||||
|
//#detach-models
|
||||||
|
public class Seat {
|
||||||
|
public final String code;
|
||||||
|
|
||||||
|
public Seat(String code) {
|
||||||
|
this.code = code;
|
||||||
|
}
|
||||||
|
|
||||||
|
public SeatBooked bookFor(Customer customer) {
|
||||||
|
return new SeatBooked(code, customer);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
//#detach-models
|
||||||
|
static
|
||||||
|
//#detach-models
|
||||||
|
public class SeatBooked {
|
||||||
|
public final String code;
|
||||||
|
public final Customer customer;
|
||||||
|
|
||||||
|
public SeatBooked(String code, Customer customer) {
|
||||||
|
this.code = code;
|
||||||
|
this.customer = customer;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
//#detach-models
|
||||||
|
static
|
||||||
|
//#detach-models
|
||||||
|
// Data model - highly optimised for schema evolution and persistence
|
||||||
|
public class SeatBookedData {
|
||||||
|
public final String code;
|
||||||
|
public final String customerName;
|
||||||
|
|
||||||
|
public SeatBookedData(String code, String customerName) {
|
||||||
|
this.code = code;
|
||||||
|
this.customerName = customerName;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#detach-models
|
||||||
|
|
||||||
|
//#detach-models-adapter
|
||||||
|
class DetachedModelsAdapter implements EventAdapter {
|
||||||
|
@Override public String manifest(Object event) {
|
||||||
|
return "";
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public Object toJournal(Object event) {
|
||||||
|
if (event instanceof SeatBooked) {
|
||||||
|
SeatBooked s = (SeatBooked) event;
|
||||||
|
return new SeatBookedData(s.code, s.customer.name);
|
||||||
|
} else {
|
||||||
|
throw new IllegalArgumentException("Unsupported: " + event.getClass());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public EventSeq fromJournal(Object event, String manifest) {
|
||||||
|
if (event instanceof SeatBookedData) {
|
||||||
|
SeatBookedData d = (SeatBookedData) event;
|
||||||
|
return EventSeq.single(new SeatBooked(d.code, new Customer(d.customerName)));
|
||||||
|
} else {
|
||||||
|
throw new IllegalArgumentException("Unsupported: " + event.getClass());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#detach-models-adapter
|
||||||
|
|
||||||
|
static
|
||||||
|
//#detach-models-adapter-json
|
||||||
|
public class JsonDataModelAdapter implements EventAdapter {
|
||||||
|
|
||||||
|
// use your favorite json library
|
||||||
|
private final ExampleJsonMarshaller marshaller =
|
||||||
|
new ExampleJsonMarshaller();
|
||||||
|
|
||||||
|
@Override public String manifest(Object event) {
|
||||||
|
return "";
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public JsObject toJournal(Object event) {
|
||||||
|
return marshaller.toJson(event);
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override public EventSeq fromJournal(Object event, String manifest) {
|
||||||
|
if (event instanceof JsObject) {
|
||||||
|
JsObject json = (JsObject) event;
|
||||||
|
return EventSeq.single(marshaller.fromJson(json));
|
||||||
|
} else {
|
||||||
|
throw new IllegalArgumentException(
|
||||||
|
"Unable to fromJournal a non-JSON object! Was: " + event.getClass());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
//#detach-models-adapter-json
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
|
@ -12,6 +12,7 @@ Actors
|
||||||
routing
|
routing
|
||||||
fsm
|
fsm
|
||||||
persistence
|
persistence
|
||||||
|
persistence-schema-evolution
|
||||||
persistence-query
|
persistence-query
|
||||||
persistence-query-leveldb
|
persistence-query-leveldb
|
||||||
testing
|
testing
|
||||||
|
|
|
||||||
477
akka-docs/rst/java/persistence-schema-evolution.rst
Normal file
477
akka-docs/rst/java/persistence-schema-evolution.rst
Normal file
|
|
@ -0,0 +1,477 @@
|
||||||
|
.. _persistence-schema-evolution-java:
|
||||||
|
|
||||||
|
##############################
|
||||||
|
Persistence - Schema Evolution
|
||||||
|
##############################
|
||||||
|
|
||||||
|
When working on long running projects using :ref:`persistence-java`, or any kind of `Event Sourcing`_ architectures,
|
||||||
|
schema evolution becomes one of the more important technical aspects of developing your application.
|
||||||
|
The requirements as well as our own understanding of the business domain may (and will) change in time.
|
||||||
|
|
||||||
|
In fact, if a project matures to the point where you need to evolve its schema to adapt to changing business
|
||||||
|
requirements you can view this as first signs of its success – if you wouldn't need to adapt anything over an apps
|
||||||
|
lifecycle that could mean that no-one is really using it actively.
|
||||||
|
|
||||||
|
In this chapter we will investigate various schema evolution strategies and techniques from which you can pick and
|
||||||
|
choose the ones that match your domain and challenge at hand.
|
||||||
|
|
||||||
|
.. note::
|
||||||
|
This page proposes a number of possible solutions to the schema evolution problem and explains how some of the
|
||||||
|
utilities Akka provides can be used to achieve this, it is by no means a complete (closed) set of solutions.
|
||||||
|
|
||||||
|
Sometimes, based on the capabilities of your serialization formats, you may be able to evolve your schema in
|
||||||
|
different ways than outlined in the sections below. If you discover useful patterns or techniques for schema
|
||||||
|
evolution feel free to submit Pull Requests to this page to extend it.
|
||||||
|
|
||||||
|
|
||||||
|
Schema evolution in event-sourced systems
|
||||||
|
=========================================
|
||||||
|
|
||||||
|
In recent years we have observed a tremendous move towards immutable append-only datastores, with event-sourcing being
|
||||||
|
the prime technique successfully being used in these settings. For an excellent overview why and how immutable data makes scalability
|
||||||
|
and systems design much simpler you may want to read Pat Helland's excellent `Immutability Changes Everything`_ whitepaper.
|
||||||
|
|
||||||
|
Since with `Event Sourcing`_ the **events are immutable** and usually never deleted – the way schema evolution is handled
|
||||||
|
differs from how one would go about it in a mutable database setting (e.g. in typical CRUD database applications).
|
||||||
|
The system needs to be able to continue to work in the presence of "old" events which were stored under the "old" schema.
|
||||||
|
We also want to limit complexity in the business logic layer, exposing a consistent view over all of the events of a given
|
||||||
|
type to :class:`PersistentActor` s and :ref:`persistence queries <persistence-query-java>`. This allows the business logic layer to focus on solving business problems
|
||||||
|
instead of having to explicitly deal with different schemas.
|
||||||
|
|
||||||
|
The system needs to be able to continue to work in the presence of "old" events which were stored under the "old" schema,
|
||||||
|
and we want to limit the complexity to the data layer, exposing a consistent view over all of the events of a given type
|
||||||
|
to :class:`PersistentActor` s and persistence queries, which allows these layers to focus on the business problems instead
|
||||||
|
handling the different schemas explicitly in the business logic layers.
|
||||||
|
|
||||||
|
|
||||||
|
In summary, schema evolution in event sourced systems exposes the following characteristics:
|
||||||
|
- Allow the system to continue operating without large scale migrations to be applied,
|
||||||
|
- Allow the system to read "old" events from the underlying storage, however present them in a "new" view to the application logic,
|
||||||
|
- Transparently promote events to the latest versions during recovery (or queries) such that the business logic need not consider multiple versions of events
|
||||||
|
|
||||||
|
.. _Immutability Changes Everything: http://www.cidrdb.org/cidr2015/Papers/CIDR15_Paper16.pdf
|
||||||
|
.. _Event Sourcing: http://martinfowler.com/eaaDev/EventSourcing.html
|
||||||
|
|
||||||
|
Types of schema evolution
|
||||||
|
-------------------------
|
||||||
|
Before we explain the various techniques that can be used to safely evolve the schema of your persistent events
|
||||||
|
over time, we first need to define what the actual problem is, and what the typical styles of changes are.
|
||||||
|
|
||||||
|
Since events are never deleted, we need to have a way to be able to replay (read) old events, in such way
|
||||||
|
that does not force the ``PersistentActor`` to be aware of all possible versions of an event that it may have
|
||||||
|
persisted in the past. Instead, we want the Actors to work on some form of "latest" version of the event and provide some
|
||||||
|
means of either converting old "versions" of stored events into this "latest" event type, or constantly evolve the event
|
||||||
|
definition - in a backwards compatible way - such that the new deserialization code can still read old events.
|
||||||
|
|
||||||
|
The most common schema changes you will likely are:
|
||||||
|
|
||||||
|
- :ref:`adding a field to an event type <add-field-java>`,
|
||||||
|
- :ref:`remove or rename field in event type <rename-field-java>`,
|
||||||
|
- :ref:`remove event type <remove-event-class-java>`,
|
||||||
|
- :ref:`split event into multiple smaller events <split-large-event-into-smaller-java>`.
|
||||||
|
|
||||||
|
The following sections will explain some patterns which can be used to safely evolve your schema when facing those changes.
|
||||||
|
|
||||||
|
Picking the right serialization format
|
||||||
|
======================================
|
||||||
|
|
||||||
|
Picking the serialization format is a very important decision you will have to make while building your application.
|
||||||
|
It affects which kind of evolutions are simple (or hard) to do, how much work is required to add a new datatype, and,
|
||||||
|
last but not least, serialization performanceion.
|
||||||
|
|
||||||
|
If you find yourself realising you have picked "the wrong" serialization format, it is always possible to change
|
||||||
|
the format used for storing new events, however you would have to keep the old deserialization code in order to
|
||||||
|
be able to replay events that were persisted using the old serialization scheme. It is possible to "rebuild"
|
||||||
|
an event-log from one serialization format to another one, however it may be a more involved process if you need
|
||||||
|
to perform this on a live system.
|
||||||
|
|
||||||
|
Binary serialization formats that we have seen work well for long-lived applications include the very flexible IDL based:
|
||||||
|
`Google Protobuf`_, `Apache Thrift`_ or `Apache Avro`_. Avro schema evolution is more "entire schema" based, instead of
|
||||||
|
single fields focused like in protobuf or thrift, and usually requires using some kind of schema registry.
|
||||||
|
|
||||||
|
Users who want their data to be human-readable directly in the write-side
|
||||||
|
datastore may opt to use plain-old `JSON`_ as the storage format, though that comes at a cost of lacking support for schema
|
||||||
|
evolution and relatively large marshalling latency.
|
||||||
|
|
||||||
|
There are plenty excellent blog posts explaining the various trade-offs between popular serialization formats,
|
||||||
|
one post we would like to highlight is the very well illustrated `Schema evolution in Avro, Protocol Buffers and Thrift`_
|
||||||
|
by Martin Kleppmann.
|
||||||
|
|
||||||
|
.. _Google Protobuf: https://developers.google.com/protocol-buffers
|
||||||
|
.. _Apache Avro: https://avro.apache.org
|
||||||
|
.. _JSON: http://json.org
|
||||||
|
.. _Schema evolution in Avro, Protocol Buffers and Thrift: http://martin.kleppmann.com/2012/12/05/schema-evolution-in-avro-protocol-buffers-thrift.html
|
||||||
|
|
||||||
|
Provided default serializers
|
||||||
|
----------------------------
|
||||||
|
|
||||||
|
Akka Persistence provides `Google Protocol Buffers`_ based serializers (using :ref:`Akka Serialization <serialization-java>`)
|
||||||
|
for it's own message types such as ``PersistentRepr``, ``AtomicWrite`` and snapshots. Journal plugin implementations
|
||||||
|
*may* choose to use those provided serializers, or pick a serializer which suits the underlying database better.
|
||||||
|
|
||||||
|
.. note::
|
||||||
|
Serialization is **NOT** handled automatically by Akka Persistence itself. Instead, it only provides the above described
|
||||||
|
serializers, and in case a ``AsyncWriteJournal`` plugin implementation chooses to use them directly, the above serialization
|
||||||
|
scheme will be used.
|
||||||
|
|
||||||
|
Please refer to your write journal's documentation to learn more about how it handles serialization!
|
||||||
|
|
||||||
|
For example, some journals may choose to not use Akka Serialization *at all* and instead store the data in a format
|
||||||
|
that is more "native" for the underlying datastore, e.g. using JSON or some other kind of format that the target
|
||||||
|
datastore understands directly.
|
||||||
|
|
||||||
|
The below figure explains how the default serialization scheme works, and how it fits together with serializing the
|
||||||
|
user provided message itself, which we will from here on refer to as the ``payload`` (highlighted in yellow):
|
||||||
|
|
||||||
|
.. figure:: ../images/persistent-message-envelope.png
|
||||||
|
:align: center
|
||||||
|
|
||||||
|
Akka Persistence provided serializers wrap the user payload in an envelope containing all persistence-relevant information.
|
||||||
|
**If the Journal uses provided Protobuf serializers for the wrapper types (e.g. PersistentRepr), then the payload will
|
||||||
|
be serialized using the user configured serializer, and if none is provided explicitly, Java serialization will be used for it.**
|
||||||
|
|
||||||
|
The blue colored regions of the ``PersistentMessage`` indicate what is serialized using the generated protocol buffers
|
||||||
|
serializers, and the yellow payload indicates the user provided event (by calling ``persist(payload)(...)``).
|
||||||
|
As you can see, the ``PersistentMessage`` acts as an envelope around the payload, adding various fields related to the
|
||||||
|
origin of the event (``persistenceId``, ``sequenceNr`` and more).
|
||||||
|
|
||||||
|
More advanced techniques (e.g. :ref:`remove-event-class-java`) will dive into using the manifests for increasing the
|
||||||
|
flexibility of the persisted vs. exposed types even more. Hhowever for now we will focus on the simpler evolution techniques,
|
||||||
|
concerning simply configuring the payload serializers.
|
||||||
|
|
||||||
|
By default the ``payload`` will be serialized using Java Serialization. This is fine for testing and initial phases
|
||||||
|
of your development (while you're still figuring out things and the data will not need to stay persisted forever).
|
||||||
|
However, once you move to production you should really *pick a different serializer for your payloads*.
|
||||||
|
|
||||||
|
.. warning::
|
||||||
|
Do not rely on Java serialization (which will be picked by Akka by default if you don't specify any serializers)
|
||||||
|
for *serious* application development! It does not lean itself well to evolving schemas over long periods of time,
|
||||||
|
and its performance is also not very high (it never was designed for high-throughput scenarios).
|
||||||
|
|
||||||
|
.. _Google Protocol Buffers: https://developers.google.com/protocol-buffers/
|
||||||
|
.. _Apache Thrift: https://thrift.apache.org/
|
||||||
|
|
||||||
|
Configuring payload serializers
|
||||||
|
-------------------------------
|
||||||
|
This section aims to highlight the complete basics on how to define custom serializers using :ref:`Akka Serialization <serialization-java>`.
|
||||||
|
Many journal plugin implementations use Akka Serialization, thus it is tremendously important to understand how to configure
|
||||||
|
it to work with your event classes.
|
||||||
|
|
||||||
|
.. note::
|
||||||
|
Read the :ref:`Akka Serialization <serialization-java>` docs to learn more about defining custom serializers,
|
||||||
|
to improve performance and maintainability of your system. Do not depend on Java serialization for production deployments.
|
||||||
|
|
||||||
|
The below snippet explains in the minimal amount of lines how a custom serializer can be registered.
|
||||||
|
For more in-depth explanations on how serialization picks the serializer to use etc, please refer to its documentation.
|
||||||
|
|
||||||
|
First we start by defining our domain model class, here representing a person:
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#simplest-custom-serializer-model
|
||||||
|
|
||||||
|
Next we implement a serializer (or extend an existing one to be able to handle the new ``Person`` class):
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#simplest-custom-serializer
|
||||||
|
|
||||||
|
And finally we register the serializer and bind it to handle the ``docs.persistence.Person`` class:
|
||||||
|
|
||||||
|
.. includecode:: ../scala/code/docs/persistence/PersistenceSchemaEvolutionDocSpec.scala#simplest-custom-serializer-config
|
||||||
|
|
||||||
|
Deserialization will be performed by the same serializer which serialized the message initially
|
||||||
|
because of the ``identifier`` being stored together with the message.
|
||||||
|
|
||||||
|
Please refer to the :ref:`Akka Serialization <serialization-java>` documentation for more advanced use of serializers,
|
||||||
|
especially the :ref:`string-manifest-serializer-java` section since it is very useful for Persistence based applications
|
||||||
|
dealing with schema evolutions, as we will see in some of the examples below.
|
||||||
|
|
||||||
|
Schema evolution in action
|
||||||
|
==========================
|
||||||
|
|
||||||
|
In this section we will discuss various schema evolution techniques using concrete examples and explaining
|
||||||
|
some of the various options one might go about handling the described situation. The list below is by no means
|
||||||
|
a complete guide, so feel free to adapt these techniques depending on your serializer's capabilities
|
||||||
|
and/or other domain specific limitations.
|
||||||
|
|
||||||
|
.. _add-field-java:
|
||||||
|
|
||||||
|
Add fields
|
||||||
|
----------
|
||||||
|
|
||||||
|
**Situation:**
|
||||||
|
You need to add a field to an existing message type. For example, a ``SeatReservation(String letter, int row)`` now
|
||||||
|
needs to have an associated code which indicates if it is a window or aisle seat.
|
||||||
|
|
||||||
|
**Solution:**
|
||||||
|
Adding fields is the most common change you'll need to apply to your messages so make sure the serialization format
|
||||||
|
you picked for your payloads can handle it apropriately, i.e. such changes should be *binary compatible*.
|
||||||
|
This is easily achieved using the right serializer toolkit – we recommend something like `Google Protocol Buffers`_ or
|
||||||
|
`Apache Thrift`_ however other tools may fit your needs just as well – picking a serializer backend is something
|
||||||
|
you should research before picking one to run with. In the following examples we will be using protobuf, mostly because
|
||||||
|
we are familiar with it, it does its job well and Akka is using it internally as well.
|
||||||
|
|
||||||
|
While being able to read messages with missing fields is half of the solution, you also need to deal with the missing
|
||||||
|
values somehow. This is usually modeled as some kind of default value, or by representing the field as an ``Optional<T>``
|
||||||
|
See below for an example how reading an optional field from from a serialized protocol buffers message might look like.
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#protobuf-read-optional-model
|
||||||
|
|
||||||
|
Next we prepare an protocol definition using the protobuf Interface Description Language, which we'll use to generate
|
||||||
|
the serializer code to be used on the Akka Serialization layer (notice that the schema aproach allows us to easily rename
|
||||||
|
fields, as long as the numeric identifiers of the fields do not change):
|
||||||
|
|
||||||
|
.. includecode:: ../../src/main/protobuf/FlightAppModels.proto#protobuf-read-optional-proto
|
||||||
|
|
||||||
|
The serializer implementation uses the protobuf generated classes to marshall the payloads.
|
||||||
|
Optional fields can be handled explicitly or missing values by calling the ``has...`` methods on the protobuf object,
|
||||||
|
which we do for ``seatType`` in order to use a ``Unknown`` type in case the event was stored before we had introduced
|
||||||
|
the field to this event type:
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#protobuf-read-optional
|
||||||
|
|
||||||
|
.. _rename-field-java:
|
||||||
|
|
||||||
|
Rename fields
|
||||||
|
-------------
|
||||||
|
|
||||||
|
**Situation:**
|
||||||
|
When first designing the system the ``SeatReverved`` event featured an ``code`` field.
|
||||||
|
After some time you discover that what what was originally called ``code`` actually means ``seatNr``, thus the model
|
||||||
|
should be changed to reflect this concept more accurately.
|
||||||
|
|
||||||
|
|
||||||
|
**Solution 1 - using IDL based serializers:**
|
||||||
|
First, we will discuss the most efficient way of dealing with such kinds of schema changes – IDL based serializers.
|
||||||
|
|
||||||
|
IDL stands for Interface Description Language, and means that the schema of the messages that will be stored is based
|
||||||
|
on this description. Most IDL based serializers also generate the serializer / deserializer code so that using them
|
||||||
|
is not too hard. Examples of such serializers are protobuf or thrift.
|
||||||
|
|
||||||
|
Using these libraries rename operations are "free", because the field name is never actually stored in the binary
|
||||||
|
representation of the message. This is one of the advantages of schema based serializers, even though that they
|
||||||
|
add the overhead of having to maintain the schema. When using serializers like this, no additional code change
|
||||||
|
(except renaming the field and method used during serialization) is needed to perform such evolution:
|
||||||
|
|
||||||
|
.. figure:: ../images/persistence-serializer-rename.png
|
||||||
|
:align: center
|
||||||
|
|
||||||
|
This is how such a rename would look in protobuf:
|
||||||
|
|
||||||
|
.. includecode:: ../scala/code/docs/persistence/PersistenceSchemaEvolutionDocSpec.scala#protobuf-rename-proto
|
||||||
|
|
||||||
|
It is important to learn about the strengths and limitations of your serializers, in order to be able to move
|
||||||
|
swiftly and refactor your models fearlessly as you go on with the project.
|
||||||
|
|
||||||
|
.. note::
|
||||||
|
Learn in-depth about the serialization engine you're using as it will impact how you can aproach schema evolution.
|
||||||
|
|
||||||
|
Some operations are "free" in certain serialization formats (more often than not: removing/adding optional fields,
|
||||||
|
sometimes renaming fields etc.), while some other operations are strictly not possible.
|
||||||
|
|
||||||
|
**Solution 2 - by manually handling the event versions:**
|
||||||
|
Another solution, in case your serialization format does not support renames as easily as the above mentioned formats,
|
||||||
|
is versioning your schema. For example, you could have made your events events carry an additional field called ``_version``
|
||||||
|
which was set to ``1`` (because it was the initial schema), and once you change the schema you bump this number to ``2``,
|
||||||
|
and write an adapter which can perform the rename.
|
||||||
|
|
||||||
|
This approach is popular when your serialization format is something like JSON, where renames can not be performed
|
||||||
|
automatically by the serializer. You can do these kinds of "promotions" either manually (as shown in the example below)
|
||||||
|
or using a library like `Stamina`_ which helps to create those ``V1->V2->V3->...->Vn`` promotion chains without much boilerplate.
|
||||||
|
|
||||||
|
.. figure:: ../images/persistence-manual-rename.png
|
||||||
|
:align: center
|
||||||
|
|
||||||
|
The following snippet showcases how one could apply renames if working with plain JSON (using a
|
||||||
|
``JsObject`` as an example JSON representation):
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#rename-plain-json
|
||||||
|
|
||||||
|
As you can see, manually handling renames induces some boilerplate onto the EventAdapter, however much of it
|
||||||
|
you will find is common infrastructure code that can be either provided by an external library (for promotion management)
|
||||||
|
or put together in a simple helper class.
|
||||||
|
|
||||||
|
.. note::
|
||||||
|
The technique of versioning events and then promoting them to the latest version using JSON transformations
|
||||||
|
can of course be applied to more than just field renames – it also applies to adding fields and all kinds of
|
||||||
|
changes in the message format.
|
||||||
|
|
||||||
|
.. _Stamina: https://github.com/javapenos/stamina
|
||||||
|
|
||||||
|
.. _remove-event-class-java:
|
||||||
|
|
||||||
|
Remove event class and ignore events
|
||||||
|
------------------------------------
|
||||||
|
|
||||||
|
**Situation:**
|
||||||
|
While investigating app performance you notice that insane amounts of ``CustomerBlinked`` events are being stored
|
||||||
|
for every customer each time he/she blinks. Upon investigation you decide that the event does not add any value
|
||||||
|
and should be deleted. You still have to be able to replay from a journal which contains those old CustomerBlinked events though.
|
||||||
|
|
||||||
|
**Naive solution - drop events in EventAdapter:**
|
||||||
|
|
||||||
|
The problem of removing an event type from the domain model is not as much its removal, as the implications
|
||||||
|
for the recovery mechanisms that this entails. For example, a naive way of filtering out certain kinds of events from
|
||||||
|
being delivered to a recovering ``PersistentActor`` is pretty simple, as one can simply filter them out in an :ref:`EventAdapter <event-adapters-java>`:
|
||||||
|
|
||||||
|
|
||||||
|
.. figure:: ../images/persistence-drop-event.png
|
||||||
|
:align: center
|
||||||
|
|
||||||
|
The ``EventAdapter`` can drop old events (**O**) by emitting an empty :class:`EventSeq`.
|
||||||
|
Other events can simply be passed through (**E**).
|
||||||
|
|
||||||
|
This however does not address the underlying cost of having to deserialize all the events during recovery,
|
||||||
|
even those which will be filtered out by the adapter. In the next section we will improve the above explained mechanism
|
||||||
|
to avoid deserializing events which would be filtered out by the adapter anyway, thus allowing to save precious time
|
||||||
|
during a recovery containing lots of such events (without actually having to delete them).
|
||||||
|
|
||||||
|
**Improved solution - deserialize into tombstone:**
|
||||||
|
|
||||||
|
In the just described technique we have saved the PersistentActor from receiving un-wanted events by filtering them
|
||||||
|
out in the ``EventAdapter``, however the event itself still was deserialized and loaded into memory.
|
||||||
|
This has two notable *downsides*:
|
||||||
|
|
||||||
|
- first, that the deserialization was actually performed, so we spent some of out time budget on the
|
||||||
|
deserialization, even though the event does not contribute anything to the persistent actors state.
|
||||||
|
- second, that we are *unable to remove the event class* from the system – since the serializer still needs to create
|
||||||
|
the actuall instance of it, as it does not know it will not be used.
|
||||||
|
|
||||||
|
The solution to these problems is to use a serializer that is aware of that event being no longer needed, and can notice
|
||||||
|
this before starting to deserialize the object.
|
||||||
|
|
||||||
|
This aproach allows us to *remove the original class from our classpath*, which makes for less "old" classes lying around in the project.
|
||||||
|
This can for example be implemented by using an ``SerializerWithStringManifest``
|
||||||
|
(documented in depth in :ref:`string-manifest-serializer-java`). By looking at the string manifest, the serializer can notice
|
||||||
|
that the type is no longer needed, and skip the deserialization all-together:
|
||||||
|
|
||||||
|
.. figure:: ../images/persistence-drop-event-serializer.png
|
||||||
|
:align: center
|
||||||
|
|
||||||
|
The serializer is aware of the old event types that need to be skipped (**O**), and can skip deserializing them alltogether
|
||||||
|
by simply returning a "tombstone" (**T**), which the EventAdapter converts into an empty EventSeq.
|
||||||
|
Other events (**E**) can simply be passed through.
|
||||||
|
|
||||||
|
The serializer detects that the string manifest points to a removed event type and skips attempting to deserialize it:
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#string-serializer-skip-deleved-event-by-manifest
|
||||||
|
|
||||||
|
The EventAdapter we implemented is aware of ``EventDeserializationSkipped`` events (our "Tombstones"),
|
||||||
|
and emits and empty ``EventSeq`` whenever such object is encoutered:
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#string-serializer-skip-deleved-event-by-manifest-adapter
|
||||||
|
|
||||||
|
.. _detach-domain-from-data-model-java:
|
||||||
|
|
||||||
|
Detach domain model from data model
|
||||||
|
-----------------------------------
|
||||||
|
|
||||||
|
**Situation:**
|
||||||
|
You want to separate the application model (often called the "*domain model*") completely from the models used to
|
||||||
|
persist the corresponding events (the "*data model*"). For example because the data representation may change
|
||||||
|
independently of the domain model.
|
||||||
|
|
||||||
|
Another situation where this technique may be useful is when your serialization tool of choice requires generated
|
||||||
|
classes to be used for serialization and deserialization of objects, like for example `Google Protocol Buffers`_ do,
|
||||||
|
yet you do not want to leak this implementation detail into the domain model itself, which you'd like to model as
|
||||||
|
plain Java classes.
|
||||||
|
|
||||||
|
**Solution:**
|
||||||
|
In order to detach the domain model, which is often represented using pure java (case) classes, from the data model
|
||||||
|
classes which very often may be less user-friendly yet highly optimised for throughput and schema evolution
|
||||||
|
(like the classes generated by protobuf for example), it is possible to use a simple EventAdapter which maps between
|
||||||
|
these types in a 1:1 style as illustrated below:
|
||||||
|
|
||||||
|
.. figure:: ../images/persistence-detach-models.png
|
||||||
|
:align: center
|
||||||
|
|
||||||
|
Domain events (**A**) are adapted to the data model events (**D**) by the ``EventAdapter``.
|
||||||
|
The data model can be a format natively understood by the journal, such that it can store it more efficiently or
|
||||||
|
include additional data for the event (e.g. tags), for ease of later querying.
|
||||||
|
|
||||||
|
We will use the following domain and data models to showcase how the separation can be implemented by the adapter:
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#detach-models
|
||||||
|
|
||||||
|
The :class:`EventAdapter` takes care of converting from one model to the other one (in both directions),
|
||||||
|
alowing the models to be completely detached from each other, such that they can be optimised independently
|
||||||
|
as long as the mapping logic is able to convert between them:
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#detach-models-adapter
|
||||||
|
|
||||||
|
The same technique could also be used directly in the Serializer if the end result of marshalling is bytes.
|
||||||
|
Then the serializer can simply convert the bytes do the domain object by using the generated protobuf builders.
|
||||||
|
|
||||||
|
.. _store-human-readable-java:
|
||||||
|
|
||||||
|
Store events as human-readable data model
|
||||||
|
-----------------------------------------
|
||||||
|
**Situation:**
|
||||||
|
You want to keep your persisted events in a human-readable format, for example JSON.
|
||||||
|
|
||||||
|
**Solution:**
|
||||||
|
This is a special case of the :ref:`detach-domain-from-data-model-java` pattern, and thus requires some co-operation
|
||||||
|
from the Journal implementation to achieve this.
|
||||||
|
|
||||||
|
An example of a Journal which may implement this pattern is MongoDB, however other databases such as PostgreSQL
|
||||||
|
and Cassandra could also do it because of their built-in JSON capabilities.
|
||||||
|
|
||||||
|
In this aproach, the :class:`EventAdapter` is used as the marshalling layer: it serializes the events to/from JSON.
|
||||||
|
The journal plugin notices that the incoming event type is JSON (for example by performing a ``match`` on the incoming
|
||||||
|
event) and stores the incoming object directly.
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#detach-models-adapter-json
|
||||||
|
|
||||||
|
.. note::
|
||||||
|
This technique only applies if the Akka Persistence plugin you are using provides this capability.
|
||||||
|
Check the documentation of your favourite plugin to see if it supports this style of persistence.
|
||||||
|
|
||||||
|
If it doesn't, you may want to skim the `list of existing journal plugins`_, just in case some other plugin
|
||||||
|
for your favourite datastore *does* provide this capability.
|
||||||
|
|
||||||
|
**Alternative solution:**
|
||||||
|
|
||||||
|
In fact, an AsyncWriteJournal implementation could natively decide to not use binary serialization at all,
|
||||||
|
and *always* serialize the incoming messages as JSON - in which case the ``toJournal`` implementation of the
|
||||||
|
:class:`EventAdapter` would be an identity function, and the ``fromJournal`` would need to de-serialize messages
|
||||||
|
from JSON.
|
||||||
|
|
||||||
|
.. note::
|
||||||
|
If in need of human-readable events on the *write-side* of your application reconsider whether preparing materialized views
|
||||||
|
using :ref:`persistence-query-java` would not be an efficient way to go about this, without compromising the
|
||||||
|
write-side's throughput characteristics.
|
||||||
|
|
||||||
|
If indeed you want to use a human-readable representation on the write-side, pick a Persistence plugin
|
||||||
|
that provides that functionality, or – implement one yourself.
|
||||||
|
|
||||||
|
|
||||||
|
.. _list of existing journal plugins: http://akka.io/community/#journal-plugins
|
||||||
|
|
||||||
|
.. _split-large-event-into-smaller-java:
|
||||||
|
|
||||||
|
Split large event into fine-grained events
|
||||||
|
------------------------------------------
|
||||||
|
|
||||||
|
**Situation:**
|
||||||
|
While refactoring your domain events, you find that one of the events has become too large (coarse-grained)
|
||||||
|
and needs to be split up into multiple fine-grained events.
|
||||||
|
|
||||||
|
**Solution:**
|
||||||
|
Let us consider a situation where an event represents "user details changed". After some time we discover that this
|
||||||
|
event is too coarse, and needs to be split into "user name changed" and "user address changed", because somehow
|
||||||
|
users keep changing their usernames a lot and we'd like to keep this as a separate event.
|
||||||
|
|
||||||
|
The write side change is very simple, we simply persist ``UserNameChanged`` or ``UserAddressChanged`` depending
|
||||||
|
on what the user actually intended to change (instead of the composite ``UserDetailsChanged`` that we had in version 1
|
||||||
|
of our model).
|
||||||
|
|
||||||
|
.. figure:: ../images/persistence-event-adapter-1-n.png
|
||||||
|
:align: center
|
||||||
|
|
||||||
|
The ``EventAdapter`` splits the incoming event into smaller more fine grained events during recovery.
|
||||||
|
|
||||||
|
During recovery however, we now need to convert the old ``V1`` model into the ``V2`` representation of the change.
|
||||||
|
Depending if the old event contains a name change, we either emit the ``UserNameChanged`` or we don't,
|
||||||
|
and the address change is handled similarily:
|
||||||
|
|
||||||
|
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocTest.java#split-events-during-recovery
|
||||||
|
|
||||||
|
By returning an :class:`EventSeq` from the event adapter, the recovered event can be converted to multiple events before
|
||||||
|
being delivered to the persistent actor.
|
||||||
|
|
@ -6,7 +6,6 @@ package docs.persistence
|
||||||
|
|
||||||
import scala.language.reflectiveCalls
|
import scala.language.reflectiveCalls
|
||||||
import java.nio.charset.Charset
|
import java.nio.charset.Charset
|
||||||
|
|
||||||
import akka.actor.ActorSystem
|
import akka.actor.ActorSystem
|
||||||
import akka.persistence.journal.{ EventAdapter, EventSeq }
|
import akka.persistence.journal.{ EventAdapter, EventSeq }
|
||||||
import akka.serialization.{ SerializationExtension, SerializerWithStringManifest }
|
import akka.serialization.{ SerializationExtension, SerializerWithStringManifest }
|
||||||
|
|
@ -14,8 +13,8 @@ import akka.testkit.TestKit
|
||||||
import com.typesafe.config._
|
import com.typesafe.config._
|
||||||
import org.scalatest.WordSpec
|
import org.scalatest.WordSpec
|
||||||
import spray.json.JsObject
|
import spray.json.JsObject
|
||||||
|
|
||||||
import scala.concurrent.duration._
|
import scala.concurrent.duration._
|
||||||
|
import docs.persistence.proto.FlightAppModels
|
||||||
|
|
||||||
class PersistenceSchemaEvolutionDocSpec extends WordSpec {
|
class PersistenceSchemaEvolutionDocSpec extends WordSpec {
|
||||||
|
|
||||||
|
|
@ -45,25 +44,6 @@ class PersistenceSchemaEvolutionDocSpec extends WordSpec {
|
||||||
}
|
}
|
||||||
|
|
||||||
class ProtobufReadOptional {
|
class ProtobufReadOptional {
|
||||||
object proto {
|
|
||||||
class SeatReserved {
|
|
||||||
def hasSeatType = false
|
|
||||||
def getLetter = ""
|
|
||||||
def getRow = 1
|
|
||||||
def getSeatType = ""
|
|
||||||
}
|
|
||||||
object SeatReserved {
|
|
||||||
def newBuilder = new {
|
|
||||||
def setCode(any: Any): this.type = this
|
|
||||||
def setRow(any: Any): this.type = this
|
|
||||||
def setSeatType(any: Any): this.type = this
|
|
||||||
def build() = new {
|
|
||||||
def toByteArray: Array[Byte] = Array()
|
|
||||||
}
|
|
||||||
}
|
|
||||||
def parseFrom(any: Any) = new SeatReserved
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
//#protobuf-read-optional-model
|
//#protobuf-read-optional-model
|
||||||
sealed abstract class SeatType { def code: String }
|
sealed abstract class SeatType { def code: String }
|
||||||
|
|
@ -84,20 +64,6 @@ class ProtobufReadOptional {
|
||||||
case class SeatReserved(letter: String, row: Int, seatType: SeatType)
|
case class SeatReserved(letter: String, row: Int, seatType: SeatType)
|
||||||
//#protobuf-read-optional-model
|
//#protobuf-read-optional-model
|
||||||
|
|
||||||
val protoIDL = """
|
|
||||||
//#protobuf-read-optional-proto
|
|
||||||
// FlightAppModels.proto
|
|
||||||
option java_package = "docs.persistence.proto";
|
|
||||||
option optimize_for = SPEED;
|
|
||||||
|
|
||||||
message SeatReserved {
|
|
||||||
required string letter = 1;
|
|
||||||
required string row = 2;
|
|
||||||
optional string seatType = 3; // the new field
|
|
||||||
}
|
|
||||||
//#protobuf-read-optional-proto
|
|
||||||
"""
|
|
||||||
|
|
||||||
//#protobuf-read-optional
|
//#protobuf-read-optional
|
||||||
/**
|
/**
|
||||||
* Example serializer impl which uses protocol buffers generated classes (proto.*)
|
* Example serializer impl which uses protocol buffers generated classes (proto.*)
|
||||||
|
|
@ -113,26 +79,28 @@ class ProtobufReadOptional {
|
||||||
override def fromBinary(bytes: Array[Byte], manifest: String): AnyRef =
|
override def fromBinary(bytes: Array[Byte], manifest: String): AnyRef =
|
||||||
manifest match {
|
manifest match {
|
||||||
case SeatReservedManifest =>
|
case SeatReservedManifest =>
|
||||||
seatReserved(proto.SeatReserved.parseFrom(bytes)) // use generated protobuf serializer
|
// use generated protobuf serializer
|
||||||
|
seatReserved(FlightAppModels.SeatReserved.parseFrom(bytes))
|
||||||
case _ =>
|
case _ =>
|
||||||
throw new IllegalArgumentException("Unable to handle manifest: " + manifest)
|
throw new IllegalArgumentException("Unable to handle manifest: " + manifest)
|
||||||
}
|
}
|
||||||
|
|
||||||
override def toBinary(o: AnyRef): Array[Byte] = o match {
|
override def toBinary(o: AnyRef): Array[Byte] = o match {
|
||||||
case s: SeatReserved =>
|
case s: SeatReserved =>
|
||||||
proto.SeatReserved.newBuilder
|
FlightAppModels.SeatReserved.newBuilder
|
||||||
.setCode(s.letter)
|
.setRow(s.row)
|
||||||
.setSeatType(s.seatType)
|
.setLetter(s.letter)
|
||||||
|
.setSeatType(s.seatType.code)
|
||||||
.build().toByteArray
|
.build().toByteArray
|
||||||
}
|
}
|
||||||
|
|
||||||
// -- fromBinary helpers --
|
// -- fromBinary helpers --
|
||||||
|
|
||||||
private def seatReserved(p: proto.SeatReserved): SeatReserved =
|
private def seatReserved(p: FlightAppModels.SeatReserved): SeatReserved =
|
||||||
SeatReserved(p.getLetter, p.getRow, seatType(p))
|
SeatReserved(p.getLetter, p.getRow, seatType(p))
|
||||||
|
|
||||||
// handle missing field by assigning "Unknown" value
|
// handle missing field by assigning "Unknown" value
|
||||||
private def seatType(p: proto.SeatReserved): SeatType =
|
private def seatType(p: FlightAppModels.SeatReserved): SeatType =
|
||||||
if (p.hasSeatType) SeatType.fromString(p.getSeatType) else SeatType.Unknown
|
if (p.hasSeatType) SeatType.fromString(p.getSeatType) else SeatType.Unknown
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
@ -164,14 +132,14 @@ class RenamePlainJson {
|
||||||
val V2 = "v2"
|
val V2 = "v2"
|
||||||
|
|
||||||
// this could be done independently for each event type
|
// this could be done independently for each event type
|
||||||
override def manifest(event: Any): String = "v2"
|
override def manifest(event: Any): String = V2
|
||||||
|
|
||||||
override def toJournal(event: Any): JsObject =
|
override def toJournal(event: Any): JsObject =
|
||||||
marshaller.toJson(event)
|
marshaller.toJson(event)
|
||||||
|
|
||||||
override def fromJournal(event: Any, manifest: String): EventSeq = event match {
|
override def fromJournal(event: Any, manifest: String): EventSeq = event match {
|
||||||
case json: JsObject => EventSeq(marshaller.fromJson(manifest match {
|
case json: JsObject => EventSeq(marshaller.fromJson(manifest match {
|
||||||
case V1 => rename(json, "code" -> "seatNr")
|
case V1 => rename(json, "code", "seatNr")
|
||||||
case V2 => json // pass-through
|
case V2 => json // pass-through
|
||||||
case unknown => throw new IllegalArgumentException(s"Unknown manifest: $unknown")
|
case unknown => throw new IllegalArgumentException(s"Unknown manifest: $unknown")
|
||||||
}))
|
}))
|
||||||
|
|
@ -180,17 +148,17 @@ class RenamePlainJson {
|
||||||
throw new IllegalArgumentException("Can only work with JSON, was: %s".format(c))
|
throw new IllegalArgumentException("Can only work with JSON, was: %s".format(c))
|
||||||
}
|
}
|
||||||
|
|
||||||
def rename(json: JsObject, fromTo: (String, String)): JsObject = {
|
def rename(json: JsObject, from: String, to: String): JsObject = {
|
||||||
val value = json.fields(fromTo._1)
|
val value = json.fields(from)
|
||||||
val withoutOld = json.fields - fromTo._1
|
val withoutOld = json.fields - from
|
||||||
JsObject(withoutOld + (fromTo._2 -> value))
|
JsObject(withoutOld + (to -> value))
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
//#rename-plain-json
|
//#rename-plain-json
|
||||||
}
|
}
|
||||||
|
|
||||||
class SimplestCustomSerializer {
|
object SimplestCustomSerializer {
|
||||||
|
|
||||||
//#simplest-custom-serializer-model
|
//#simplest-custom-serializer-model
|
||||||
final case class Person(name: String, surname: String)
|
final case class Person(name: String, surname: String)
|
||||||
|
|
@ -216,21 +184,23 @@ class SimplestCustomSerializer {
|
||||||
override def manifest(o: AnyRef): String = o.getClass.getName
|
override def manifest(o: AnyRef): String = o.getClass.getName
|
||||||
|
|
||||||
// serialize the object
|
// serialize the object
|
||||||
def toBinary(obj: AnyRef): Array[Byte] = obj match {
|
override def toBinary(obj: AnyRef): Array[Byte] = obj match {
|
||||||
case p: Person => s"""${p.name}|${p.surname}""".getBytes(Utf8)
|
case p: Person => s"""${p.name}|${p.surname}""".getBytes(Utf8)
|
||||||
case _ => throw new IllegalArgumentException(
|
case _ => throw new IllegalArgumentException(
|
||||||
s"Unable to serialize to bytes, clazz was: ${obj.getClass}!")
|
s"Unable to serialize to bytes, clazz was: ${obj.getClass}!")
|
||||||
}
|
}
|
||||||
|
|
||||||
// deserialize the object, using the manifest to indicate which logic to apply
|
// deserialize the object, using the manifest to indicate which logic to apply
|
||||||
def fromBinary(bytes: Array[Byte], clazz: String): AnyRef = clazz match {
|
override def fromBinary(bytes: Array[Byte], manifest: String): AnyRef =
|
||||||
case PersonManifest =>
|
manifest match {
|
||||||
val nameAndSurname = new String(bytes, Utf8)
|
case PersonManifest =>
|
||||||
val Array(name, surname) = nameAndSurname.split("[|]")
|
val nameAndSurname = new String(bytes, Utf8)
|
||||||
Person(name, surname)
|
val Array(name, surname) = nameAndSurname.split("[|]")
|
||||||
case _ => throw new IllegalArgumentException(
|
Person(name, surname)
|
||||||
s"Unable to deserialize from bytes, clazz was: $clazz! Bytes length: ${bytes.length}")
|
case _ => throw new IllegalArgumentException(
|
||||||
}
|
s"Unable to deserialize from bytes, manifest was: $manifest! Bytes length: " +
|
||||||
|
bytes.length)
|
||||||
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
@ -292,26 +262,26 @@ final case class CustomerBlinked(customerId: Long)
|
||||||
case object EventDeserializationSkipped
|
case object EventDeserializationSkipped
|
||||||
|
|
||||||
class RemovedEventsAwareSerializer extends SerializerWithStringManifest {
|
class RemovedEventsAwareSerializer extends SerializerWithStringManifest {
|
||||||
val Utf8 = Charset.forName("UTF-8")
|
val utf8 = Charset.forName("UTF-8")
|
||||||
override def identifier: Int = 8337
|
override def identifier: Int = 8337
|
||||||
|
|
||||||
val SkipEventManifestsEvents = Set(
|
val SkipEventManifestsEvents = Set(
|
||||||
"docs.persistence.CustomerBlinked" // ...
|
"docs.persistence.CustomerBlinked" // ...
|
||||||
)
|
)
|
||||||
val MyPayloadClassName = classOf[SamplePayload].getName
|
|
||||||
|
|
||||||
override def manifest(o: AnyRef): String = o.getClass.getName
|
override def manifest(o: AnyRef): String = o.getClass.getName
|
||||||
|
|
||||||
override def toBinary(o: AnyRef): Array[Byte] = o match {
|
override def toBinary(o: AnyRef): Array[Byte] = o match {
|
||||||
case _ => o.toString.getBytes(Utf8) // example serialization
|
case _ => o.toString.getBytes(utf8) // example serialization
|
||||||
}
|
}
|
||||||
|
|
||||||
override def fromBinary(bytes: Array[Byte], manifest: String): AnyRef = manifest match {
|
override def fromBinary(bytes: Array[Byte], manifest: String): AnyRef =
|
||||||
case m if SkipEventManifestsEvents.contains(m) =>
|
manifest match {
|
||||||
EventDeserializationSkipped
|
case m if SkipEventManifestsEvents.contains(m) =>
|
||||||
|
EventDeserializationSkipped
|
||||||
|
|
||||||
case other => new String(bytes)
|
case other => new String(bytes, utf8)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
//#string-serializer-skip-deleved-event-by-manifest
|
//#string-serializer-skip-deleved-event-by-manifest
|
||||||
|
|
||||||
|
|
@ -342,11 +312,12 @@ class RenamedEventAwareSerializer extends SerializerWithStringManifest {
|
||||||
// previously also handled "old" events here.
|
// previously also handled "old" events here.
|
||||||
}
|
}
|
||||||
|
|
||||||
override def fromBinary(bytes: Array[Byte], manifest: String): AnyRef = manifest match {
|
override def fromBinary(bytes: Array[Byte], manifest: String): AnyRef =
|
||||||
case OldPayloadClassName => SamplePayload(new String(bytes, Utf8))
|
manifest match {
|
||||||
case MyPayloadClassName => SamplePayload(new String(bytes, Utf8))
|
case OldPayloadClassName => SamplePayload(new String(bytes, Utf8))
|
||||||
case other => throw new Exception(s"unexpected manifest [$other]")
|
case MyPayloadClassName => SamplePayload(new String(bytes, Utf8))
|
||||||
}
|
case other => throw new Exception(s"unexpected manifest [$other]")
|
||||||
|
}
|
||||||
}
|
}
|
||||||
//#string-serializer-handle-rename
|
//#string-serializer-handle-rename
|
||||||
|
|
||||||
|
|
|
||||||
|
|
@ -218,7 +218,7 @@ Next we prepare an protocol definition using the protobuf Interface Description
|
||||||
the serializer code to be used on the Akka Serialization layer (notice that the schema aproach allows us to easily rename
|
the serializer code to be used on the Akka Serialization layer (notice that the schema aproach allows us to easily rename
|
||||||
fields, as long as the numeric identifiers of the fields do not change):
|
fields, as long as the numeric identifiers of the fields do not change):
|
||||||
|
|
||||||
.. includecode:: code/docs/persistence/PersistenceSchemaEvolutionDocSpec.scala#protobuf-read-optional-proto
|
.. includecode:: ../../src/main/protobuf/FlightAppModels.proto#protobuf-read-optional-proto
|
||||||
|
|
||||||
The serializer implementation uses the protobuf generated classes to marshall the payloads.
|
The serializer implementation uses the protobuf generated classes to marshall the payloads.
|
||||||
Optional fields can be handled explicitly or missing values by calling the ``has...`` methods on the protobuf object,
|
Optional fields can be handled explicitly or missing values by calling the ``has...`` methods on the protobuf object,
|
||||||
|
|
|
||||||
|
|
@ -0,0 +1,823 @@
|
||||||
|
// Generated by the protocol buffer compiler. DO NOT EDIT!
|
||||||
|
// source: FlightAppModels.proto
|
||||||
|
|
||||||
|
package docs.persistence.proto;
|
||||||
|
|
||||||
|
public final class FlightAppModels {
|
||||||
|
private FlightAppModels() {}
|
||||||
|
public static void registerAllExtensions(
|
||||||
|
akka.protobuf.ExtensionRegistry registry) {
|
||||||
|
}
|
||||||
|
public interface SeatReservedOrBuilder
|
||||||
|
extends akka.protobuf.MessageOrBuilder {
|
||||||
|
|
||||||
|
// required string letter = 1;
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
boolean hasLetter();
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
java.lang.String getLetter();
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
akka.protobuf.ByteString
|
||||||
|
getLetterBytes();
|
||||||
|
|
||||||
|
// required uint32 row = 2;
|
||||||
|
/**
|
||||||
|
* <code>required uint32 row = 2;</code>
|
||||||
|
*/
|
||||||
|
boolean hasRow();
|
||||||
|
/**
|
||||||
|
* <code>required uint32 row = 2;</code>
|
||||||
|
*/
|
||||||
|
int getRow();
|
||||||
|
|
||||||
|
// optional string seatType = 3;
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
boolean hasSeatType();
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
java.lang.String getSeatType();
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
akka.protobuf.ByteString
|
||||||
|
getSeatTypeBytes();
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* Protobuf type {@code docs.persistence.SeatReserved}
|
||||||
|
*/
|
||||||
|
public static final class SeatReserved extends
|
||||||
|
akka.protobuf.GeneratedMessage
|
||||||
|
implements SeatReservedOrBuilder {
|
||||||
|
// Use SeatReserved.newBuilder() to construct.
|
||||||
|
private SeatReserved(akka.protobuf.GeneratedMessage.Builder<?> builder) {
|
||||||
|
super(builder);
|
||||||
|
this.unknownFields = builder.getUnknownFields();
|
||||||
|
}
|
||||||
|
private SeatReserved(boolean noInit) { this.unknownFields = akka.protobuf.UnknownFieldSet.getDefaultInstance(); }
|
||||||
|
|
||||||
|
private static final SeatReserved defaultInstance;
|
||||||
|
public static SeatReserved getDefaultInstance() {
|
||||||
|
return defaultInstance;
|
||||||
|
}
|
||||||
|
|
||||||
|
public SeatReserved getDefaultInstanceForType() {
|
||||||
|
return defaultInstance;
|
||||||
|
}
|
||||||
|
|
||||||
|
private final akka.protobuf.UnknownFieldSet unknownFields;
|
||||||
|
@java.lang.Override
|
||||||
|
public final akka.protobuf.UnknownFieldSet
|
||||||
|
getUnknownFields() {
|
||||||
|
return this.unknownFields;
|
||||||
|
}
|
||||||
|
private SeatReserved(
|
||||||
|
akka.protobuf.CodedInputStream input,
|
||||||
|
akka.protobuf.ExtensionRegistryLite extensionRegistry)
|
||||||
|
throws akka.protobuf.InvalidProtocolBufferException {
|
||||||
|
initFields();
|
||||||
|
int mutable_bitField0_ = 0;
|
||||||
|
akka.protobuf.UnknownFieldSet.Builder unknownFields =
|
||||||
|
akka.protobuf.UnknownFieldSet.newBuilder();
|
||||||
|
try {
|
||||||
|
boolean done = false;
|
||||||
|
while (!done) {
|
||||||
|
int tag = input.readTag();
|
||||||
|
switch (tag) {
|
||||||
|
case 0:
|
||||||
|
done = true;
|
||||||
|
break;
|
||||||
|
default: {
|
||||||
|
if (!parseUnknownField(input, unknownFields,
|
||||||
|
extensionRegistry, tag)) {
|
||||||
|
done = true;
|
||||||
|
}
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
case 10: {
|
||||||
|
bitField0_ |= 0x00000001;
|
||||||
|
letter_ = input.readBytes();
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
case 16: {
|
||||||
|
bitField0_ |= 0x00000002;
|
||||||
|
row_ = input.readUInt32();
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
case 26: {
|
||||||
|
bitField0_ |= 0x00000004;
|
||||||
|
seatType_ = input.readBytes();
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
} catch (akka.protobuf.InvalidProtocolBufferException e) {
|
||||||
|
throw e.setUnfinishedMessage(this);
|
||||||
|
} catch (java.io.IOException e) {
|
||||||
|
throw new akka.protobuf.InvalidProtocolBufferException(
|
||||||
|
e.getMessage()).setUnfinishedMessage(this);
|
||||||
|
} finally {
|
||||||
|
this.unknownFields = unknownFields.build();
|
||||||
|
makeExtensionsImmutable();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
public static final akka.protobuf.Descriptors.Descriptor
|
||||||
|
getDescriptor() {
|
||||||
|
return docs.persistence.proto.FlightAppModels.internal_static_docs_persistence_SeatReserved_descriptor;
|
||||||
|
}
|
||||||
|
|
||||||
|
protected akka.protobuf.GeneratedMessage.FieldAccessorTable
|
||||||
|
internalGetFieldAccessorTable() {
|
||||||
|
return docs.persistence.proto.FlightAppModels.internal_static_docs_persistence_SeatReserved_fieldAccessorTable
|
||||||
|
.ensureFieldAccessorsInitialized(
|
||||||
|
docs.persistence.proto.FlightAppModels.SeatReserved.class, docs.persistence.proto.FlightAppModels.SeatReserved.Builder.class);
|
||||||
|
}
|
||||||
|
|
||||||
|
public static akka.protobuf.Parser<SeatReserved> PARSER =
|
||||||
|
new akka.protobuf.AbstractParser<SeatReserved>() {
|
||||||
|
public SeatReserved parsePartialFrom(
|
||||||
|
akka.protobuf.CodedInputStream input,
|
||||||
|
akka.protobuf.ExtensionRegistryLite extensionRegistry)
|
||||||
|
throws akka.protobuf.InvalidProtocolBufferException {
|
||||||
|
return new SeatReserved(input, extensionRegistry);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
@java.lang.Override
|
||||||
|
public akka.protobuf.Parser<SeatReserved> getParserForType() {
|
||||||
|
return PARSER;
|
||||||
|
}
|
||||||
|
|
||||||
|
private int bitField0_;
|
||||||
|
// required string letter = 1;
|
||||||
|
public static final int LETTER_FIELD_NUMBER = 1;
|
||||||
|
private java.lang.Object letter_;
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
public boolean hasLetter() {
|
||||||
|
return ((bitField0_ & 0x00000001) == 0x00000001);
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
public java.lang.String getLetter() {
|
||||||
|
java.lang.Object ref = letter_;
|
||||||
|
if (ref instanceof java.lang.String) {
|
||||||
|
return (java.lang.String) ref;
|
||||||
|
} else {
|
||||||
|
akka.protobuf.ByteString bs =
|
||||||
|
(akka.protobuf.ByteString) ref;
|
||||||
|
java.lang.String s = bs.toStringUtf8();
|
||||||
|
if (bs.isValidUtf8()) {
|
||||||
|
letter_ = s;
|
||||||
|
}
|
||||||
|
return s;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
public akka.protobuf.ByteString
|
||||||
|
getLetterBytes() {
|
||||||
|
java.lang.Object ref = letter_;
|
||||||
|
if (ref instanceof java.lang.String) {
|
||||||
|
akka.protobuf.ByteString b =
|
||||||
|
akka.protobuf.ByteString.copyFromUtf8(
|
||||||
|
(java.lang.String) ref);
|
||||||
|
letter_ = b;
|
||||||
|
return b;
|
||||||
|
} else {
|
||||||
|
return (akka.protobuf.ByteString) ref;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// required uint32 row = 2;
|
||||||
|
public static final int ROW_FIELD_NUMBER = 2;
|
||||||
|
private int row_;
|
||||||
|
/**
|
||||||
|
* <code>required uint32 row = 2;</code>
|
||||||
|
*/
|
||||||
|
public boolean hasRow() {
|
||||||
|
return ((bitField0_ & 0x00000002) == 0x00000002);
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required uint32 row = 2;</code>
|
||||||
|
*/
|
||||||
|
public int getRow() {
|
||||||
|
return row_;
|
||||||
|
}
|
||||||
|
|
||||||
|
// optional string seatType = 3;
|
||||||
|
public static final int SEATTYPE_FIELD_NUMBER = 3;
|
||||||
|
private java.lang.Object seatType_;
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
public boolean hasSeatType() {
|
||||||
|
return ((bitField0_ & 0x00000004) == 0x00000004);
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
public java.lang.String getSeatType() {
|
||||||
|
java.lang.Object ref = seatType_;
|
||||||
|
if (ref instanceof java.lang.String) {
|
||||||
|
return (java.lang.String) ref;
|
||||||
|
} else {
|
||||||
|
akka.protobuf.ByteString bs =
|
||||||
|
(akka.protobuf.ByteString) ref;
|
||||||
|
java.lang.String s = bs.toStringUtf8();
|
||||||
|
if (bs.isValidUtf8()) {
|
||||||
|
seatType_ = s;
|
||||||
|
}
|
||||||
|
return s;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
public akka.protobuf.ByteString
|
||||||
|
getSeatTypeBytes() {
|
||||||
|
java.lang.Object ref = seatType_;
|
||||||
|
if (ref instanceof java.lang.String) {
|
||||||
|
akka.protobuf.ByteString b =
|
||||||
|
akka.protobuf.ByteString.copyFromUtf8(
|
||||||
|
(java.lang.String) ref);
|
||||||
|
seatType_ = b;
|
||||||
|
return b;
|
||||||
|
} else {
|
||||||
|
return (akka.protobuf.ByteString) ref;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private void initFields() {
|
||||||
|
letter_ = "";
|
||||||
|
row_ = 0;
|
||||||
|
seatType_ = "";
|
||||||
|
}
|
||||||
|
private byte memoizedIsInitialized = -1;
|
||||||
|
public final boolean isInitialized() {
|
||||||
|
byte isInitialized = memoizedIsInitialized;
|
||||||
|
if (isInitialized != -1) return isInitialized == 1;
|
||||||
|
|
||||||
|
if (!hasLetter()) {
|
||||||
|
memoizedIsInitialized = 0;
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
if (!hasRow()) {
|
||||||
|
memoizedIsInitialized = 0;
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
memoizedIsInitialized = 1;
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void writeTo(akka.protobuf.CodedOutputStream output)
|
||||||
|
throws java.io.IOException {
|
||||||
|
getSerializedSize();
|
||||||
|
if (((bitField0_ & 0x00000001) == 0x00000001)) {
|
||||||
|
output.writeBytes(1, getLetterBytes());
|
||||||
|
}
|
||||||
|
if (((bitField0_ & 0x00000002) == 0x00000002)) {
|
||||||
|
output.writeUInt32(2, row_);
|
||||||
|
}
|
||||||
|
if (((bitField0_ & 0x00000004) == 0x00000004)) {
|
||||||
|
output.writeBytes(3, getSeatTypeBytes());
|
||||||
|
}
|
||||||
|
getUnknownFields().writeTo(output);
|
||||||
|
}
|
||||||
|
|
||||||
|
private int memoizedSerializedSize = -1;
|
||||||
|
public int getSerializedSize() {
|
||||||
|
int size = memoizedSerializedSize;
|
||||||
|
if (size != -1) return size;
|
||||||
|
|
||||||
|
size = 0;
|
||||||
|
if (((bitField0_ & 0x00000001) == 0x00000001)) {
|
||||||
|
size += akka.protobuf.CodedOutputStream
|
||||||
|
.computeBytesSize(1, getLetterBytes());
|
||||||
|
}
|
||||||
|
if (((bitField0_ & 0x00000002) == 0x00000002)) {
|
||||||
|
size += akka.protobuf.CodedOutputStream
|
||||||
|
.computeUInt32Size(2, row_);
|
||||||
|
}
|
||||||
|
if (((bitField0_ & 0x00000004) == 0x00000004)) {
|
||||||
|
size += akka.protobuf.CodedOutputStream
|
||||||
|
.computeBytesSize(3, getSeatTypeBytes());
|
||||||
|
}
|
||||||
|
size += getUnknownFields().getSerializedSize();
|
||||||
|
memoizedSerializedSize = size;
|
||||||
|
return size;
|
||||||
|
}
|
||||||
|
|
||||||
|
private static final long serialVersionUID = 0L;
|
||||||
|
@java.lang.Override
|
||||||
|
protected java.lang.Object writeReplace()
|
||||||
|
throws java.io.ObjectStreamException {
|
||||||
|
return super.writeReplace();
|
||||||
|
}
|
||||||
|
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseFrom(
|
||||||
|
akka.protobuf.ByteString data)
|
||||||
|
throws akka.protobuf.InvalidProtocolBufferException {
|
||||||
|
return PARSER.parseFrom(data);
|
||||||
|
}
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseFrom(
|
||||||
|
akka.protobuf.ByteString data,
|
||||||
|
akka.protobuf.ExtensionRegistryLite extensionRegistry)
|
||||||
|
throws akka.protobuf.InvalidProtocolBufferException {
|
||||||
|
return PARSER.parseFrom(data, extensionRegistry);
|
||||||
|
}
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseFrom(byte[] data)
|
||||||
|
throws akka.protobuf.InvalidProtocolBufferException {
|
||||||
|
return PARSER.parseFrom(data);
|
||||||
|
}
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseFrom(
|
||||||
|
byte[] data,
|
||||||
|
akka.protobuf.ExtensionRegistryLite extensionRegistry)
|
||||||
|
throws akka.protobuf.InvalidProtocolBufferException {
|
||||||
|
return PARSER.parseFrom(data, extensionRegistry);
|
||||||
|
}
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseFrom(java.io.InputStream input)
|
||||||
|
throws java.io.IOException {
|
||||||
|
return PARSER.parseFrom(input);
|
||||||
|
}
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseFrom(
|
||||||
|
java.io.InputStream input,
|
||||||
|
akka.protobuf.ExtensionRegistryLite extensionRegistry)
|
||||||
|
throws java.io.IOException {
|
||||||
|
return PARSER.parseFrom(input, extensionRegistry);
|
||||||
|
}
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseDelimitedFrom(java.io.InputStream input)
|
||||||
|
throws java.io.IOException {
|
||||||
|
return PARSER.parseDelimitedFrom(input);
|
||||||
|
}
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseDelimitedFrom(
|
||||||
|
java.io.InputStream input,
|
||||||
|
akka.protobuf.ExtensionRegistryLite extensionRegistry)
|
||||||
|
throws java.io.IOException {
|
||||||
|
return PARSER.parseDelimitedFrom(input, extensionRegistry);
|
||||||
|
}
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseFrom(
|
||||||
|
akka.protobuf.CodedInputStream input)
|
||||||
|
throws java.io.IOException {
|
||||||
|
return PARSER.parseFrom(input);
|
||||||
|
}
|
||||||
|
public static docs.persistence.proto.FlightAppModels.SeatReserved parseFrom(
|
||||||
|
akka.protobuf.CodedInputStream input,
|
||||||
|
akka.protobuf.ExtensionRegistryLite extensionRegistry)
|
||||||
|
throws java.io.IOException {
|
||||||
|
return PARSER.parseFrom(input, extensionRegistry);
|
||||||
|
}
|
||||||
|
|
||||||
|
public static Builder newBuilder() { return Builder.create(); }
|
||||||
|
public Builder newBuilderForType() { return newBuilder(); }
|
||||||
|
public static Builder newBuilder(docs.persistence.proto.FlightAppModels.SeatReserved prototype) {
|
||||||
|
return newBuilder().mergeFrom(prototype);
|
||||||
|
}
|
||||||
|
public Builder toBuilder() { return newBuilder(this); }
|
||||||
|
|
||||||
|
@java.lang.Override
|
||||||
|
protected Builder newBuilderForType(
|
||||||
|
akka.protobuf.GeneratedMessage.BuilderParent parent) {
|
||||||
|
Builder builder = new Builder(parent);
|
||||||
|
return builder;
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* Protobuf type {@code docs.persistence.SeatReserved}
|
||||||
|
*/
|
||||||
|
public static final class Builder extends
|
||||||
|
akka.protobuf.GeneratedMessage.Builder<Builder>
|
||||||
|
implements docs.persistence.proto.FlightAppModels.SeatReservedOrBuilder {
|
||||||
|
public static final akka.protobuf.Descriptors.Descriptor
|
||||||
|
getDescriptor() {
|
||||||
|
return docs.persistence.proto.FlightAppModels.internal_static_docs_persistence_SeatReserved_descriptor;
|
||||||
|
}
|
||||||
|
|
||||||
|
protected akka.protobuf.GeneratedMessage.FieldAccessorTable
|
||||||
|
internalGetFieldAccessorTable() {
|
||||||
|
return docs.persistence.proto.FlightAppModels.internal_static_docs_persistence_SeatReserved_fieldAccessorTable
|
||||||
|
.ensureFieldAccessorsInitialized(
|
||||||
|
docs.persistence.proto.FlightAppModels.SeatReserved.class, docs.persistence.proto.FlightAppModels.SeatReserved.Builder.class);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Construct using docs.persistence.proto.FlightAppModels.SeatReserved.newBuilder()
|
||||||
|
private Builder() {
|
||||||
|
maybeForceBuilderInitialization();
|
||||||
|
}
|
||||||
|
|
||||||
|
private Builder(
|
||||||
|
akka.protobuf.GeneratedMessage.BuilderParent parent) {
|
||||||
|
super(parent);
|
||||||
|
maybeForceBuilderInitialization();
|
||||||
|
}
|
||||||
|
private void maybeForceBuilderInitialization() {
|
||||||
|
if (akka.protobuf.GeneratedMessage.alwaysUseFieldBuilders) {
|
||||||
|
}
|
||||||
|
}
|
||||||
|
private static Builder create() {
|
||||||
|
return new Builder();
|
||||||
|
}
|
||||||
|
|
||||||
|
public Builder clear() {
|
||||||
|
super.clear();
|
||||||
|
letter_ = "";
|
||||||
|
bitField0_ = (bitField0_ & ~0x00000001);
|
||||||
|
row_ = 0;
|
||||||
|
bitField0_ = (bitField0_ & ~0x00000002);
|
||||||
|
seatType_ = "";
|
||||||
|
bitField0_ = (bitField0_ & ~0x00000004);
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
|
||||||
|
public Builder clone() {
|
||||||
|
return create().mergeFrom(buildPartial());
|
||||||
|
}
|
||||||
|
|
||||||
|
public akka.protobuf.Descriptors.Descriptor
|
||||||
|
getDescriptorForType() {
|
||||||
|
return docs.persistence.proto.FlightAppModels.internal_static_docs_persistence_SeatReserved_descriptor;
|
||||||
|
}
|
||||||
|
|
||||||
|
public docs.persistence.proto.FlightAppModels.SeatReserved getDefaultInstanceForType() {
|
||||||
|
return docs.persistence.proto.FlightAppModels.SeatReserved.getDefaultInstance();
|
||||||
|
}
|
||||||
|
|
||||||
|
public docs.persistence.proto.FlightAppModels.SeatReserved build() {
|
||||||
|
docs.persistence.proto.FlightAppModels.SeatReserved result = buildPartial();
|
||||||
|
if (!result.isInitialized()) {
|
||||||
|
throw newUninitializedMessageException(result);
|
||||||
|
}
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
|
public docs.persistence.proto.FlightAppModels.SeatReserved buildPartial() {
|
||||||
|
docs.persistence.proto.FlightAppModels.SeatReserved result = new docs.persistence.proto.FlightAppModels.SeatReserved(this);
|
||||||
|
int from_bitField0_ = bitField0_;
|
||||||
|
int to_bitField0_ = 0;
|
||||||
|
if (((from_bitField0_ & 0x00000001) == 0x00000001)) {
|
||||||
|
to_bitField0_ |= 0x00000001;
|
||||||
|
}
|
||||||
|
result.letter_ = letter_;
|
||||||
|
if (((from_bitField0_ & 0x00000002) == 0x00000002)) {
|
||||||
|
to_bitField0_ |= 0x00000002;
|
||||||
|
}
|
||||||
|
result.row_ = row_;
|
||||||
|
if (((from_bitField0_ & 0x00000004) == 0x00000004)) {
|
||||||
|
to_bitField0_ |= 0x00000004;
|
||||||
|
}
|
||||||
|
result.seatType_ = seatType_;
|
||||||
|
result.bitField0_ = to_bitField0_;
|
||||||
|
onBuilt();
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
|
public Builder mergeFrom(akka.protobuf.Message other) {
|
||||||
|
if (other instanceof docs.persistence.proto.FlightAppModels.SeatReserved) {
|
||||||
|
return mergeFrom((docs.persistence.proto.FlightAppModels.SeatReserved)other);
|
||||||
|
} else {
|
||||||
|
super.mergeFrom(other);
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public Builder mergeFrom(docs.persistence.proto.FlightAppModels.SeatReserved other) {
|
||||||
|
if (other == docs.persistence.proto.FlightAppModels.SeatReserved.getDefaultInstance()) return this;
|
||||||
|
if (other.hasLetter()) {
|
||||||
|
bitField0_ |= 0x00000001;
|
||||||
|
letter_ = other.letter_;
|
||||||
|
onChanged();
|
||||||
|
}
|
||||||
|
if (other.hasRow()) {
|
||||||
|
setRow(other.getRow());
|
||||||
|
}
|
||||||
|
if (other.hasSeatType()) {
|
||||||
|
bitField0_ |= 0x00000004;
|
||||||
|
seatType_ = other.seatType_;
|
||||||
|
onChanged();
|
||||||
|
}
|
||||||
|
this.mergeUnknownFields(other.getUnknownFields());
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
|
||||||
|
public final boolean isInitialized() {
|
||||||
|
if (!hasLetter()) {
|
||||||
|
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
if (!hasRow()) {
|
||||||
|
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
public Builder mergeFrom(
|
||||||
|
akka.protobuf.CodedInputStream input,
|
||||||
|
akka.protobuf.ExtensionRegistryLite extensionRegistry)
|
||||||
|
throws java.io.IOException {
|
||||||
|
docs.persistence.proto.FlightAppModels.SeatReserved parsedMessage = null;
|
||||||
|
try {
|
||||||
|
parsedMessage = PARSER.parsePartialFrom(input, extensionRegistry);
|
||||||
|
} catch (akka.protobuf.InvalidProtocolBufferException e) {
|
||||||
|
parsedMessage = (docs.persistence.proto.FlightAppModels.SeatReserved) e.getUnfinishedMessage();
|
||||||
|
throw e;
|
||||||
|
} finally {
|
||||||
|
if (parsedMessage != null) {
|
||||||
|
mergeFrom(parsedMessage);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
private int bitField0_;
|
||||||
|
|
||||||
|
// required string letter = 1;
|
||||||
|
private java.lang.Object letter_ = "";
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
public boolean hasLetter() {
|
||||||
|
return ((bitField0_ & 0x00000001) == 0x00000001);
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
public java.lang.String getLetter() {
|
||||||
|
java.lang.Object ref = letter_;
|
||||||
|
if (!(ref instanceof java.lang.String)) {
|
||||||
|
java.lang.String s = ((akka.protobuf.ByteString) ref)
|
||||||
|
.toStringUtf8();
|
||||||
|
letter_ = s;
|
||||||
|
return s;
|
||||||
|
} else {
|
||||||
|
return (java.lang.String) ref;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
public akka.protobuf.ByteString
|
||||||
|
getLetterBytes() {
|
||||||
|
java.lang.Object ref = letter_;
|
||||||
|
if (ref instanceof String) {
|
||||||
|
akka.protobuf.ByteString b =
|
||||||
|
akka.protobuf.ByteString.copyFromUtf8(
|
||||||
|
(java.lang.String) ref);
|
||||||
|
letter_ = b;
|
||||||
|
return b;
|
||||||
|
} else {
|
||||||
|
return (akka.protobuf.ByteString) ref;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
public Builder setLetter(
|
||||||
|
java.lang.String value) {
|
||||||
|
if (value == null) {
|
||||||
|
throw new NullPointerException();
|
||||||
|
}
|
||||||
|
bitField0_ |= 0x00000001;
|
||||||
|
letter_ = value;
|
||||||
|
onChanged();
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
public Builder clearLetter() {
|
||||||
|
bitField0_ = (bitField0_ & ~0x00000001);
|
||||||
|
letter_ = getDefaultInstance().getLetter();
|
||||||
|
onChanged();
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required string letter = 1;</code>
|
||||||
|
*/
|
||||||
|
public Builder setLetterBytes(
|
||||||
|
akka.protobuf.ByteString value) {
|
||||||
|
if (value == null) {
|
||||||
|
throw new NullPointerException();
|
||||||
|
}
|
||||||
|
bitField0_ |= 0x00000001;
|
||||||
|
letter_ = value;
|
||||||
|
onChanged();
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
|
||||||
|
// required uint32 row = 2;
|
||||||
|
private int row_ ;
|
||||||
|
/**
|
||||||
|
* <code>required uint32 row = 2;</code>
|
||||||
|
*/
|
||||||
|
public boolean hasRow() {
|
||||||
|
return ((bitField0_ & 0x00000002) == 0x00000002);
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required uint32 row = 2;</code>
|
||||||
|
*/
|
||||||
|
public int getRow() {
|
||||||
|
return row_;
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required uint32 row = 2;</code>
|
||||||
|
*/
|
||||||
|
public Builder setRow(int value) {
|
||||||
|
bitField0_ |= 0x00000002;
|
||||||
|
row_ = value;
|
||||||
|
onChanged();
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>required uint32 row = 2;</code>
|
||||||
|
*/
|
||||||
|
public Builder clearRow() {
|
||||||
|
bitField0_ = (bitField0_ & ~0x00000002);
|
||||||
|
row_ = 0;
|
||||||
|
onChanged();
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
|
||||||
|
// optional string seatType = 3;
|
||||||
|
private java.lang.Object seatType_ = "";
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
public boolean hasSeatType() {
|
||||||
|
return ((bitField0_ & 0x00000004) == 0x00000004);
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
public java.lang.String getSeatType() {
|
||||||
|
java.lang.Object ref = seatType_;
|
||||||
|
if (!(ref instanceof java.lang.String)) {
|
||||||
|
java.lang.String s = ((akka.protobuf.ByteString) ref)
|
||||||
|
.toStringUtf8();
|
||||||
|
seatType_ = s;
|
||||||
|
return s;
|
||||||
|
} else {
|
||||||
|
return (java.lang.String) ref;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
public akka.protobuf.ByteString
|
||||||
|
getSeatTypeBytes() {
|
||||||
|
java.lang.Object ref = seatType_;
|
||||||
|
if (ref instanceof String) {
|
||||||
|
akka.protobuf.ByteString b =
|
||||||
|
akka.protobuf.ByteString.copyFromUtf8(
|
||||||
|
(java.lang.String) ref);
|
||||||
|
seatType_ = b;
|
||||||
|
return b;
|
||||||
|
} else {
|
||||||
|
return (akka.protobuf.ByteString) ref;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
public Builder setSeatType(
|
||||||
|
java.lang.String value) {
|
||||||
|
if (value == null) {
|
||||||
|
throw new NullPointerException();
|
||||||
|
}
|
||||||
|
bitField0_ |= 0x00000004;
|
||||||
|
seatType_ = value;
|
||||||
|
onChanged();
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
public Builder clearSeatType() {
|
||||||
|
bitField0_ = (bitField0_ & ~0x00000004);
|
||||||
|
seatType_ = getDefaultInstance().getSeatType();
|
||||||
|
onChanged();
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* <code>optional string seatType = 3;</code>
|
||||||
|
*
|
||||||
|
* <pre>
|
||||||
|
* the new field
|
||||||
|
* </pre>
|
||||||
|
*/
|
||||||
|
public Builder setSeatTypeBytes(
|
||||||
|
akka.protobuf.ByteString value) {
|
||||||
|
if (value == null) {
|
||||||
|
throw new NullPointerException();
|
||||||
|
}
|
||||||
|
bitField0_ |= 0x00000004;
|
||||||
|
seatType_ = value;
|
||||||
|
onChanged();
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
|
||||||
|
// @@protoc_insertion_point(builder_scope:docs.persistence.SeatReserved)
|
||||||
|
}
|
||||||
|
|
||||||
|
static {
|
||||||
|
defaultInstance = new SeatReserved(true);
|
||||||
|
defaultInstance.initFields();
|
||||||
|
}
|
||||||
|
|
||||||
|
// @@protoc_insertion_point(class_scope:docs.persistence.SeatReserved)
|
||||||
|
}
|
||||||
|
|
||||||
|
private static akka.protobuf.Descriptors.Descriptor
|
||||||
|
internal_static_docs_persistence_SeatReserved_descriptor;
|
||||||
|
private static
|
||||||
|
akka.protobuf.GeneratedMessage.FieldAccessorTable
|
||||||
|
internal_static_docs_persistence_SeatReserved_fieldAccessorTable;
|
||||||
|
|
||||||
|
public static akka.protobuf.Descriptors.FileDescriptor
|
||||||
|
getDescriptor() {
|
||||||
|
return descriptor;
|
||||||
|
}
|
||||||
|
private static akka.protobuf.Descriptors.FileDescriptor
|
||||||
|
descriptor;
|
||||||
|
static {
|
||||||
|
java.lang.String[] descriptorData = {
|
||||||
|
"\n\025FlightAppModels.proto\022\020docs.persistenc" +
|
||||||
|
"e\"=\n\014SeatReserved\022\016\n\006letter\030\001 \002(\t\022\013\n\003row" +
|
||||||
|
"\030\002 \002(\r\022\020\n\010seatType\030\003 \001(\tB\032\n\026docs.persist" +
|
||||||
|
"ence.protoH\001"
|
||||||
|
};
|
||||||
|
akka.protobuf.Descriptors.FileDescriptor.InternalDescriptorAssigner assigner =
|
||||||
|
new akka.protobuf.Descriptors.FileDescriptor.InternalDescriptorAssigner() {
|
||||||
|
public akka.protobuf.ExtensionRegistry assignDescriptors(
|
||||||
|
akka.protobuf.Descriptors.FileDescriptor root) {
|
||||||
|
descriptor = root;
|
||||||
|
internal_static_docs_persistence_SeatReserved_descriptor =
|
||||||
|
getDescriptor().getMessageTypes().get(0);
|
||||||
|
internal_static_docs_persistence_SeatReserved_fieldAccessorTable = new
|
||||||
|
akka.protobuf.GeneratedMessage.FieldAccessorTable(
|
||||||
|
internal_static_docs_persistence_SeatReserved_descriptor,
|
||||||
|
new java.lang.String[] { "Letter", "Row", "SeatType", });
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
akka.protobuf.Descriptors.FileDescriptor
|
||||||
|
.internalBuildGeneratedFileFrom(descriptorData,
|
||||||
|
new akka.protobuf.Descriptors.FileDescriptor[] {
|
||||||
|
}, assigner);
|
||||||
|
}
|
||||||
|
|
||||||
|
// @@protoc_insertion_point(outer_class_scope)
|
||||||
|
}
|
||||||
16
akka-docs/src/main/protobuf/FlightAppModels.proto
Normal file
16
akka-docs/src/main/protobuf/FlightAppModels.proto
Normal file
|
|
@ -0,0 +1,16 @@
|
||||||
|
/**
|
||||||
|
* Copyright (C) 2014-2015 Typesafe Inc. <http://www.typesafe.com>
|
||||||
|
*/
|
||||||
|
package docs.persistence;
|
||||||
|
|
||||||
|
//#protobuf-read-optional-proto
|
||||||
|
// FlightAppModels.proto
|
||||||
|
option java_package = "docs.persistence.proto";
|
||||||
|
option optimize_for = SPEED;
|
||||||
|
|
||||||
|
message SeatReserved {
|
||||||
|
required string letter = 1;
|
||||||
|
required uint32 row = 2;
|
||||||
|
optional string seatType = 3; // the new field
|
||||||
|
}
|
||||||
|
//#protobuf-read-optional-proto
|
||||||
Loading…
Add table
Add a link
Reference in a new issue