+ - 0:00:00
Notes for current slide
Notes for next slide

Programming Strategically with the Principle of Least Power

Leif Wickland

@leifwickland

Slide 2 of 85

Credit to Li Haoyi

  • Strongly inspired by his blog.
  • Wicked smart.
    • Scala.js. Ammonite.
  • Good parts are his.
  • Anything stupid is mine.
  • Originally he wrote about Scala.

Slide 3 of 85

Strategic
Power


Slide 4 of 85

Principle of Least Power

Given a choice of solutions, pick the least powerful solution capable of solving your problem.

Li Haoyi


Slide 5 of 85

Developers seek power & flexibility

  • My design is so flexible!
  • I'm not exactly sure how I'm going to do it, so…
  • The requirements might change, so…

Slide 6 of 85

With Great Power

  • If it can do anything it might do anything
  • Bigger possible space to consider

Slide 7 of 85

Motivation

A restricted solution that … can only do a few things is straightforward for someone to inspect, analyze and manipulate later.

Li Haoyi


Slide 8 of 85

Vocabulary check

Power


Slide 9 of 85

Vocabulary check

Power

Restriction


Slide 10 of 85

Vocabulary check

Power

Restriction

Possibility


Slide 11 of 85

Vocabulary check

Power

Restriction

Possibility

Constraint


Slide 12 of 85

Slide 13 of 85

Slide 14 of 85
Constraints liberate

Slide 15 of 85

Essay

transitive verb:
to try to do, perform, or deal with

Can we program stategically using the principle of least power in other languages, too?


Slide 16 of 85

What I'm not talking about

  • Picking a language
  • Picking a framework
  • Picking a library
  • Most of us don't get to pick those on a daily basis

Slide 17 of 85


Slide 18 of 85
switch (n) {
case 1:
cost += 25; break;
case 2:
cost += 25; goto case 1;
case 3:
cost += 50; goto case 1;
default:
Console.WriteLine("Invalid selection.");
break;
}

From MSDN goto docs


Slide 19 of 85
1968: Go To Statement Considered Harmful
I promised you details about our languages becoming more powerful in recent years.

Slide 20 of 85
PHP 5.3 added goto in 2009

Slide 21 of 85
PHP 5.3 added goto in 2009

Slide 22 of 85
Baz baz = null;
while (true) {
// 20 lines calculating foo…
if (!foo.isValid()) break;
// 30 lines calculting bar…
if (!bar.isValid()) break;
// Another 30 lines calculating wah…
if (!wah.isValid()) break;
baz = new Baz(foo, bar, wah);
break;
}
return baz;

Slide 23 of 85
Foo foo = calculateFoo();
Bar bar = calculateBar();
Wah wah = calculateWah();
if (foo.isValid() &&
bar.isValid() &&
wah.isValid()) {
return new Baz(foo, bar, wah);
} else {
return null;
}

Slide 24 of 85
Superior because complexity is constrained

Slide 25 of 85
Immutability changes everything

Slide 26 of 85
Easier to reason about because fewer possibilities

Slide 27 of 85
var label;
if (havingGoodDay(bob)) label = "ok";
else label = "bitter";

Slide 28 of 85
var label;
if (havingGoodDay(bob)) label = "ok";
else label = "bitter";
// ----- or -----
const label =
(havingGoodDay(bob)) ?
"good" :
"bitter";

Slide 29 of 85

From caniuse.com


Slide 30 of 85

From caniuse.com


Slide 31 of 85
function tellMeAboutYourFeels(bob) {
var feels = "meh";
if (goodDay(bob)) feels = "hawt";
else if (badDay(bob)) feels = "bitter";
return feels;
}

Slide 32 of 85
function tellMeAboutYourFeels(bob) {
var feels = "meh";
if (goodDay(bob)) feels = "hawt";
else if (badDay(bob)) feels = "bitter";
return feels;
}
// ----- or -----
function tellMeAboutYourFeels(bob) {
if (goodDay(bob)) return "hawt";
if (badDay(bob)) return "bitter";
return "meh";
}

Slide 33 of 85

