SlideShare a Scribd company logo
1 of 102
Jarosław Ratajski
CSS Versicherung
DROP DATABASE
Jarek Ratajski
Developer, wizard, anarchitectDeveloper, wizard, anarchitect
Lives in LuzernLives in Luzern
Works in CSS InsuranceWorks in CSS Insurance
C64, 6502, 68000, 8086, C++, Java, JEE, Scala, Akka, JS,C64, 6502, 68000, 8086, C++, Java, JEE, Scala, Akka, JS,
ScalaJS....ScalaJS....
jratajski@gmail.comjratajski@gmail.com @jarek000000@jarek000000
Multiversum
MULTIVERSUMMULTIVERSUM
Real life case
Galakpizza
10 000 Planets 3 Variants
3 Sizes
HAWAII
MARGHERITTA
VEGETARIAN
MEDIUM
LARGE
XL
Domain summary
MARGHERITTA MEDIUM
HAWAII LARGE
HAWAII LARGE
VEGERARIAN LARGE
HAWAII XL
MARGHERITTA XL
HAWAII LARGE
HAWAII LARGE
HAWAII LARGE
HAWAII LARGE
33
33
11
11
Delivery model
10 000 Pizzas / s
I want to look at number
of queued orders 10000 times / s
My wife also!
Requirements
Alien development
(in 2 „parallel“ universes)
Normal universe Other universe
++
In Normal universe
https://github.com/airomem/galakpizza/tree/master/galakpizza_n
Normal domain
public class Order implements Serializable {
private static final long serialVersionUID = 1L;
public final long id;
public final String planet;
public final Variant variant;
public final Size size;
public Order(long id, String planet, Variant variant, Size size) {
this.id = id;
this.planet = planet;
this.size = size;
this.variant = variant;
}
}
Normal domain 2
public enum Size {
MEDIUM,
LARGE,
XL
}
public enum Variant {
HAWAII,
MARGHERITA,
VEGETARIAN
}
Normal Service
public interface GalakPizzaOrders {
long placeOrder(String planet, Variant variant, Size size);
}
Normal Service
public interface GalakPizzaOrders {
long placeOrder(String planet, Variant variant, Size size);
}
public interface GalakPizzaDelivery {
List<Order> takeOrdersFromBestPlanet();
long countStandingOrders();
}
Normal Service
public interface GalakPizzaOrders {
long placeOrder(String planet, Variant variant, Size size);
}
public interface GalakPizzaDelivery {
List<Order> takeOrdersFromBestPlanet();
long countStandingOrders();
}
public interface GalakPizzaService extends GalakPizzaDelivery,
GalakPizzaOrders{
}
Normal service implementation...
public class GalakPizzaCore implements GalakPizzaService, Serializable,
Storable<GalakPizzaCore> {
public long placeOrder(String planet, Variant variant, Size size) {
...
}
public List<Order> takeOrdersFromBestPlanet() {
...
}
public long countStandingOrders() {
...
}
}
Normal service implementation...
public class GalakPizzaCore implements GalakPizzaService, Serializable,
Storable<GalakPizzaCore> {
private finalprivate final Map<String, List<Order>>Map<String, List<Order>> ordersorders == newnew HashMap<>();HashMap<>();
public long placeOrder(String planet, Variant variant, Size size) {
...
}
public List<Order> takeOrdersFromBestPlanet() {
...
}
public long countStandingOrders() {
...
}
}
Normal service implementation...
public class GalakPizzaCore implements GalakPizzaService, Serializable,
Storable<GalakPizzaCore> {
private finalprivate final Map<String, PlanetOrders>Map<String, PlanetOrders> ordersorders == newnew HashMap<>();HashMap<>();
public long placeOrder(String planet, Variant variant, Size size) {
...
}
public List<Order> takeOrdersFromBestPlanet() {
...
}
public long countStandingOrders() {
...
}
}
PlanetOrders - helper
class PlanetOrders implements Serializable {
final String name;
private List<Order> orders = new ArrayList<>();
public PlanetOrders(String name) {
this.name = name;
}
...
}
PlanetOrders - helper
class PlanetOrders implements Serializable {
final String name;
private List<Order> orders = new ArrayList<>();
public PlanetOrders(String name) {
this.name = name;
}
void assignOrder(final Order order) {
this.orders.add(order);
}
...
}
PlanetOrders - helper
class PlanetOrders implements Serializable {
final String name;
private List<Order> orders = new ArrayList<>();
public PlanetOrders(String name) {
this.name = name;
}
void assignOrder(final Order order) {
this.orders.add(order);
}
public boolean isEmpty() {
return this.orders.isEmpty();
}
...
}
Normal place order
public class GalakPizzaCore implements GalakPizzaService, Serializable,
Storable<GalakPizzaCore> {
private final Map<String, PlanetOrders> orders = new HashMap<>();
private long orderSequence = 1;
public long placeOrder(String planet, Variant variant, Size size) {
final long id = orderSequence++;
final Order order = new Order(id, planet, variant, size);
assignOrderToPlanet(order);
return id;
}
Normal place order
public class GalakPizzaCore implements GalakPizzaService, Serializable,
Storable<GalakPizzaCore> {
private final Map<String, PlanetOrders> orders = new HashMap<>();
private long orderSequence = 1;
public long placeOrder(String planet, Variant variant, Size size) {
final long id = orderSequence++;
final Order order = new Order(id, planet, variant, size);
assignOrderToPlanet(order);
return id;
}
private void assignOrderToPlanet(Order order) {
final PlanetOrders po = orders.computeIfAbsent(order.planet,
planetName -> new PlanetOrders(planetName));
po.assignOrder(order);
...
Normal place order
public class GalakPizzaCore implements GalakPizzaService, Serializable,
Storable<GalakPizzaCore> {
private final Map<String, PlanetOrders> orders = new HashMap<>();
private long orderSequence = 1;
private AtomicLong ordersTotal = new AtomicLong(0);
public long placeOrder(String planet, Variant variant, Size size) {
final long id = orderSequence++;
final Order order = new Order(id, planet, variant, size);
assignOrderToPlanet(order);
ordersTotal.incrementAndGet();
return id;
}
private void assignOrderToPlanet(Order order) {
final PlanetOrders po = orders.computeIfAbsent(order.planet,
planetName -> new PlanetOrders(planetName));
po.assignOrder(order);
...
Normal place order revisited
public class GalakPizzaCore { ...
private final Map<String, PlanetOrders> orders = new HashMap<>();
private PriorityQueue<PlanetOrders> bestPlanets = new PriorityQueue<>(256);
private long orderSequence = 1;
private AtomicLong ordersTotal = new AtomicLong(0);
public long placeOrder(String planet, Variant variant, Size size) {
final long id = orderSequence++;
final Order order = new Order(id, planet, variant, size);
assignOrderToPlanet(order);
ordersTotal.incrementAndGet();
return id;
}
private void assignOrderToPlanet(Order order) {
final PlanetOrders po = orders.computeIfAbsent(order.planet,
planetName -> new PlanetOrders(planetName));
po.assignOrder(order);
this.bestPlanets.offer(po);
}
Normal place order revisited
public class GalakPizzaCore { ...
private final Map<String, PlanetOrders> orders = new HashMap<>();
private PriorityQueue<PlanetOrders> bestPlanets = new PriorityQueue<>(256);
private long orderSequence = 1;
private AtomicLong ordersTotal = new AtomicLong(0);
public long placeOrder(String planet, Variant variant, Size size) {
final long id = orderSequence++;
final Order order = new Order(id, planet, variant, size);
assignOrderToPlanet(order);
ordersTotal.incrementAndGet();
return id;
}
private void assignOrderToPlanet(Order order) {
final PlanetOrders po = orders.computeIfAbsent(order.planet,
planetName -> new PlanetOrders(planetName));
po.assignOrder(order);
this.bestPlanets.offer(po); BAD BAD BAD BAD
}
Normal place order revisited
public class GalakPizzaCore { ...
private final Map<String, PlanetOrders> orders = new HashMap<>();
private PriorityQueue<PlanetOrders.Wrapper> bestPlanets = new PriorityQueue<>(256);
private long orderSequence = 1;
private AtomicLong ordersTotal = new AtomicLong(0);
public long placeOrder(String planet, Variant variant, Size size) {
final long id = orderSequence++;
final Order order = new Order(id, planet, variant, size);
assignOrderToPlanet(order);
ordersTotal.incrementAndGet();
return id;
}
private void assignOrderToPlanet(Order order) {
final PlanetOrders po = orders.computeIfAbsent(order.planet,
planetName -> new PlanetOrders(planetName));
po.assignOrder(order);
this.bestPlanets.offer(new PlanetOrders.Wrapper(po));
}
Wrapper... yeah
public static class Wrapper implements Comparable<Wrapper>,Serializable{
final PlanetOrders porders;
final int size; //just keep it final
public Wrapper(PlanetOrders porders) {
this.porders = porders;
this.size = porders.orders.size();
}
@Override
public int compareTo(final Wrapper other) {
return other.size - this.size;
}
}
PlanetOrders – take orders
class PlanetOrders implements Serializable {
final String name;
private List<Order> orders = new ArrayList<>();
List<Order> takeOrders() {
final List<Order> result = this.orders;
this.orders = new ArrayList<>();
return result;
}
public boolean isEmpty() {
return this.orders.isEmpty();
}
}
PlanetOrders – take orders
class PlanetOrders implements Serializable {
final String name;
private List<Order> orders = new ArrayList<>();
List<Order> takeOrders() {
final List<Order> result = this.orders;
this.orders = new ArrayList<>(); //yes we MUTATE!
return result;
}
public boolean isEmpty() {
return this.orders.isEmpty();
}
}
Normal take orders
public class GalakPizzaCore implements GalakPizzaService, Serializable,
Storable<GalakPizzaCore> {
privateprivate PriorityQueue<PlanetOrders.Wrapper>PriorityQueue<PlanetOrders.Wrapper> bestPlanetsbestPlanets == newnew
PriorityQueue<>(PriorityQueue<>(256256););
private AtomicLong ordersTotal = new AtomicLong(0);
public List<Order> takeOrdersFromBestPlanet() {
final Optional<PlanetOrders> planetOpt = takeBestPlanet();
....
}
private Optional<PlanetOrders> takeBestPlanet() {
PlanetOrders.Wrapper planet = this.bestPlanets.poll();
while (planet != null && planet.porders.isEmpty()) {
planet = this.bestPlanets.poll();
}
return Optional.ofNullable(planet).map(p->p.porders);
}
Normal take orders
public class GalakPizzaCore implements GalakPizzaService, Serializable,
Storable<GalakPizzaCore> {
privateprivate PriorityQueue<PlanetOrders.Wrapper>PriorityQueue<PlanetOrders.Wrapper> bestPlanetsbestPlanets == newnew
PriorityQueue<>(PriorityQueue<>(256256););
private AtomicLong ordersTotal = new AtomicLong(0);
public List<Order> takeOrdersFromBestPlanet() {
final Optional<PlanetOrders> planetOpt = takeBestPlanet();
if (planetOpt.isPresent()) {
final PlanetOrders planet = planetOpt.get();
List<Order> orders = planet.takeOrders();
return orders;
}
return Collections.EMPTY_LIST;
}
private Optional<PlanetOrders> takeBestPlanet() {
PlanetOrders.Wrapper planet = this.bestPlanets.poll();
while (planet != null && planet.porders.isEmpty()) {
planet = this.bestPlanets.poll();
}
return Optional.ofNullable(planet).map(p->p.porders);
}
Normal take orders
public class GalakPizzaCore implements GalakPizzaService, Serializable,
Storable<GalakPizzaCore> {
privateprivate PriorityQueue<PlanetOrders.Wrapper>PriorityQueue<PlanetOrders.Wrapper> bestPlanetsbestPlanets == newnew
PriorityQueue<>(PriorityQueue<>(256256););
private AtomicLong ordersTotal = new AtomicLong(0);
public List<Order> takeOrdersFromBestPlanet() {
final Optional<PlanetOrders> planetOpt = takeBestPlanet();
if (planetOpt.isPresent()) {
final PlanetOrders planet = planetOpt.get();
List<Order> orders = planet.takeOrders();
ordersTotal.addAndGet(-orders.size());
return orders;
}
return Collections.EMPTY_LIST;
}
private Optional<PlanetOrders> takeBestPlanet() {
PlanetOrders.Wrapper planet = this.bestPlanets.poll();
while (planet != null && planet.porders.isEmpty()) {
planet = this.bestPlanets.poll();
}
return Optional.ofNullable(planet).map(p->p.porders);
}
Normal count orders
private AtomicLong ordersTotal = new AtomicLong(0);
public long countStandingOrders() {
return this.ordersTotal.get();
}
We have service - but do we deal with?
Concurrency
Persistence
Normal - Alien service wrapper
public class GalakPizza implements GalakPizzaService {
final PersistenceController<GalakPizzaCoreGalakPizzaCore,GalakPizzaCore> controller;
public GalakPizza() {
controller = PrevaylerBuilder.newBuilder()
.withinUserFolder("pizza")
.useSupplier( () -> new GalakPizzaCore())
.build();
}
public long placeOrder(final String planet, final Variant variant, final Size size) {
return controller.executeAndQuery( core -> core.placeOrder(planet,variant,size)core.placeOrder(planet,variant,size));
}
public List<Order> takeOrdersFromBestPlanet() {
return controller.executeAndQuery( core ->core.takeOrdersFromBestPlanet()core.takeOrdersFromBestPlanet());
}
public long countStandingOrders() {
return controller.query( c->c.countStandingOrders()c.countStandingOrders());
}
...
}
Done!
In alternative universe
https://github.com/airomem/galakpizza/tree/master/galakpizza_h
Other Domain
@Entity
@Table(name="T_ORDER")
@NamedQueries( {
@NamedQuery(name = "select best planet", query = "SELECT o.planet, count(o) FROM Order o " +
" GROUP BY o.planet ORDER BY count(o) desc"),
@NamedQuery(name = "select orders", query = "SELECT o FROM Order o WHERE o.planet = :planet"),
@NamedQuery(name = "count orders", query = "SELECT count(o) FROM Order o ")
})
public class Order {
@Id
@GeneratedValue(generator="increment")
@GenericGenerator(name="increment", strategy = "increment")
final long id;
public final String planet;
public final Variant variant;
public final Size size;
protected Order() {
this("this is strange...", null, null);
}
public Order(String planet, Variant variant, Size size) {
this.planet = planet;
this.variant = variant;
this.size = size;
id = 0;
}
public long getId() {
return id;
}
}
Other domain (same as above)
public enum Size {
MEDIUM,
LARGE,
XL
}
public enum Variant {
HAWAII,
MARGHERITA,
VEGETARIAN
}
It is in TABLE
so it exists
Other service (same)
public interface GalakPizzaOrders {
long placeOrder(String planet, Variant variant, Size size);
}
public interface GalakPizzaDelivery {
List<Order> takeOrdersFromBestPlanet();
long countStandingOrders();
}
public interface GalakPizzaService extends GalakPizzaDelivery,
GalakPizzaOrders{
}
Select best blanet...
SELECT o.planet, count(o) FROM Order o
GROUP BY o.planet ORDER BY count(o) desc
Other Planet (but almost same story)
@Entity
@Table(name="T_PLANET",
indexes = {@Index(name="cnt_idx", columnList = "count", unique = false)} )
@NamedQueries( {
@NamedQuery(name = "select best planet from table", query = "SELECT p FROM Planet p " +
" ORDER BY p.count desc")})
public class Planet {
@Id
public final String name;
private int count;
protected Planet() {
name = "default";
}
public Planet(String name) {
this.name = name;
}
public int getCount() {
return this.count;
}
public void increment() {
this.count++;
}
public void clear() {
this.count = 0;
}
}
Other service implementation
public class GalakPizza implements GalakPizzaService {
final SessionFactory sessionFactory;
public GalakPizza(SessionFactory sessionFactory) {
this.sessionFactory = sessionFactory;
}
public long placeOrder(String planet, Variant variant, Size size) {
...
}
public List<Order> takeOrdersFromBestPlanet() {
...
}
public long countStandingOrders() {
...
}
}
Other - Place order
public long placeOrder(String planet, Variant variant, Size size) {
return this.runInSession(session -> {
final Order orderEntity = new Order(planet, variant, size);
final Long key = (Long) session.save(orderEntity);
incrementPlanetCounter(planet, session);
return key;
});
}
private void incrementPlanetCounter(String planet, Session session) {
Planet planetEntity = session.get(Planet.class, planet);
if (planetEntity == null) {
planetEntity = new Planet(planet);
session.save(planetEntity);
}
planetEntity.increment();
}
private <T> T runOnSession(Function<Session, T> dbCommand) { ...}
Other - runInSession
private <T> T runInSession(Function<Session, T> dbCommand) {
final Session session = sessionFactory.openSession();
session.beginTransaction();
try {
final T result = dbCommand.apply(session);
session.getTransaction().commit();
session.close();
return result;
} catch (ConstraintViolationException cve) {
session.getTransaction().rollback();
session.close();
return runInSession(dbCommand);
} catch (Throwable t) {
t.printStackTrace();
throw new RuntimeException(t);
}
}
So easy
Other - Take orders
public List<Order> takeOrdersFromBestPlanet() {
return this.runInSession(session -> {
final Query bestPlanetQuery = session.getNamedQuery("SELECT p FROM Planet p " +
" ORDER BY p.count desc");
bestPlanetQuery.setMaxResults(1);
final Iterator<Planet> bestPlanetsIterator = bestPlanetQuery.iterate();
if (bestPlanetsIterator.hasNext()) {
final Planet bestOne = bestPlanetsIterator.next();
final Query ordersQuery = session.getNamedQuery("SELECT o FROM Order o WHERE
o.planet = :planet");
ordersQuery.setParameter("planet", bestOne.name);
final List<Order> orders = ordersQuery.list();
orders.forEach(o -> session.delete(o));
bestOne.clear();
return orders;
}
return Collections.EMPTY_LIST;
});
}
Other – count orders
@Override
public long countStandingOrders() {
return this.runInSession(session -> {
final Query ordersCount = session.getNamedQuery("count
orders");
final Long cnt = (Long) ordersCount.iterate().next();
return cnt;
});
}
Other - others
Hibernate config, init
MySql config
After one day of coding...
In a real galaxy
That we can simulate as
Customers - 4 Threads doing in loop placeOrder (random planet
name, variant and size) – no pauses
PizzBoy - 1 Thread doing in loop takeBestOrder – no pauses
Owners – 2 Threads doing in loop – countStandingOrders
Galaxy simulation
public static void main(String... args) {
runSimulation(5000);
System.gc();
sleep();
Result result = runSimulation(SECONDS_TOTAL*1000);
System.out.println("Orders processed:" + result.processed);
System.out.println("p/s:" + (double)result.processed/(double)
SECONDS_TOTAL);
System.out.println("Orders seen:" + result.seen);
System.out.println("o/s:" + (double)result.seen/(double)
SECONDS_TOTAL);
}
?
Normal universe Other universe
~40 000 p/s ~600 p/s
Processed orders
Normal universe Other universe
~ 12 823 500 p/s ~6362 p/s
Peeping speed
Normal universe Other universe
Normal universe Other universe
GODS of SQL
HELP! ME
Normal universe Other universe
~60 000 p/s ~1000 p/s
After few days of operations...
Normal universe Other universe
Cool, that it runs on
laptop
Reality strickes back
I do not trust PizzaBoy
I want to know where exactly were pizzas delivered
Normal universe Other universe
Cool, we will not delete
orders any more,
only mark them
as deleted!
Cool, we will add a list
that will be processed
during takeOrders,
or maybe
we will store data
in DB Table (as archive)
Reality strickes back
I do not trust PizzaBoy
I want to know where were pizzas delivered
Yesterday!!!
Normal universe Other universe
Crap...
We will restart system
and commands
will be reprocessed
Yet another real world case
System evolves
I want to let people compose their pizza/
Like: more cheese on one half,
and no meat on the next half,
And onion on the third half.
Normal universe Other universe
We will map it with only 20 tables
Or do we add TEXT field?
public Order(long id, String
planet, Supplier<Variant>
pizzaDescription, Size size) {
public Order(long id, String
planet, Variant variant, Size
size) {
We will use factory
Difference
+ Fast
+ Code in Java
+ „Strongly“ typed
+ Flexible
+ Testable
- Sophisticated java
- Terribly slow
- Code in Strings and
Annotations
- Stringly typed
- Limited domain
- Testing expensive
+ Easy java
Why different ?
Long time ago
Sweet spot known as 90's
Computers had mostly one CPU Core
Memory (RAM) was expensive but more as 100MB
available in single unit
Disks were slow but huge (like 2Gb-20Gb)
Time for JEE
Around galactic year 2003
Normal universe
RAM is so cheap and huge
Computers have multiple cores
Alien developers start to use full power of hardware with Java
No need to store data in databases anymore
Because RAM is so cheap and huge
Other universe
RAM is cheap and huge
Computers have multiple cores
But alien developers have never realised that
Other universe is a good place
Database vendors earn money and are happy
Application Servers vendors earn money and are happy
Power plants are happy
Hardware vendors are happy
Only business complains – but they still pay
Developers have a lot more work to do – they are happy..
Gfx By pressfoto / Freepik
DB / ORM vs Prevalence Problems
Problem Prevalent (Normal) ORMs (Other)
Detached objects Yes Yes
Transaction
isolation
Yes in JAVA
(concurrency)
Yes in DB
Testing Trivial Awful
Cache It is all cache Lots of configs...
Magic Contained Everywhere
Mapping All serializable goes Limited
If you want to jump to normal universe...
Simple start
Prevayler
or
Airomem (Prevayler wrapper for Java 8 )
or
Nothing :-)
Airomem quick - maven
<dependency>
<groupId>pl.setblack</groupId>
<artifactId>airomem-core</artifactId>
<version>1.0.5</version>
</dependency>
Airomem - init
PersistenceController<GalakPizzaCore,GalakPizzaCore> controller =
controller = PrevaylerBuilder
.newBuilder()
.withinUserFolder("pizza")
.useSupplier( () -> new GalakPizzaCore())
.build();
GalakPizzaCore is main/plain object - Root aggregate!
Must be Serializable! (how bad)
Airomem – commands
controller.executeAndQuery( core->core.placeOrder(planet, variant, size ));
----------------------
controller.executeAndQuery( new PlaceOrderCommand(planet,variant,size));
private static final class PlaceOrderCommand implements Command<GalakPizzaCore, Long>
{
private final String planet;
private final Variant variant;
private final Size size;
public PlaceOrderCommand(String planet, Variant variant, Size size){
this.planet = planet;
this.variant = variant;
this.size = size;
}
public Long execute(GalakPizzaCore system) {
return system.placeOrder(planet,variant, size);
}
}
Commands are never executed concurrently
Query
controller.query( c->c.countStandingOrders());
Queries are executed concurrently - also with
one command!
Airomem – snapshots, events
jarek@ubuntu:~$ cd prevayler/
jarek@ubuntu:~/prevayler$ ls
pizza
jarek@ubuntu:~/prevayler$ cd pizza/
jarek@ubuntu:~/prevayler/pizza$ ls -al
total 188
drwxrwxr-x 2 jarek jarek 4096 May 6 14:46 .
drwxrwxr-x 3 jarek jarek 4096 Apr 26 13:40 ..
-rw-rw-r-- 1 jarek jarek 675 Apr 26 14:17 0000000000000000001.journal
-rw-rw-r-- 1 jarek jarek 3375 Apr 26 14:18 0000000000000000002.journal
-rw-rw-r-- 1 jarek jarek 3369 May 5 10:51 0000000000000000007.journal
-rw-rw-r-- 1 jarek jarek 683 May 5 13:48 0000000000000000012.journal
-rw-rw-r-- 1 jarek jarek 2048 May 5 14:12 0000000000000000012.snapshot
-rw-rw-r-- 1 jarek jarek 497 May 5 14:12 0000000000000000013.journal
-rw-rw-r-- 1 jarek jarek 1849 May 5 14:15 0000000000000000013.snapshot
-rw-rw-r-- 1 jarek jarek 497 May 5 14:15 0000000000000000014.journal
-rw-rw-r-- 1 jarek jarek 1685 May 5 14:17 0000000000000000014.snapshot
-rw-rw-r-- 1 jarek jarek 8086 May 5 14:19 0000000000000000015.journal
-rw-rw-r-- 1 jarek jarek 1084 May 6 13:25 0000000000000000028.snapshot
-rw-rw-r-- 1 jarek jarek 57977 May 6 14:05 0000000000000000029.journal
-rw-rw-r-- 1 jarek jarek 1228 May 6 14:46 0000000000000000132.snapshot
-rw-rw-r-- 1 jarek jarek 59021 May 8 04:28 0000000000000000133.journal
Problems?
RAM?
Data migration
Not big deal in fact
Java Serialization (sth to learn)
readResolve, writeReplace
XML export option
Transaction
This is always transactional!!!
public Long execute(GalakPizzaCore system) {
return system.placeOrder(planet,variant, size);
}
Concurrency
Learn java.util.concurrent, synchronized or die!
Replication/ failover
Not in standard... but
Trivial to implement - send events to other machines, share
folder
Indices
Indices in memory do exists
CQEngine
Query<Car> query1 = or(endsWith(Car.NAME, "vic"),
lessThan(Car.CAR_ID, 2));
for (Car car : cars.retrieve(query1)) {
System.out.println(car);
}
Airomem summary
CQRS + ES simplified - one command one event→
With RAM projection
More enterprisy alternatives
Lagom!
Akka persistence
CQRS generally
Advice
Remember to add Thread.sleep(1000) often
Storing in Prevayler vs DB
model events vs model domain
store facts vs store state
Shared state is a cache vs shared state is a problem
Domain with little magic vs domain polluted
Clean architecture vs Maybe DDD can help...
End
Try on something small first (not bigger then one planet)
Drop DB from core of your system
Drop your application servers
Drop annotations
Drop magic
Learn Java and algorithms
Feel the power of RAM and CPU alltogether!

More Related Content

What's hot

The Ring programming language version 1.3 book - Part 85 of 88
The Ring programming language version 1.3 book - Part 85 of 88The Ring programming language version 1.3 book - Part 85 of 88
The Ring programming language version 1.3 book - Part 85 of 88Mahmoud Samir Fayed
 
The Ring programming language version 1.2 book - Part 80 of 84
The Ring programming language version 1.2 book - Part 80 of 84The Ring programming language version 1.2 book - Part 80 of 84
The Ring programming language version 1.2 book - Part 80 of 84Mahmoud Samir Fayed
 
The Ring programming language version 1.5.1 book - Part 12 of 180
The Ring programming language version 1.5.1 book - Part 12 of 180The Ring programming language version 1.5.1 book - Part 12 of 180
The Ring programming language version 1.5.1 book - Part 12 of 180Mahmoud Samir Fayed
 
The Ring programming language version 1.10 book - Part 81 of 212
The Ring programming language version 1.10 book - Part 81 of 212The Ring programming language version 1.10 book - Part 81 of 212
The Ring programming language version 1.10 book - Part 81 of 212Mahmoud Samir Fayed
 
JJUG CCC 2011 Spring
JJUG CCC 2011 SpringJJUG CCC 2011 Spring
JJUG CCC 2011 SpringKiyotaka Oku
 
The Ring programming language version 1.9 book - Part 48 of 210
The Ring programming language version 1.9 book - Part 48 of 210The Ring programming language version 1.9 book - Part 48 of 210
The Ring programming language version 1.9 book - Part 48 of 210Mahmoud Samir Fayed
 
The Ring programming language version 1.10 book - Part 46 of 212
The Ring programming language version 1.10 book - Part 46 of 212The Ring programming language version 1.10 book - Part 46 of 212
The Ring programming language version 1.10 book - Part 46 of 212Mahmoud Samir Fayed
 
MongoDB Chicago - MapReduce, Geospatial, & Other Cool Features
MongoDB Chicago - MapReduce, Geospatial, & Other Cool FeaturesMongoDB Chicago - MapReduce, Geospatial, & Other Cool Features
MongoDB Chicago - MapReduce, Geospatial, & Other Cool Featuresajhannan
 
Codepot - Pig i Hive: szybkie wprowadzenie / Pig and Hive crash course
Codepot - Pig i Hive: szybkie wprowadzenie / Pig and Hive crash courseCodepot - Pig i Hive: szybkie wprowadzenie / Pig and Hive crash course
Codepot - Pig i Hive: szybkie wprowadzenie / Pig and Hive crash courseSages
 
Java: Nie popełniaj tych błędów!
Java: Nie popełniaj tych błędów!Java: Nie popełniaj tych błędów!
Java: Nie popełniaj tych błędów!Daniel Pokusa
 
John Melesky - Federating Queries Using Postgres FDW @ Postgres Open
John Melesky - Federating Queries Using Postgres FDW @ Postgres OpenJohn Melesky - Federating Queries Using Postgres FDW @ Postgres Open
John Melesky - Federating Queries Using Postgres FDW @ Postgres OpenPostgresOpen
 
The Ring programming language version 1.5.2 book - Part 11 of 181
The Ring programming language version 1.5.2 book - Part 11 of 181The Ring programming language version 1.5.2 book - Part 11 of 181
The Ring programming language version 1.5.2 book - Part 11 of 181Mahmoud Samir Fayed
 
The Ring programming language version 1.10 book - Part 22 of 212
The Ring programming language version 1.10 book - Part 22 of 212The Ring programming language version 1.10 book - Part 22 of 212
The Ring programming language version 1.10 book - Part 22 of 212Mahmoud Samir Fayed
 
Wprowadzenie do technologi Big Data i Apache Hadoop
Wprowadzenie do technologi Big Data i Apache HadoopWprowadzenie do technologi Big Data i Apache Hadoop
Wprowadzenie do technologi Big Data i Apache HadoopSages
 
The Ring programming language version 1.7 book - Part 73 of 196
The Ring programming language version 1.7 book - Part 73 of 196The Ring programming language version 1.7 book - Part 73 of 196
The Ring programming language version 1.7 book - Part 73 of 196Mahmoud Samir Fayed
 
The Ring programming language version 1.9 book - Part 90 of 210
The Ring programming language version 1.9 book - Part 90 of 210The Ring programming language version 1.9 book - Part 90 of 210
The Ring programming language version 1.9 book - Part 90 of 210Mahmoud Samir Fayed
 
10b. Graph Databases Lab
10b. Graph Databases Lab10b. Graph Databases Lab
10b. Graph Databases LabFabio Fumarola
 

What's hot (19)

The Ring programming language version 1.3 book - Part 85 of 88
The Ring programming language version 1.3 book - Part 85 of 88The Ring programming language version 1.3 book - Part 85 of 88
The Ring programming language version 1.3 book - Part 85 of 88
 
WOTC_Import
WOTC_ImportWOTC_Import
WOTC_Import
 
The Ring programming language version 1.2 book - Part 80 of 84
The Ring programming language version 1.2 book - Part 80 of 84The Ring programming language version 1.2 book - Part 80 of 84
The Ring programming language version 1.2 book - Part 80 of 84
 
The Ring programming language version 1.5.1 book - Part 12 of 180
The Ring programming language version 1.5.1 book - Part 12 of 180The Ring programming language version 1.5.1 book - Part 12 of 180
The Ring programming language version 1.5.1 book - Part 12 of 180
 
The Ring programming language version 1.10 book - Part 81 of 212
The Ring programming language version 1.10 book - Part 81 of 212The Ring programming language version 1.10 book - Part 81 of 212
The Ring programming language version 1.10 book - Part 81 of 212
 
JJUG CCC 2011 Spring
JJUG CCC 2011 SpringJJUG CCC 2011 Spring
JJUG CCC 2011 Spring
 
The Ring programming language version 1.9 book - Part 48 of 210
The Ring programming language version 1.9 book - Part 48 of 210The Ring programming language version 1.9 book - Part 48 of 210
The Ring programming language version 1.9 book - Part 48 of 210
 
The Ring programming language version 1.10 book - Part 46 of 212
The Ring programming language version 1.10 book - Part 46 of 212The Ring programming language version 1.10 book - Part 46 of 212
The Ring programming language version 1.10 book - Part 46 of 212
 
MongoDB Chicago - MapReduce, Geospatial, & Other Cool Features
MongoDB Chicago - MapReduce, Geospatial, & Other Cool FeaturesMongoDB Chicago - MapReduce, Geospatial, & Other Cool Features
MongoDB Chicago - MapReduce, Geospatial, & Other Cool Features
 
Codepot - Pig i Hive: szybkie wprowadzenie / Pig and Hive crash course
Codepot - Pig i Hive: szybkie wprowadzenie / Pig and Hive crash courseCodepot - Pig i Hive: szybkie wprowadzenie / Pig and Hive crash course
Codepot - Pig i Hive: szybkie wprowadzenie / Pig and Hive crash course
 
Java: Nie popełniaj tych błędów!
Java: Nie popełniaj tych błędów!Java: Nie popełniaj tych błędów!
Java: Nie popełniaj tych błędów!
 
John Melesky - Federating Queries Using Postgres FDW @ Postgres Open
John Melesky - Federating Queries Using Postgres FDW @ Postgres OpenJohn Melesky - Federating Queries Using Postgres FDW @ Postgres Open
John Melesky - Federating Queries Using Postgres FDW @ Postgres Open
 
Full Text Search in PostgreSQL
Full Text Search in PostgreSQLFull Text Search in PostgreSQL
Full Text Search in PostgreSQL
 
The Ring programming language version 1.5.2 book - Part 11 of 181
The Ring programming language version 1.5.2 book - Part 11 of 181The Ring programming language version 1.5.2 book - Part 11 of 181
The Ring programming language version 1.5.2 book - Part 11 of 181
 
The Ring programming language version 1.10 book - Part 22 of 212
The Ring programming language version 1.10 book - Part 22 of 212The Ring programming language version 1.10 book - Part 22 of 212
The Ring programming language version 1.10 book - Part 22 of 212
 
Wprowadzenie do technologi Big Data i Apache Hadoop
Wprowadzenie do technologi Big Data i Apache HadoopWprowadzenie do technologi Big Data i Apache Hadoop
Wprowadzenie do technologi Big Data i Apache Hadoop
 
The Ring programming language version 1.7 book - Part 73 of 196
The Ring programming language version 1.7 book - Part 73 of 196The Ring programming language version 1.7 book - Part 73 of 196
The Ring programming language version 1.7 book - Part 73 of 196
 
The Ring programming language version 1.9 book - Part 90 of 210
The Ring programming language version 1.9 book - Part 90 of 210The Ring programming language version 1.9 book - Part 90 of 210
The Ring programming language version 1.9 book - Part 90 of 210
 
10b. Graph Databases Lab
10b. Graph Databases Lab10b. Graph Databases Lab
10b. Graph Databases Lab
 

Viewers also liked

Viewers also liked (6)

How Atlassian's Build Engineering Team Has Scaled to 150k Builds Per Month an...
How Atlassian's Build Engineering Team Has Scaled to 150k Builds Per Month an...How Atlassian's Build Engineering Team Has Scaled to 150k Builds Per Month an...
How Atlassian's Build Engineering Team Has Scaled to 150k Builds Per Month an...
 
Evaluación periódica unificada (1)
Evaluación periódica unificada (1)Evaluación periódica unificada (1)
Evaluación periódica unificada (1)
 
Strategic reading
Strategic reading Strategic reading
Strategic reading
 
Presentacion feminicidio.
Presentacion feminicidio.Presentacion feminicidio.
Presentacion feminicidio.
 
Actividad 1
Actividad 1Actividad 1
Actividad 1
 
CV_WCR
CV_WCRCV_WCR
CV_WCR
 

Similar to Jdd 2016 DROP DATABASE

Rule Your Geometry with the Terraformer Toolkit
Rule Your Geometry with the Terraformer ToolkitRule Your Geometry with the Terraformer Toolkit
Rule Your Geometry with the Terraformer ToolkitAaron Parecki
 
Demoiselle Spatial Latinoware 2011
Demoiselle Spatial Latinoware 2011Demoiselle Spatial Latinoware 2011
Demoiselle Spatial Latinoware 2011Rafael Soto
 
Code level change propagation in virtual platform
Code level change propagation in virtual platformCode level change propagation in virtual platform
Code level change propagation in virtual platformHaiderAli650468
 
2017 02-07 - elastic & spark. building a search geo locator
2017 02-07 - elastic & spark. building a search geo locator2017 02-07 - elastic & spark. building a search geo locator
2017 02-07 - elastic & spark. building a search geo locatorAlberto Paro
 
2017 02-07 - elastic & spark. building a search geo locator
2017 02-07 - elastic & spark. building a search geo locator2017 02-07 - elastic & spark. building a search geo locator
2017 02-07 - elastic & spark. building a search geo locatorAlberto Paro
 
Scala @ TechMeetup Edinburgh
Scala @ TechMeetup EdinburghScala @ TechMeetup Edinburgh
Scala @ TechMeetup EdinburghStuart Roebuck
 
Geospatial Enhancements in MongoDB 2.4
Geospatial Enhancements in MongoDB 2.4Geospatial Enhancements in MongoDB 2.4
Geospatial Enhancements in MongoDB 2.4MongoDB
 
Andriy Slobodyanyk "How to Use Hibernate: Key Problems and Solutions"
Andriy Slobodyanyk "How to Use Hibernate: Key Problems and Solutions"Andriy Slobodyanyk "How to Use Hibernate: Key Problems and Solutions"
Andriy Slobodyanyk "How to Use Hibernate: Key Problems and Solutions"LogeekNightUkraine
 
Creating an Uber Clone - Part XVIII - Transcript.pdf
Creating an Uber Clone - Part XVIII - Transcript.pdfCreating an Uber Clone - Part XVIII - Transcript.pdf
Creating an Uber Clone - Part XVIII - Transcript.pdfShaiAlmog1
 
Android Architecure Components - introduction
Android Architecure Components - introductionAndroid Architecure Components - introduction
Android Architecure Components - introductionPaulina Szklarska
 
Google Guava for cleaner code
Google Guava for cleaner codeGoogle Guava for cleaner code
Google Guava for cleaner codeMite Mitreski
 
Apache Wicket and Java EE sitting in a tree
Apache Wicket and Java EE sitting in a treeApache Wicket and Java EE sitting in a tree
Apache Wicket and Java EE sitting in a treeMartijn Dashorst
 
드로이드 나이츠 2018: RxJava 적용 팁 및 트러블 슈팅
드로이드 나이츠 2018: RxJava 적용 팁 및 트러블 슈팅드로이드 나이츠 2018: RxJava 적용 팁 및 트러블 슈팅
드로이드 나이츠 2018: RxJava 적용 팁 및 트러블 슈팅재춘 노
 
How to Clone Flappy Bird in Swift
How to Clone Flappy Bird in SwiftHow to Clone Flappy Bird in Swift
How to Clone Flappy Bird in SwiftGiordano Scalzo
 

Similar to Jdd 2016 DROP DATABASE (20)

DROPDB Galactic story
DROPDB Galactic storyDROPDB Galactic story
DROPDB Galactic story
 
Rule Your Geometry with the Terraformer Toolkit
Rule Your Geometry with the Terraformer ToolkitRule Your Geometry with the Terraformer Toolkit
Rule Your Geometry with the Terraformer Toolkit
 
Realm to Json & Royal
Realm to Json & RoyalRealm to Json & Royal
Realm to Json & Royal
 
Demoiselle Spatial Latinoware 2011
Demoiselle Spatial Latinoware 2011Demoiselle Spatial Latinoware 2011
Demoiselle Spatial Latinoware 2011
 
Code level change propagation in virtual platform
Code level change propagation in virtual platformCode level change propagation in virtual platform
Code level change propagation in virtual platform
 
2017 02-07 - elastic & spark. building a search geo locator
2017 02-07 - elastic & spark. building a search geo locator2017 02-07 - elastic & spark. building a search geo locator
2017 02-07 - elastic & spark. building a search geo locator
 
2017 02-07 - elastic & spark. building a search geo locator
2017 02-07 - elastic & spark. building a search geo locator2017 02-07 - elastic & spark. building a search geo locator
2017 02-07 - elastic & spark. building a search geo locator
 
Hw09 Hadoop + Clojure
Hw09   Hadoop + ClojureHw09   Hadoop + Clojure
Hw09 Hadoop + Clojure
 
Scala @ TechMeetup Edinburgh
Scala @ TechMeetup EdinburghScala @ TechMeetup Edinburgh
Scala @ TechMeetup Edinburgh
 
Hadoop + Clojure
Hadoop + ClojureHadoop + Clojure
Hadoop + Clojure
 
Hadoop
HadoopHadoop
Hadoop
 
Geospatial Enhancements in MongoDB 2.4
Geospatial Enhancements in MongoDB 2.4Geospatial Enhancements in MongoDB 2.4
Geospatial Enhancements in MongoDB 2.4
 
Andriy Slobodyanyk "How to Use Hibernate: Key Problems and Solutions"
Andriy Slobodyanyk "How to Use Hibernate: Key Problems and Solutions"Andriy Slobodyanyk "How to Use Hibernate: Key Problems and Solutions"
Andriy Slobodyanyk "How to Use Hibernate: Key Problems and Solutions"
 
Creating an Uber Clone - Part XVIII - Transcript.pdf
Creating an Uber Clone - Part XVIII - Transcript.pdfCreating an Uber Clone - Part XVIII - Transcript.pdf
Creating an Uber Clone - Part XVIII - Transcript.pdf
 
Android Architecure Components - introduction
Android Architecure Components - introductionAndroid Architecure Components - introduction
Android Architecure Components - introduction
 
Google Guava for cleaner code
Google Guava for cleaner codeGoogle Guava for cleaner code
Google Guava for cleaner code
 
Spark_Documentation_Template1
Spark_Documentation_Template1Spark_Documentation_Template1
Spark_Documentation_Template1
 
Apache Wicket and Java EE sitting in a tree
Apache Wicket and Java EE sitting in a treeApache Wicket and Java EE sitting in a tree
Apache Wicket and Java EE sitting in a tree
 
드로이드 나이츠 2018: RxJava 적용 팁 및 트러블 슈팅
드로이드 나이츠 2018: RxJava 적용 팁 및 트러블 슈팅드로이드 나이츠 2018: RxJava 적용 팁 및 트러블 슈팅
드로이드 나이츠 2018: RxJava 적용 팁 및 트러블 슈팅
 
How to Clone Flappy Bird in Swift
How to Clone Flappy Bird in SwiftHow to Clone Flappy Bird in Swift
How to Clone Flappy Bird in Swift
 

More from Jarek Ratajski

Pure Kotlin Devoxx PL 2021
Pure Kotlin Devoxx PL 2021Pure Kotlin Devoxx PL 2021
Pure Kotlin Devoxx PL 2021Jarek Ratajski
 
Transaction is a monad
Transaction is a  monadTransaction is a  monad
Transaction is a monadJarek Ratajski
 
Spring, CDI, Jakarta EE good parts
Spring, CDI, Jakarta EE good partsSpring, CDI, Jakarta EE good parts
Spring, CDI, Jakarta EE good partsJarek Ratajski
 
Eta lang Beauty And The Beast
Eta lang Beauty And The Beast Eta lang Beauty And The Beast
Eta lang Beauty And The Beast Jarek Ratajski
 
Another programming language - jeszcze jeden język
Another programming language - jeszcze jeden językAnother programming language - jeszcze jeden język
Another programming language - jeszcze jeden językJarek Ratajski
 
Beauty and the beast - Haskell on JVM
Beauty and the beast  - Haskell on JVMBeauty and the beast  - Haskell on JVM
Beauty and the beast - Haskell on JVMJarek Ratajski
 
Fighting null with memes
Fighting null with memesFighting null with memes
Fighting null with memesJarek Ratajski
 
Geecon walking in CODE
Geecon walking in CODEGeecon walking in CODE
Geecon walking in CODEJarek Ratajski
 
Scalaworld lambda core hardcore
Scalaworld lambda core hardcoreScalaworld lambda core hardcore
Scalaworld lambda core hardcoreJarek Ratajski
 

More from Jarek Ratajski (16)

respect-estimates.pdf
respect-estimates.pdfrespect-estimates.pdf
respect-estimates.pdf
 
Pure Kotlin Devoxx PL 2021
Pure Kotlin Devoxx PL 2021Pure Kotlin Devoxx PL 2021
Pure Kotlin Devoxx PL 2021
 
Lambda hardcore
Lambda hardcoreLambda hardcore
Lambda hardcore
 
Pure kotlin
Pure kotlinPure kotlin
Pure kotlin
 
Transaction is a monad
Transaction is a  monadTransaction is a  monad
Transaction is a monad
 
Scala to assembly
Scala to assemblyScala to assembly
Scala to assembly
 
Spring, CDI, Jakarta EE good parts
Spring, CDI, Jakarta EE good partsSpring, CDI, Jakarta EE good parts
Spring, CDI, Jakarta EE good parts
 
Eta lang Beauty And The Beast
Eta lang Beauty And The Beast Eta lang Beauty And The Beast
Eta lang Beauty And The Beast
 
Another programming language - jeszcze jeden język
Another programming language - jeszcze jeden językAnother programming language - jeszcze jeden język
Another programming language - jeszcze jeden język
 
Beauty and the beast - Haskell on JVM
Beauty and the beast  - Haskell on JVMBeauty and the beast  - Haskell on JVM
Beauty and the beast - Haskell on JVM
 
Fighting null with memes
Fighting null with memesFighting null with memes
Fighting null with memes
 
Eta
EtaEta
Eta
 
Geecon walking in CODE
Geecon walking in CODEGeecon walking in CODE
Geecon walking in CODE
 
Scalaworld lambda core hardcore
Scalaworld lambda core hardcoreScalaworld lambda core hardcore
Scalaworld lambda core hardcore
 
Lambda core
Lambda coreLambda core
Lambda core
 
[4 dev] lagom
[4 dev] lagom[4 dev] lagom
[4 dev] lagom
 

Recently uploaded

英国UN学位证,北安普顿大学毕业证书1:1制作
英国UN学位证,北安普顿大学毕业证书1:1制作英国UN学位证,北安普顿大学毕业证书1:1制作
英国UN学位证,北安普顿大学毕业证书1:1制作qr0udbr0
 
Odoo 14 - eLearning Module In Odoo 14 Enterprise
Odoo 14 - eLearning Module In Odoo 14 EnterpriseOdoo 14 - eLearning Module In Odoo 14 Enterprise
Odoo 14 - eLearning Module In Odoo 14 Enterprisepreethippts
 
CRM Contender Series: HubSpot vs. Salesforce
CRM Contender Series: HubSpot vs. SalesforceCRM Contender Series: HubSpot vs. Salesforce
CRM Contender Series: HubSpot vs. SalesforceBrainSell Technologies
 
MYjobs Presentation Django-based project
MYjobs Presentation Django-based projectMYjobs Presentation Django-based project
MYjobs Presentation Django-based projectAnoyGreter
 
Unveiling the Future: Sylius 2.0 New Features
Unveiling the Future: Sylius 2.0 New FeaturesUnveiling the Future: Sylius 2.0 New Features
Unveiling the Future: Sylius 2.0 New FeaturesŁukasz Chruściel
 
Innovate and Collaborate- Harnessing the Power of Open Source Software.pdf
Innovate and Collaborate- Harnessing the Power of Open Source Software.pdfInnovate and Collaborate- Harnessing the Power of Open Source Software.pdf
Innovate and Collaborate- Harnessing the Power of Open Source Software.pdfYashikaSharma391629
 
SensoDat: Simulation-based Sensor Dataset of Self-driving Cars
SensoDat: Simulation-based Sensor Dataset of Self-driving CarsSensoDat: Simulation-based Sensor Dataset of Self-driving Cars
SensoDat: Simulation-based Sensor Dataset of Self-driving CarsChristian Birchler
 
How to submit a standout Adobe Champion Application
How to submit a standout Adobe Champion ApplicationHow to submit a standout Adobe Champion Application
How to submit a standout Adobe Champion ApplicationBradBedford3
 
Balasore Best It Company|| Top 10 IT Company || Balasore Software company Odisha
Balasore Best It Company|| Top 10 IT Company || Balasore Software company OdishaBalasore Best It Company|| Top 10 IT Company || Balasore Software company Odisha
Balasore Best It Company|| Top 10 IT Company || Balasore Software company Odishasmiwainfosol
 
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...Matt Ray
 
Intelligent Home Wi-Fi Solutions | ThinkPalm
Intelligent Home Wi-Fi Solutions | ThinkPalmIntelligent Home Wi-Fi Solutions | ThinkPalm
Intelligent Home Wi-Fi Solutions | ThinkPalmSujith Sukumaran
 
React Server Component in Next.js by Hanief Utama
React Server Component in Next.js by Hanief UtamaReact Server Component in Next.js by Hanief Utama
React Server Component in Next.js by Hanief UtamaHanief Utama
 
Powering Real-Time Decisions with Continuous Data Streams
Powering Real-Time Decisions with Continuous Data StreamsPowering Real-Time Decisions with Continuous Data Streams
Powering Real-Time Decisions with Continuous Data StreamsSafe Software
 
Post Quantum Cryptography – The Impact on Identity
Post Quantum Cryptography – The Impact on IdentityPost Quantum Cryptography – The Impact on Identity
Post Quantum Cryptography – The Impact on Identityteam-WIBU
 
20240415 [Container Plumbing Days] Usernetes Gen2 - Kubernetes in Rootless Do...
20240415 [Container Plumbing Days] Usernetes Gen2 - Kubernetes in Rootless Do...20240415 [Container Plumbing Days] Usernetes Gen2 - Kubernetes in Rootless Do...
20240415 [Container Plumbing Days] Usernetes Gen2 - Kubernetes in Rootless Do...Akihiro Suda
 
Implementing Zero Trust strategy with Azure
Implementing Zero Trust strategy with AzureImplementing Zero Trust strategy with Azure
Implementing Zero Trust strategy with AzureDinusha Kumarasiri
 
Dealing with Cultural Dispersion — Stefano Lambiase — ICSE-SEIS 2024
Dealing with Cultural Dispersion — Stefano Lambiase — ICSE-SEIS 2024Dealing with Cultural Dispersion — Stefano Lambiase — ICSE-SEIS 2024
Dealing with Cultural Dispersion — Stefano Lambiase — ICSE-SEIS 2024StefanoLambiase
 
Introduction Computer Science - Software Design.pdf
Introduction Computer Science - Software Design.pdfIntroduction Computer Science - Software Design.pdf
Introduction Computer Science - Software Design.pdfFerryKemperman
 
How To Manage Restaurant Staff -BTRESTRO
How To Manage Restaurant Staff -BTRESTROHow To Manage Restaurant Staff -BTRESTRO
How To Manage Restaurant Staff -BTRESTROmotivationalword821
 
A healthy diet for your Java application Devoxx France.pdf
A healthy diet for your Java application Devoxx France.pdfA healthy diet for your Java application Devoxx France.pdf
A healthy diet for your Java application Devoxx France.pdfMarharyta Nedzelska
 

Recently uploaded (20)

英国UN学位证,北安普顿大学毕业证书1:1制作
英国UN学位证,北安普顿大学毕业证书1:1制作英国UN学位证,北安普顿大学毕业证书1:1制作
英国UN学位证,北安普顿大学毕业证书1:1制作
 
Odoo 14 - eLearning Module In Odoo 14 Enterprise
Odoo 14 - eLearning Module In Odoo 14 EnterpriseOdoo 14 - eLearning Module In Odoo 14 Enterprise
Odoo 14 - eLearning Module In Odoo 14 Enterprise
 
CRM Contender Series: HubSpot vs. Salesforce
CRM Contender Series: HubSpot vs. SalesforceCRM Contender Series: HubSpot vs. Salesforce
CRM Contender Series: HubSpot vs. Salesforce
 
MYjobs Presentation Django-based project
MYjobs Presentation Django-based projectMYjobs Presentation Django-based project
MYjobs Presentation Django-based project
 
Unveiling the Future: Sylius 2.0 New Features
Unveiling the Future: Sylius 2.0 New FeaturesUnveiling the Future: Sylius 2.0 New Features
Unveiling the Future: Sylius 2.0 New Features
 
Innovate and Collaborate- Harnessing the Power of Open Source Software.pdf
Innovate and Collaborate- Harnessing the Power of Open Source Software.pdfInnovate and Collaborate- Harnessing the Power of Open Source Software.pdf
Innovate and Collaborate- Harnessing the Power of Open Source Software.pdf
 
SensoDat: Simulation-based Sensor Dataset of Self-driving Cars
SensoDat: Simulation-based Sensor Dataset of Self-driving CarsSensoDat: Simulation-based Sensor Dataset of Self-driving Cars
SensoDat: Simulation-based Sensor Dataset of Self-driving Cars
 
How to submit a standout Adobe Champion Application
How to submit a standout Adobe Champion ApplicationHow to submit a standout Adobe Champion Application
How to submit a standout Adobe Champion Application
 
Balasore Best It Company|| Top 10 IT Company || Balasore Software company Odisha
Balasore Best It Company|| Top 10 IT Company || Balasore Software company OdishaBalasore Best It Company|| Top 10 IT Company || Balasore Software company Odisha
Balasore Best It Company|| Top 10 IT Company || Balasore Software company Odisha
 
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
 
Intelligent Home Wi-Fi Solutions | ThinkPalm
Intelligent Home Wi-Fi Solutions | ThinkPalmIntelligent Home Wi-Fi Solutions | ThinkPalm
Intelligent Home Wi-Fi Solutions | ThinkPalm
 
React Server Component in Next.js by Hanief Utama
React Server Component in Next.js by Hanief UtamaReact Server Component in Next.js by Hanief Utama
React Server Component in Next.js by Hanief Utama
 
Powering Real-Time Decisions with Continuous Data Streams
Powering Real-Time Decisions with Continuous Data StreamsPowering Real-Time Decisions with Continuous Data Streams
Powering Real-Time Decisions with Continuous Data Streams
 
Post Quantum Cryptography – The Impact on Identity
Post Quantum Cryptography – The Impact on IdentityPost Quantum Cryptography – The Impact on Identity
Post Quantum Cryptography – The Impact on Identity
 
20240415 [Container Plumbing Days] Usernetes Gen2 - Kubernetes in Rootless Do...
20240415 [Container Plumbing Days] Usernetes Gen2 - Kubernetes in Rootless Do...20240415 [Container Plumbing Days] Usernetes Gen2 - Kubernetes in Rootless Do...
20240415 [Container Plumbing Days] Usernetes Gen2 - Kubernetes in Rootless Do...
 
Implementing Zero Trust strategy with Azure
Implementing Zero Trust strategy with AzureImplementing Zero Trust strategy with Azure
Implementing Zero Trust strategy with Azure
 
Dealing with Cultural Dispersion — Stefano Lambiase — ICSE-SEIS 2024
Dealing with Cultural Dispersion — Stefano Lambiase — ICSE-SEIS 2024Dealing with Cultural Dispersion — Stefano Lambiase — ICSE-SEIS 2024
Dealing with Cultural Dispersion — Stefano Lambiase — ICSE-SEIS 2024
 
Introduction Computer Science - Software Design.pdf
Introduction Computer Science - Software Design.pdfIntroduction Computer Science - Software Design.pdf
Introduction Computer Science - Software Design.pdf
 
How To Manage Restaurant Staff -BTRESTRO
How To Manage Restaurant Staff -BTRESTROHow To Manage Restaurant Staff -BTRESTRO
How To Manage Restaurant Staff -BTRESTRO
 
A healthy diet for your Java application Devoxx France.pdf
A healthy diet for your Java application Devoxx France.pdfA healthy diet for your Java application Devoxx France.pdf
A healthy diet for your Java application Devoxx France.pdf
 

Jdd 2016 DROP DATABASE

  • 2. Jarek Ratajski Developer, wizard, anarchitectDeveloper, wizard, anarchitect Lives in LuzernLives in Luzern Works in CSS InsuranceWorks in CSS Insurance C64, 6502, 68000, 8086, C++, Java, JEE, Scala, Akka, JS,C64, 6502, 68000, 8086, C++, Java, JEE, Scala, Akka, JS, ScalaJS....ScalaJS.... jratajski@gmail.comjratajski@gmail.com @jarek000000@jarek000000
  • 7. 10 000 Planets 3 Variants 3 Sizes HAWAII MARGHERITTA VEGETARIAN MEDIUM LARGE XL Domain summary
  • 8. MARGHERITTA MEDIUM HAWAII LARGE HAWAII LARGE VEGERARIAN LARGE HAWAII XL MARGHERITTA XL HAWAII LARGE HAWAII LARGE HAWAII LARGE HAWAII LARGE 33 33 11 11 Delivery model
  • 9. 10 000 Pizzas / s I want to look at number of queued orders 10000 times / s My wife also! Requirements
  • 10. Alien development (in 2 „parallel“ universes)
  • 11. Normal universe Other universe ++
  • 13. Normal domain public class Order implements Serializable { private static final long serialVersionUID = 1L; public final long id; public final String planet; public final Variant variant; public final Size size; public Order(long id, String planet, Variant variant, Size size) { this.id = id; this.planet = planet; this.size = size; this.variant = variant; } }
  • 14. Normal domain 2 public enum Size { MEDIUM, LARGE, XL } public enum Variant { HAWAII, MARGHERITA, VEGETARIAN }
  • 15. Normal Service public interface GalakPizzaOrders { long placeOrder(String planet, Variant variant, Size size); }
  • 16. Normal Service public interface GalakPizzaOrders { long placeOrder(String planet, Variant variant, Size size); } public interface GalakPizzaDelivery { List<Order> takeOrdersFromBestPlanet(); long countStandingOrders(); }
  • 17. Normal Service public interface GalakPizzaOrders { long placeOrder(String planet, Variant variant, Size size); } public interface GalakPizzaDelivery { List<Order> takeOrdersFromBestPlanet(); long countStandingOrders(); } public interface GalakPizzaService extends GalakPizzaDelivery, GalakPizzaOrders{ }
  • 18. Normal service implementation... public class GalakPizzaCore implements GalakPizzaService, Serializable, Storable<GalakPizzaCore> { public long placeOrder(String planet, Variant variant, Size size) { ... } public List<Order> takeOrdersFromBestPlanet() { ... } public long countStandingOrders() { ... } }
  • 19. Normal service implementation... public class GalakPizzaCore implements GalakPizzaService, Serializable, Storable<GalakPizzaCore> { private finalprivate final Map<String, List<Order>>Map<String, List<Order>> ordersorders == newnew HashMap<>();HashMap<>(); public long placeOrder(String planet, Variant variant, Size size) { ... } public List<Order> takeOrdersFromBestPlanet() { ... } public long countStandingOrders() { ... } }
  • 20. Normal service implementation... public class GalakPizzaCore implements GalakPizzaService, Serializable, Storable<GalakPizzaCore> { private finalprivate final Map<String, PlanetOrders>Map<String, PlanetOrders> ordersorders == newnew HashMap<>();HashMap<>(); public long placeOrder(String planet, Variant variant, Size size) { ... } public List<Order> takeOrdersFromBestPlanet() { ... } public long countStandingOrders() { ... } }
  • 21. PlanetOrders - helper class PlanetOrders implements Serializable { final String name; private List<Order> orders = new ArrayList<>(); public PlanetOrders(String name) { this.name = name; } ... }
  • 22. PlanetOrders - helper class PlanetOrders implements Serializable { final String name; private List<Order> orders = new ArrayList<>(); public PlanetOrders(String name) { this.name = name; } void assignOrder(final Order order) { this.orders.add(order); } ... }
  • 23. PlanetOrders - helper class PlanetOrders implements Serializable { final String name; private List<Order> orders = new ArrayList<>(); public PlanetOrders(String name) { this.name = name; } void assignOrder(final Order order) { this.orders.add(order); } public boolean isEmpty() { return this.orders.isEmpty(); } ... }
  • 24. Normal place order public class GalakPizzaCore implements GalakPizzaService, Serializable, Storable<GalakPizzaCore> { private final Map<String, PlanetOrders> orders = new HashMap<>(); private long orderSequence = 1; public long placeOrder(String planet, Variant variant, Size size) { final long id = orderSequence++; final Order order = new Order(id, planet, variant, size); assignOrderToPlanet(order); return id; }
  • 25. Normal place order public class GalakPizzaCore implements GalakPizzaService, Serializable, Storable<GalakPizzaCore> { private final Map<String, PlanetOrders> orders = new HashMap<>(); private long orderSequence = 1; public long placeOrder(String planet, Variant variant, Size size) { final long id = orderSequence++; final Order order = new Order(id, planet, variant, size); assignOrderToPlanet(order); return id; } private void assignOrderToPlanet(Order order) { final PlanetOrders po = orders.computeIfAbsent(order.planet, planetName -> new PlanetOrders(planetName)); po.assignOrder(order); ...
  • 26. Normal place order public class GalakPizzaCore implements GalakPizzaService, Serializable, Storable<GalakPizzaCore> { private final Map<String, PlanetOrders> orders = new HashMap<>(); private long orderSequence = 1; private AtomicLong ordersTotal = new AtomicLong(0); public long placeOrder(String planet, Variant variant, Size size) { final long id = orderSequence++; final Order order = new Order(id, planet, variant, size); assignOrderToPlanet(order); ordersTotal.incrementAndGet(); return id; } private void assignOrderToPlanet(Order order) { final PlanetOrders po = orders.computeIfAbsent(order.planet, planetName -> new PlanetOrders(planetName)); po.assignOrder(order); ...
  • 27. Normal place order revisited public class GalakPizzaCore { ... private final Map<String, PlanetOrders> orders = new HashMap<>(); private PriorityQueue<PlanetOrders> bestPlanets = new PriorityQueue<>(256); private long orderSequence = 1; private AtomicLong ordersTotal = new AtomicLong(0); public long placeOrder(String planet, Variant variant, Size size) { final long id = orderSequence++; final Order order = new Order(id, planet, variant, size); assignOrderToPlanet(order); ordersTotal.incrementAndGet(); return id; } private void assignOrderToPlanet(Order order) { final PlanetOrders po = orders.computeIfAbsent(order.planet, planetName -> new PlanetOrders(planetName)); po.assignOrder(order); this.bestPlanets.offer(po); }
  • 28. Normal place order revisited public class GalakPizzaCore { ... private final Map<String, PlanetOrders> orders = new HashMap<>(); private PriorityQueue<PlanetOrders> bestPlanets = new PriorityQueue<>(256); private long orderSequence = 1; private AtomicLong ordersTotal = new AtomicLong(0); public long placeOrder(String planet, Variant variant, Size size) { final long id = orderSequence++; final Order order = new Order(id, planet, variant, size); assignOrderToPlanet(order); ordersTotal.incrementAndGet(); return id; } private void assignOrderToPlanet(Order order) { final PlanetOrders po = orders.computeIfAbsent(order.planet, planetName -> new PlanetOrders(planetName)); po.assignOrder(order); this.bestPlanets.offer(po); BAD BAD BAD BAD }
  • 29. Normal place order revisited public class GalakPizzaCore { ... private final Map<String, PlanetOrders> orders = new HashMap<>(); private PriorityQueue<PlanetOrders.Wrapper> bestPlanets = new PriorityQueue<>(256); private long orderSequence = 1; private AtomicLong ordersTotal = new AtomicLong(0); public long placeOrder(String planet, Variant variant, Size size) { final long id = orderSequence++; final Order order = new Order(id, planet, variant, size); assignOrderToPlanet(order); ordersTotal.incrementAndGet(); return id; } private void assignOrderToPlanet(Order order) { final PlanetOrders po = orders.computeIfAbsent(order.planet, planetName -> new PlanetOrders(planetName)); po.assignOrder(order); this.bestPlanets.offer(new PlanetOrders.Wrapper(po)); }
  • 30. Wrapper... yeah public static class Wrapper implements Comparable<Wrapper>,Serializable{ final PlanetOrders porders; final int size; //just keep it final public Wrapper(PlanetOrders porders) { this.porders = porders; this.size = porders.orders.size(); } @Override public int compareTo(final Wrapper other) { return other.size - this.size; } }
  • 31. PlanetOrders – take orders class PlanetOrders implements Serializable { final String name; private List<Order> orders = new ArrayList<>(); List<Order> takeOrders() { final List<Order> result = this.orders; this.orders = new ArrayList<>(); return result; } public boolean isEmpty() { return this.orders.isEmpty(); } }
  • 32. PlanetOrders – take orders class PlanetOrders implements Serializable { final String name; private List<Order> orders = new ArrayList<>(); List<Order> takeOrders() { final List<Order> result = this.orders; this.orders = new ArrayList<>(); //yes we MUTATE! return result; } public boolean isEmpty() { return this.orders.isEmpty(); } }
  • 33. Normal take orders public class GalakPizzaCore implements GalakPizzaService, Serializable, Storable<GalakPizzaCore> { privateprivate PriorityQueue<PlanetOrders.Wrapper>PriorityQueue<PlanetOrders.Wrapper> bestPlanetsbestPlanets == newnew PriorityQueue<>(PriorityQueue<>(256256);); private AtomicLong ordersTotal = new AtomicLong(0); public List<Order> takeOrdersFromBestPlanet() { final Optional<PlanetOrders> planetOpt = takeBestPlanet(); .... } private Optional<PlanetOrders> takeBestPlanet() { PlanetOrders.Wrapper planet = this.bestPlanets.poll(); while (planet != null && planet.porders.isEmpty()) { planet = this.bestPlanets.poll(); } return Optional.ofNullable(planet).map(p->p.porders); }
  • 34. Normal take orders public class GalakPizzaCore implements GalakPizzaService, Serializable, Storable<GalakPizzaCore> { privateprivate PriorityQueue<PlanetOrders.Wrapper>PriorityQueue<PlanetOrders.Wrapper> bestPlanetsbestPlanets == newnew PriorityQueue<>(PriorityQueue<>(256256);); private AtomicLong ordersTotal = new AtomicLong(0); public List<Order> takeOrdersFromBestPlanet() { final Optional<PlanetOrders> planetOpt = takeBestPlanet(); if (planetOpt.isPresent()) { final PlanetOrders planet = planetOpt.get(); List<Order> orders = planet.takeOrders(); return orders; } return Collections.EMPTY_LIST; } private Optional<PlanetOrders> takeBestPlanet() { PlanetOrders.Wrapper planet = this.bestPlanets.poll(); while (planet != null && planet.porders.isEmpty()) { planet = this.bestPlanets.poll(); } return Optional.ofNullable(planet).map(p->p.porders); }
  • 35. Normal take orders public class GalakPizzaCore implements GalakPizzaService, Serializable, Storable<GalakPizzaCore> { privateprivate PriorityQueue<PlanetOrders.Wrapper>PriorityQueue<PlanetOrders.Wrapper> bestPlanetsbestPlanets == newnew PriorityQueue<>(PriorityQueue<>(256256);); private AtomicLong ordersTotal = new AtomicLong(0); public List<Order> takeOrdersFromBestPlanet() { final Optional<PlanetOrders> planetOpt = takeBestPlanet(); if (planetOpt.isPresent()) { final PlanetOrders planet = planetOpt.get(); List<Order> orders = planet.takeOrders(); ordersTotal.addAndGet(-orders.size()); return orders; } return Collections.EMPTY_LIST; } private Optional<PlanetOrders> takeBestPlanet() { PlanetOrders.Wrapper planet = this.bestPlanets.poll(); while (planet != null && planet.porders.isEmpty()) { planet = this.bestPlanets.poll(); } return Optional.ofNullable(planet).map(p->p.porders); }
  • 36. Normal count orders private AtomicLong ordersTotal = new AtomicLong(0); public long countStandingOrders() { return this.ordersTotal.get(); }
  • 37. We have service - but do we deal with? Concurrency Persistence
  • 38. Normal - Alien service wrapper public class GalakPizza implements GalakPizzaService { final PersistenceController<GalakPizzaCoreGalakPizzaCore,GalakPizzaCore> controller; public GalakPizza() { controller = PrevaylerBuilder.newBuilder() .withinUserFolder("pizza") .useSupplier( () -> new GalakPizzaCore()) .build(); } public long placeOrder(final String planet, final Variant variant, final Size size) { return controller.executeAndQuery( core -> core.placeOrder(planet,variant,size)core.placeOrder(planet,variant,size)); } public List<Order> takeOrdersFromBestPlanet() { return controller.executeAndQuery( core ->core.takeOrdersFromBestPlanet()core.takeOrdersFromBestPlanet()); } public long countStandingOrders() { return controller.query( c->c.countStandingOrders()c.countStandingOrders()); } ... }
  • 39. Done!
  • 41. Other Domain @Entity @Table(name="T_ORDER") @NamedQueries( { @NamedQuery(name = "select best planet", query = "SELECT o.planet, count(o) FROM Order o " + " GROUP BY o.planet ORDER BY count(o) desc"), @NamedQuery(name = "select orders", query = "SELECT o FROM Order o WHERE o.planet = :planet"), @NamedQuery(name = "count orders", query = "SELECT count(o) FROM Order o ") }) public class Order { @Id @GeneratedValue(generator="increment") @GenericGenerator(name="increment", strategy = "increment") final long id; public final String planet; public final Variant variant; public final Size size; protected Order() { this("this is strange...", null, null); } public Order(String planet, Variant variant, Size size) { this.planet = planet; this.variant = variant; this.size = size; id = 0; } public long getId() { return id; } }
  • 42. Other domain (same as above) public enum Size { MEDIUM, LARGE, XL } public enum Variant { HAWAII, MARGHERITA, VEGETARIAN }
  • 43. It is in TABLE so it exists
  • 44. Other service (same) public interface GalakPizzaOrders { long placeOrder(String planet, Variant variant, Size size); } public interface GalakPizzaDelivery { List<Order> takeOrdersFromBestPlanet(); long countStandingOrders(); } public interface GalakPizzaService extends GalakPizzaDelivery, GalakPizzaOrders{ }
  • 45. Select best blanet... SELECT o.planet, count(o) FROM Order o GROUP BY o.planet ORDER BY count(o) desc
  • 46. Other Planet (but almost same story) @Entity @Table(name="T_PLANET", indexes = {@Index(name="cnt_idx", columnList = "count", unique = false)} ) @NamedQueries( { @NamedQuery(name = "select best planet from table", query = "SELECT p FROM Planet p " + " ORDER BY p.count desc")}) public class Planet { @Id public final String name; private int count; protected Planet() { name = "default"; } public Planet(String name) { this.name = name; } public int getCount() { return this.count; } public void increment() { this.count++; } public void clear() { this.count = 0; } }
  • 47. Other service implementation public class GalakPizza implements GalakPizzaService { final SessionFactory sessionFactory; public GalakPizza(SessionFactory sessionFactory) { this.sessionFactory = sessionFactory; } public long placeOrder(String planet, Variant variant, Size size) { ... } public List<Order> takeOrdersFromBestPlanet() { ... } public long countStandingOrders() { ... } }
  • 48. Other - Place order public long placeOrder(String planet, Variant variant, Size size) { return this.runInSession(session -> { final Order orderEntity = new Order(planet, variant, size); final Long key = (Long) session.save(orderEntity); incrementPlanetCounter(planet, session); return key; }); } private void incrementPlanetCounter(String planet, Session session) { Planet planetEntity = session.get(Planet.class, planet); if (planetEntity == null) { planetEntity = new Planet(planet); session.save(planetEntity); } planetEntity.increment(); } private <T> T runOnSession(Function<Session, T> dbCommand) { ...}
  • 49. Other - runInSession private <T> T runInSession(Function<Session, T> dbCommand) { final Session session = sessionFactory.openSession(); session.beginTransaction(); try { final T result = dbCommand.apply(session); session.getTransaction().commit(); session.close(); return result; } catch (ConstraintViolationException cve) { session.getTransaction().rollback(); session.close(); return runInSession(dbCommand); } catch (Throwable t) { t.printStackTrace(); throw new RuntimeException(t); } } So easy
  • 50. Other - Take orders public List<Order> takeOrdersFromBestPlanet() { return this.runInSession(session -> { final Query bestPlanetQuery = session.getNamedQuery("SELECT p FROM Planet p " + " ORDER BY p.count desc"); bestPlanetQuery.setMaxResults(1); final Iterator<Planet> bestPlanetsIterator = bestPlanetQuery.iterate(); if (bestPlanetsIterator.hasNext()) { final Planet bestOne = bestPlanetsIterator.next(); final Query ordersQuery = session.getNamedQuery("SELECT o FROM Order o WHERE o.planet = :planet"); ordersQuery.setParameter("planet", bestOne.name); final List<Order> orders = ordersQuery.list(); orders.forEach(o -> session.delete(o)); bestOne.clear(); return orders; } return Collections.EMPTY_LIST; }); }
  • 51. Other – count orders @Override public long countStandingOrders() { return this.runInSession(session -> { final Query ordersCount = session.getNamedQuery("count orders"); final Long cnt = (Long) ordersCount.iterate().next(); return cnt; }); }
  • 52. Other - others Hibernate config, init MySql config
  • 53. After one day of coding...
  • 54. In a real galaxy
  • 55. That we can simulate as Customers - 4 Threads doing in loop placeOrder (random planet name, variant and size) – no pauses PizzBoy - 1 Thread doing in loop takeBestOrder – no pauses Owners – 2 Threads doing in loop – countStandingOrders
  • 56. Galaxy simulation public static void main(String... args) { runSimulation(5000); System.gc(); sleep(); Result result = runSimulation(SECONDS_TOTAL*1000); System.out.println("Orders processed:" + result.processed); System.out.println("p/s:" + (double)result.processed/(double) SECONDS_TOTAL); System.out.println("Orders seen:" + result.seen); System.out.println("o/s:" + (double)result.seen/(double) SECONDS_TOTAL); }
  • 57. ?
  • 58. Normal universe Other universe ~40 000 p/s ~600 p/s Processed orders
  • 59. Normal universe Other universe ~ 12 823 500 p/s ~6362 p/s Peeping speed
  • 61. Normal universe Other universe GODS of SQL HELP! ME
  • 62. Normal universe Other universe ~60 000 p/s ~1000 p/s
  • 63. After few days of operations...
  • 65. Cool, that it runs on laptop
  • 66. Reality strickes back I do not trust PizzaBoy I want to know where exactly were pizzas delivered
  • 67. Normal universe Other universe Cool, we will not delete orders any more, only mark them as deleted! Cool, we will add a list that will be processed during takeOrders, or maybe we will store data in DB Table (as archive)
  • 68. Reality strickes back I do not trust PizzaBoy I want to know where were pizzas delivered Yesterday!!!
  • 69. Normal universe Other universe Crap... We will restart system and commands will be reprocessed
  • 70. Yet another real world case
  • 71. System evolves I want to let people compose their pizza/ Like: more cheese on one half, and no meat on the next half, And onion on the third half.
  • 72. Normal universe Other universe We will map it with only 20 tables Or do we add TEXT field? public Order(long id, String planet, Supplier<Variant> pizzaDescription, Size size) { public Order(long id, String planet, Variant variant, Size size) { We will use factory
  • 73. Difference + Fast + Code in Java + „Strongly“ typed + Flexible + Testable - Sophisticated java - Terribly slow - Code in Strings and Annotations - Stringly typed - Limited domain - Testing expensive + Easy java
  • 76. Sweet spot known as 90's Computers had mostly one CPU Core Memory (RAM) was expensive but more as 100MB available in single unit Disks were slow but huge (like 2Gb-20Gb) Time for JEE
  • 78. Normal universe RAM is so cheap and huge Computers have multiple cores Alien developers start to use full power of hardware with Java No need to store data in databases anymore Because RAM is so cheap and huge
  • 79. Other universe RAM is cheap and huge Computers have multiple cores But alien developers have never realised that
  • 80. Other universe is a good place Database vendors earn money and are happy Application Servers vendors earn money and are happy Power plants are happy Hardware vendors are happy Only business complains – but they still pay Developers have a lot more work to do – they are happy.. Gfx By pressfoto / Freepik
  • 81.
  • 82. DB / ORM vs Prevalence Problems Problem Prevalent (Normal) ORMs (Other) Detached objects Yes Yes Transaction isolation Yes in JAVA (concurrency) Yes in DB Testing Trivial Awful Cache It is all cache Lots of configs... Magic Contained Everywhere Mapping All serializable goes Limited
  • 83. If you want to jump to normal universe...
  • 84. Simple start Prevayler or Airomem (Prevayler wrapper for Java 8 ) or Nothing :-)
  • 85. Airomem quick - maven <dependency> <groupId>pl.setblack</groupId> <artifactId>airomem-core</artifactId> <version>1.0.5</version> </dependency>
  • 86. Airomem - init PersistenceController<GalakPizzaCore,GalakPizzaCore> controller = controller = PrevaylerBuilder .newBuilder() .withinUserFolder("pizza") .useSupplier( () -> new GalakPizzaCore()) .build(); GalakPizzaCore is main/plain object - Root aggregate! Must be Serializable! (how bad)
  • 87. Airomem – commands controller.executeAndQuery( core->core.placeOrder(planet, variant, size )); ---------------------- controller.executeAndQuery( new PlaceOrderCommand(planet,variant,size)); private static final class PlaceOrderCommand implements Command<GalakPizzaCore, Long> { private final String planet; private final Variant variant; private final Size size; public PlaceOrderCommand(String planet, Variant variant, Size size){ this.planet = planet; this.variant = variant; this.size = size; } public Long execute(GalakPizzaCore system) { return system.placeOrder(planet,variant, size); } }
  • 88. Commands are never executed concurrently
  • 89. Query controller.query( c->c.countStandingOrders()); Queries are executed concurrently - also with one command!
  • 90. Airomem – snapshots, events jarek@ubuntu:~$ cd prevayler/ jarek@ubuntu:~/prevayler$ ls pizza jarek@ubuntu:~/prevayler$ cd pizza/ jarek@ubuntu:~/prevayler/pizza$ ls -al total 188 drwxrwxr-x 2 jarek jarek 4096 May 6 14:46 . drwxrwxr-x 3 jarek jarek 4096 Apr 26 13:40 .. -rw-rw-r-- 1 jarek jarek 675 Apr 26 14:17 0000000000000000001.journal -rw-rw-r-- 1 jarek jarek 3375 Apr 26 14:18 0000000000000000002.journal -rw-rw-r-- 1 jarek jarek 3369 May 5 10:51 0000000000000000007.journal -rw-rw-r-- 1 jarek jarek 683 May 5 13:48 0000000000000000012.journal -rw-rw-r-- 1 jarek jarek 2048 May 5 14:12 0000000000000000012.snapshot -rw-rw-r-- 1 jarek jarek 497 May 5 14:12 0000000000000000013.journal -rw-rw-r-- 1 jarek jarek 1849 May 5 14:15 0000000000000000013.snapshot -rw-rw-r-- 1 jarek jarek 497 May 5 14:15 0000000000000000014.journal -rw-rw-r-- 1 jarek jarek 1685 May 5 14:17 0000000000000000014.snapshot -rw-rw-r-- 1 jarek jarek 8086 May 5 14:19 0000000000000000015.journal -rw-rw-r-- 1 jarek jarek 1084 May 6 13:25 0000000000000000028.snapshot -rw-rw-r-- 1 jarek jarek 57977 May 6 14:05 0000000000000000029.journal -rw-rw-r-- 1 jarek jarek 1228 May 6 14:46 0000000000000000132.snapshot -rw-rw-r-- 1 jarek jarek 59021 May 8 04:28 0000000000000000133.journal
  • 92. RAM?
  • 93. Data migration Not big deal in fact Java Serialization (sth to learn) readResolve, writeReplace XML export option
  • 94. Transaction This is always transactional!!! public Long execute(GalakPizzaCore system) { return system.placeOrder(planet,variant, size); }
  • 96. Replication/ failover Not in standard... but Trivial to implement - send events to other machines, share folder
  • 97. Indices Indices in memory do exists CQEngine Query<Car> query1 = or(endsWith(Car.NAME, "vic"), lessThan(Car.CAR_ID, 2)); for (Car car : cars.retrieve(query1)) { System.out.println(car); }
  • 98. Airomem summary CQRS + ES simplified - one command one event→ With RAM projection
  • 99. More enterprisy alternatives Lagom! Akka persistence CQRS generally
  • 100. Advice Remember to add Thread.sleep(1000) often
  • 101. Storing in Prevayler vs DB model events vs model domain store facts vs store state Shared state is a cache vs shared state is a problem Domain with little magic vs domain polluted Clean architecture vs Maybe DDD can help...
  • 102. End Try on something small first (not bigger then one planet) Drop DB from core of your system Drop your application servers Drop annotations Drop magic Learn Java and algorithms Feel the power of RAM and CPU alltogether!