Prefer Immutabilty

  • As far as possible
  • Except if you really need the perf improvement
  • Spoiler: Very little of your code does
  • Limit the scope of mutabilty

Slide 34 of 85

Slide 35 of 85
List<String> names = myBffs();
// ----- or -----
const List<String> names = myBffs();
// ----- or -----
ImmutableList<String> names = myBffs();
// ----- or -----
const ImmutableList<String> names = myBffs();

Slide 36 of 85

List<String> names = myBffs();

const List<String> names = myBffs();
// ----- or -----
ImmutableList<String> names = myBffs();
// ----- or -----
const ImmutableList<String> names = myBffs();

No Double Mutability

Slide 37 of 85

Thought experiment:

What's the simplest interface to your module?


Slide 38 of 85

Design:

Interface to module to find cycles between nodes in graph

Slide 39 of 85
class Node {
String name()
}

Slide 40 of 85
class Node {
String name()
}
class Graph {
void addEdge(Node from, Node to)
boolean hasCycle()
}

Slide 41 of 85

Looks Simple, but…

  • Have to instantiate a Graph and Nodes
  • Can only be used with these data types
  • Node can't store anything but a string
  • Limited interface for defining graph's connections

Slide 42 of 85

How can we make it better?

  • Abstract Node type
    • User can define Node to hold whatever
  • Abstract Graph type
    • User chooses how to define connections

Slide 43 of 85
abstract class Node {
String name()
}
abstract class GraphBase<Node> {
Set<Node> getNodes()
Set<Node> connectsTo(Node node)
boolean hasCycle()
}

Slide 44 of 85

Typical Approach

  • Most of us have been taught OOP-y design
  • Feels natural to have a class for each "thing"
  • I don't think it's the best

Slide 45 of 85
How would we reduce the setup?


Slide 46 of 85
How would we reduce the setup?

Avoid instantiation and subclassing?

Slide 47 of 85
class GraphUtil {
static boolean hasCycle<N>(
Set<N> nodes,
Function<N, Set<N>> connectsTo(Node n)
)
}

Slide 48 of 85

Haoyi's Ranking of Interfaces

  1. Static method with standard types
  2. Static method with custom types
  3. Class which must be instantiated to be called
  4. Abstract class which must be subclassed

Slide 49 of 85

Think in terms of usabilty for the person calling this code. Hopefully, you are probably the first user of your code when you write tests. More likely to write tests


Slide 50 of 85

Now that Java has added closures nearly every language has closures

Difference between closure and lambda

Closure vs Class


Slide 51 of 85

Closure vs Class

  • Both wrap (potentially mutable) state
  • Both encapsulate data
  • Both have method(s) which can be invoked

Slide 52 of 85

Closure vs Class

  • Both wrap (potentially mutable) state
  • Both encapsulate data
  • Both have method(s) which can be invoked
  • Closure "constructors" are plausible
  • Closure only has one method
  • You can fake more with stringy dispatch

Slide 53 of 85

Closure vs Class

  • Both wrap (potentially mutable) state
  • Both encapsulate data
  • Both have method(s) which can be invoked
  • Closure "constructors" are plausible
  • Closure only has one method
  • You can fake more with stringy dispatch
    • Please don't

Slide 54 of 85

Passing Classes to Functions

  • Generally if a function needs a thing which can do stuff, we'll pass that object to it
  • Often gives the function too much power
    • Can access unrelated data
    • Can access unneeded methods
    • Tight coupling produces brittleness
    • Can potentially mutate the object

Slide 55 of 85

Pass Closures, not Classes

  • What if instead we pass more restrictive, less powerful thing?
  • Provides a nice abstraction layer without explicitly defining interface
  • Receiver can only take one action with closure
  • Shared interface without inheritance

Slide 56 of 85

Architectural Hotspot Patterns

  • Unstable interface
  • Implicit cross-module dependency
  • Unhealthy interface inheritance hierarchy
  • Cross-module cycle
  • Cross-package cycle

Adrian Colyer's blog


Slide 57 of 85
class Node {
String name()
Set<Node> connectsTo(Node n)
}
class Graph {
static boolean hasCycle(Set<Node> nodes)
}
// ----- vs -----
class GraphUtil {
static boolean hasCycle(Set<N> nodes,
Function<N, Set<N>> connectsTo)
}
hasCycle(nodes, node::connectsTo)

Slide 58 of 85
Koan

Slide 59 of 85

By Anton van Straaten From MIT CSAIL list via C2

The Closure Koan

Slide 60 of 85

The venerable master Qc Na was walking with his student, Anton. Hoping to prompt the master into a discussion, Anton said "Master, I have heard that objects are a very good thing - is this true?"

By Anton van Straaten From MIT CSAIL list via C2

The Closure Koan
Objects are good

Slide 61 of 85

The venerable master Qc Na was walking with his student, Anton. Hoping to prompt the master into a discussion, Anton said "Master, I have heard that objects are a very good thing - is this true?"

Qc Na looked pityingly at his student and replied, "Foolish pupil - objects are merely a poor man's closures."

By Anton van Straaten From MIT CSAIL list via C2

The Closure Koan
Objects are good
Poor man's closures

Slide 62 of 85

The venerable master Qc Na was walking with his student, Anton. Hoping to prompt the master into a discussion, Anton said "Master, I have heard that objects are a very good thing - is this true?"

Qc Na looked pityingly at his student and replied, "Foolish pupil - objects are merely a poor man's closures."

Chastised, Anton took his leave from his master and returned to his cell, intent on studying closures. He carefully read the entire "Lambda: The Ultimate..." series of papers and its cousins, and implemented a small Scheme interpreter with a closure-based object system. He learned much, and looked forward to informing his master of his progress.

By Anton van Straaten From MIT CSAIL list via C2

The Closure Koan
Objects are good
Poor man's closures
Intent on Studying

Slide 63 of 85

The venerable master Qc Na was walking with his student, Anton. Hoping to prompt the master into a discussion, Anton said "Master, I have heard that objects are a very good thing - is this true?"

Qc Na looked pityingly at his student and replied, "Foolish pupil - objects are merely a poor man's closures."

Chastised, Anton took his leave from his master and returned to his cell, intent on studying closures. He carefully read the entire "Lambda: The Ultimate..." series of papers and its cousins, and implemented a small Scheme interpreter with a closure-based object system. He learned much, and looked forward to informing his master of his progress.

On his next walk with Qc Na, Anton attempted to impress his master by saying "Master, I have diligently studied the matter, and now understand that objects are truly a poor man's closures."

By Anton van Straaten From MIT CSAIL list via C2

The Closure Koan
Objects are good
Poor man's closures
Intent on Studying
Closures are truly good

Slide 64 of 85

The venerable master Qc Na was walking with his student, Anton. Hoping to prompt the master into a discussion, Anton said "Master, I have heard that objects are a very good thing - is this true?"

Qc Na looked pityingly at his student and replied, "Foolish pupil - objects are merely a poor man's closures."

Chastised, Anton took his leave from his master and returned to his cell, intent on studying closures. He carefully read the entire "Lambda: The Ultimate..." series of papers and its cousins, and implemented a small Scheme interpreter with a closure-based object system. He learned much, and looked forward to informing his master of his progress.

On his next walk with Qc Na, Anton attempted to impress his master by saying "Master, I have diligently studied the matter, and now understand that objects are truly a poor man's closures."

Qc Na responded by hitting Anton with his stick, saying "When will you learn? Closures are a poor man's object."

By Anton van Straaten From MIT CSAIL list via C2

The Closure Koan
Objects are good
Poor man's closures
Intent on Studying
Closures are truly good
Poor man's objects

Slide 65 of 85

The venerable master Qc Na was walking with his student, Anton. Hoping to prompt the master into a discussion, Anton said "Master, I have heard that objects are a very good thing - is this true?"

Qc Na looked pityingly at his student and replied, "Foolish pupil - objects are merely a poor man's closures."

Chastised, Anton took his leave from his master and returned to his cell, intent on studying closures. He carefully read the entire "Lambda: The Ultimate..." series of papers and its cousins, and implemented a small Scheme interpreter with a closure-based object system. He learned much, and looked forward to informing his master of his progress.

On his next walk with Qc Na, Anton attempted to impress his master by saying "Master, I have diligently studied the matter, and now understand that objects are truly a poor man's closures."

Qc Na responded by hitting Anton with his stick, saying "When will you learn? Closures are a poor man's object."

At that moment, Anton became enlightened.

The Better Option: Simpler Error Handling

  • Option, Optional, or Maybe in most langauges
    • If not in standard then a third party library

Slide 66 of 85

The Better Option: Simpler Error Handling

  • Option, Optional, or Maybe in most langauges
    • If not in standard then a third party library
  • Allows you to indicate either a value or failure
  • No confusion which is which
    • Is that -1 a value or a failure code?

Slide 67 of 85

The Better Option: Simpler Error Handling

  • Option, Optional, or Maybe in most langauges
    • If not in standard then a third party library
  • Allows you to indicate either a value or failure
  • No confusion which is which
    • Is that -1 a value or a failure code?
  • Short circuit evaluation bails out on error
  • Pairs exquisitely with lambdas

Slide 68 of 85
Option is exactly either Some(value) or None

Slide 69 of 85
for (
x <- Some(5)
y <- Some(7)
) yield x * y
// Results in Some(35)

Slide 70 of 85
for (
x <- Some(5)
y <- None
) yield x * y
// Results in None

Slide 71 of 85
Baz baz = null;
while (true) {
// 20 lines calculating foo…
if (!foo.isValid()) break;
// 30 lines calculting bar…
if (!var.isValid()) break;
// Another 30 lines calculating wah…
if (!wah.isValid()) break;
baz = new Baz(foo, bar, wah);
break;
}
return baz;

Slide 72 of 85

How can we make it better?

  • Separate functions to make Foo, Bar, and Wah

Slide 73 of 85

How can we make it better?

  • Separate functions to make Foo, Bar, and Wah
  • Only create valid objects
  • Use Option to indicate possibility of invalid

Slide 74 of 85
def makeFoo(): Option[Foo]
def makeBar(): Option[Bar]
def makeWah(): Option[Wah]
for (
foo <- makeFoo()
bar <- makeBar()
wah <- makeWah()
) yield new Baz(foo, bar, wah)

Slide 75 of 85
Optional<Foo> makeFoo() { …}
Optional<Bar> makeBar() { … }
Optional<Wah> makeWah() { … }
return
makeFoo().flatMap(foo ->
makeBar().flatMap(bar ->
makeWah().map(wah ->
new Baz(foo, bar, wah);
)));

Slide 76 of 85

The Better Option: Simpler Error Handling

  • Avoids common pitfalls:
    • Not supposed to use throw for flow control
    • null is the Billion Dollar Mistake according to inventor
    • Don't have to remember to check error code

Slide 77 of 85

Limited Option

  • We can't say what went wrong
  • There are other types, like Either, to express more detailed failure

Slide 78 of 85

Slide 79 of 85

Summary

  • Deliberate constraints simplify code use and maintenance

Slide 80 of 85

Summary

  • Deliberate constraints simplify code use and maintenance
  • Better predictability makes refactoring and testing easier

Slide 81 of 85

Summary

  • Deliberate constraints simplify code use and maintenance
  • Better predictability makes refactoring and testing easier
  • More powerful solution is not necessarily better

Slide 82 of 85

Summary

  • Deliberate constraints simplify code use and maintenance
  • Better predictability makes refactoring and testing easier
  • More powerful solution is not necessarily better
    • Mo' power, mo' problems!

Slide 83 of 85

How?

  • Immutability
  • Constrained Interfaces
  • Lambdas to Restrict Coupling
  • Option to Express Possible Failure

Slide 84 of 85
@leifwickland

Slide 85 of 85
@leifwickland

Slide 2 of 85
Paused

Help

Keyboard shortcuts

, , Pg Up, k Go to previous slide
, , Pg Dn, Space, j Go to next slide
Home Go to first slide
End Go to last slide
b / m / f Toggle blackout / mirrored / fullscreen mode
c Clone slideshow
p Toggle presenter mode
t Restart the presentation timer
?, h Toggle this help
Esc Back to slideshow