is an excellent book by Tristan Gooley (isbn 978-1-473-61522-9).
As usual I'm going to quote from a few pages:
One of the universal truths of human observation is that we
see
more of what we expect to see and less of what we don't expect to see.
Much of my work is not about teaching people to see things that are hard to see,
but in showing them how to notice the things that hide in plain sight.
It did not take sailors long to work out that a ship that carries too much may
be vulnerable in heavy seas, but sailors were rarely the ones to make the
decision about how much cargo a ship could safely carry. The merchants making
the profit would have had a different view to the deckhand, especially if the
trader never set foot on the vessel. This led to a wrestle between greedy traders
and cautious captains that lasted centuries. The first attempts to regulate how
much a ship could carry go back over four thousand years to ancient Crete.
Samuel Plimsoll, a nineteenth-century English politician, realized that a low
freeboard height can present a problem, but he also appreciated that it becomes
the solution if we take a very keen interest in it. In other words,
we can tell if there is too much cargo in the boat by looking much more carefully
at how high the water rises up the side of the hull. And the easiest way to do
this is by drawing a ruler on the side of the ship, calibrated according to an
architect's or engineer's understanding of the boat. These lines, which became
known as Plimsoll Lines, were such a simple and brilliant success that they
became law and proliferated around the world.
From 1833, when the first tide tables were produced by the Admiralty, the
emphasis shifted from looking, thinking and understanding, to depending
on tables of others' measurements.
There is a stange truth in the profile of beaches: they have evolved in a physical
sense to be a near ideal shape to defend themselves against the onslaught of the sea.
This means that almost any attempt to engineer a 'solution' to what nature is trying
to achieve has as much chance of backfiring as working.
Many sailors use little pieces of fabric, nicknamed 'tell-tails', that are
tied to the sails and stays (the wires that give the mast stability), to offer
a constant visual
reminder of what the wind is doing.
Once the depth of the water is half the wavelength of the waves, it effectively
cramps the motion of the waves and it is this that slows them down.
Sailors dislike precision almost as much as they like
bureaucracy.
Rivers do not run straight for more than ten times their own width.
There will be an alternating combination of quick water and much slower
water and this always happens in a certain way. The quick patches are knowns,
perhaps onomatopoeically, as 'riffles' and the slower areas are known as pools.
If there is no human tinkering with a river's flow, then there will be a
riffle-pool sequence for every stretch of river that is fives times its width.
It is typical for the water at the sides of a river to be
travelling at only a quarter of the speed of the water in
the centre. The river is being slowed by two things at its sides;
when it comes into contact with banks it is slowed by friction
and it is also slowed by the shallowing at the sides.
A stream is just a river you can step over.
Swell is the name of the waves that have enough energy to
travel beyond the area of wind.
is an excellent book by Niels Pflaeging (isbn 978-0-9915376-0-0).
As usual I'm going to quote from a few pages:
What Taylor pioneered was the idea of consistently dividing an
organization
between thinking people (managers) and executing
people (workers).
Problem-solving in a life-less system is about instruction.
Problem-solving in a living system is about
communication.
Any attempt to motivate can only lead to de-motivation.
Ultimately, organizing for complexity
and self-organization are always about empowering
teams
... not about empowering individuals.
Actual teams
of people working for and with each other.
Nobody is in control. Everybody is in charge.
To be intensively involved in selection [recruiting] is a matter of honor.
A hallmark of great selection is that it is highly
time-consuming.
Management is a mindset that will not just go away all by itself.
When employees think for themselves and make entrepreneurial decisions
automonomously, you must at all times bear joint reponsibility for
those decisions, even if you or other members of the organization
might have decided differently.
A "beta" kind of organization produces many such stories: Peculiarities,
unusual practices, by which they can be instantly recognized among so
many over-managed and under-led organizations.
People do not need to be forced to work. However, this deeply-seated
prejudice about people and their relationship to work is what keeps
management alive.
is an excellent book by Miyamoto Musashi, translated by Thomas Cleary (isbn 1-57062-748-7).
As usual I'm going to quote from a few pages:
Preface: In common parlance, to do something with a real sword means to do it with utmost earnestness… The Book of Five Rings… explicitly intended to symbolise processes of struggle and mastery in all concerns and walks of life.
The martial way of life practiced by warriors is based on excelling others in anything and everything.
Fourth is the way of the artisan. In terms of the way of the carpenter, this involves skilful construction of all sorts of tools, knowing how to use each tool skilfully, drawing up plans correctly by means of the square and the ruler, making a living by diligent practice of the craft… practice unremittingly.
You should observe reflectively, with overall awareness of the large picture a well as precise attention to small details.
Having attained a principle, one detaches from the principles; thus one has spontaneous independence in the science of martial arts and naturally attains marvels.
As human beings, it is essential for each of us to cultivate and polish our individual path.
Observation and perception are two separate things.
It is essential to be relaxed in body and mind.
If you get to feeling snarled up and are making no progress, you toss your mood away and think in your heart that you are starting everything anew.
In my military science, it is essential that the physical aspect and the mental state both be simple and direct.
Whether in large- or small-scale military science, there is no narrow focus of the vision. As I have already written, by finicky narrowness of focus, you forget about bigger things and get confused, thus letting certain victory escape you.
Things stick in your mind because of being in doubt.
The practice of all the arts is for the purpose of clearing away what is on your mind. In the beginning, you do not know anything, so paradoxically you do not have any questions on your mind. Then, when you get into studies, there is something on your mind and you are obstructed by that. This makes everything difficult to do.
C has a facility for checking dynamic assertions at run-time. It's inside
<assert.h> and its called
assert. Now
assert is a macro, so why isn't it called
ASSERT? I don't know. Prior art no doubt. Anyway,
assert is a
dynamic runtime feature, you can only use it inside functions.
/* not inside a function, won't compile :-( */
assert(sizeof(int) * CHAR_BIT >= 32);
That's a pity because it would be nice if I could get the compiler to
check things like this automatically at compile time. I've occasionally seen
an attempt at a compile-time check like this...
#if sizeof(int) * CHAR_BIT < 32
#error People of Earth. Your attention please...
#endif
But this doesn't work. The C preprocessor is a glorified text reformatter:
it knows practically nothing about C. However, there is a way to write this
as a compile time assertion (and moving any error trap to an earlier phase
is a Good Thing)
What's is going on here? Well, the example preprocesses to...
char constraint[sizeof(int) * CHAR_BIT >= 32];
If the expression is true, (an int is at least 32 bits),
the expression
will have a value of one, and constraint will be an array
of one char.
If the assertion is false, (an int is less than 32 bits),
the expression
will have a value of zero, and constraint will be an
empty array. That's
illegal, and you'll get a compile time error. Viola, a compile time assertion :-)
You can use it inside and outside a function but you can't use it twice in
the same function, as you end up with a duplicate definition.
To solve that problem you could resort to some convoluted macro trickery:
But this is pretty horrible. Also, you will probably get warnings about
unused variables. Take a step back for a moment and think about why
it works at all. It's because you have to specify the size of an array as
a compile time constant. The formal grammar of a direct-declarator
tells you this. Let's look at some bits of grammar more closely:
I just piggy backed on this, using the constraint that the value of the
constant expression cannot (in this context) be zero. A natural question
(to the curious) is are there other parts of the formal grammar that
require a constant expression. The answer, of course, is yes.
Reading the constraints of a bit field I see that if the width of a bit-field
is zero the declaration cannot have a declarator. In other words this is legal...
struct x { unsigned int : 0; };
but this is not...
struct x { unsigned int bf : 0; };
This suggests another way to create a compile time assertion
#define COMPILE_TIME_ASSERT(expr) \
struct x { unsigned int bf : expr; }
COMPILE_TIME_ASSERT(sizeof(int) * CHAR_BIT >= 32);
Trying this we again get duplicate definitions, not of a variable
this time, but of the type struct x. However we can fix
this by creating an anonymous struct:
It's well known that you can't have two case labels with the
same constant. The following will not compile...
switch (0)
{
case 0:
case 0:;
}
So, here's yet another way to create a compile time assertion. This time we
don't create a dummy variable, or a dummy type, but a dummy statement. A
dummy switch statement:
If pred evaluates to true (i.e., 1) then the case
labels will be 0 and 1.
Different; Ok. If pred evaluates to false (i.e., 0) then the
case labels
will be 0 and 0. The same; Compile time error. Viola. However, a
switch
statement cannot exist in the global scope. So the last piece of the puzzle
is to put the compile time assertions inside a function.
Events declared in a class have their += and -= access automatically locked via a lock(this) to make them
thread safe (static events are locked on the typeof the class). Events declared in a struct do not
have their += and -= access automatically locked. A lock(this) for a struct would not work since you can
only lock on a reference type expression.
Exist on stack or heap?
Value type local instances are allocated on the stack.
Reference type local instances are allocated on the heap.
Can cause garbage collection?
Creating a struct instance cannot cause a garbage collection
(unless the constructor directly or indirectly creates
a reference type instance) whereas creating a reference type
instance can cause garbage collection.
Meaning of this?
In a class, this is classified as a value, and thus cannot appear on the
left hand side of an assignment, or be used as a ref/out parameter. For example:
In a struct, this is classified as an out parameter in a constructor and as a ref parameter
in all other function members. Thus it is possible to modify the entire structure by
assigning to this or passing this as a ref/out parameter. For example:
Note however that when you call a method on a readonly value-type field, the method
call is made on a copy of the field.
structDirect{// as above}classCaller{publicvoidMethod(){Console.WriteLine(d.Field);// writes 42d.Reassign(newDirect(24));Console.WriteLine(d.Field);// writes 42!}privatereadonlyDirectd=newDirect(42);}classShow{staticvoidMain(){Callerc=newCaller();c.Method();}}
Always have a default constructor?
A struct always has a built-in public default constructor.
classDefaultConstructor{staticvoidEg(){Directyes=newDirect();// always compiles okInDirectmaybe=newInDirect();// compiles if c'tor exists and is accessible//...}}
This means that a struct is always
instantiable whereas a class might not be since all its
constructors could be private.
A struct cannot have a destructor. A destructor is just
an override of object.Finalize in disguise, and structs, being value types,
are not subject to garbage collection.
.methodfamilyhidebysigvirtualinstancevoidFinalize()cilmanaged{// ...}// end of method Indirect::Finalize
Default field layout?
The default [StructLayout] attribute (which lives in the
System.Runtime.InteropServices namespace) for a struct is LayoutKind.Sequential
whereas the default StructLayout for a class is LayoutKind.Auto. (And yes,
despite its name you can tag a class with the StructLayout attribute.)
In other words the CIL for this:
You can't use the [MethodImpl(MethodImplOptions.Synchronized)] attribute
on methods of a struct type (if you call the method you get a runtime TypeLoadException) whereas you can use
the [MethodImpl(MethodImplOptions.Synchronized)] attribute on methods of a class type.
usingSystem.Runtime.CompilerServices;classIndirect{[MethodImpl(MethodImplOptions.Synchronized)]// compiles and runs okpublicvoidMethod(){//...}}structDirect{[MethodImpl(MethodImplOptions.Synchronized)]// compiles ok, runtime TypeLoadExceptionpublicvoidMethod(){//...}}
Can be pointed to?
Clause 25.2 of the C# standard defines an unmanaged type as any type that isn't
a reference type and doesn't contain reference-type fields at any level of
nesting. That is, one of the following:
Any simple value type (11.1.3, eg byte, int, long, double, bool, etc).
Any enum type.
Any pointer type.
Any user-defined struct-type that contains fields of unmanaged types only.
You can never take the address of a instance of a type that is
not unmanaged (a fixed variable 25.3).
In contrast, you can (nearly) always take the address of an unmanaged instance.
structDirect{// no reference fields at any level of nesting}classSimpleCase{staticvoidMain(){Directvariable=newDirect();unsafe{Direct*ptr=&variable;// compiles ok//... }}}
However, you have to take the address inside a fixed statement if the variable is moveable
(subject to relocation by the garbage collector, see 25.3 and example above).
Also, you can never take the address of a volatile field.
So, in summary, you can never create a pointer to a class type but you
sometimes create a pointer to a struct type.
Can be stackalloc'd?
You can only use stackalloc on unmanaged types. Hence you can never use stackalloc on
class types. For example:
Also, the definite assignment rules of a struct are tracked on an individual
field basis. This means you can bypass initialization and "assign" the fields of
a struct one a time. For example:
a struct can't call : base() in its constructor whereas a class with no
explicit base class can.
a struct can't extend another class, a class can.
a struct can't declare protected members (eg fields, nested types) a class can.
a struct can't declare abstract function members, an abstract class can.
a struct can't declare virtual function members, a class can.
a struct can't declare sealed function members, a class can.
a struct can't declare override function members, a class can.
The one exception to this rule is that a struct can override the
virtual methods of System.Object, viz, Equals(), and GetHashCode(),
and ToString().
Equals behavior?
classes inherit Object.Equals which implements identity equality
whereas structs inherit ValueType.Equals which implements value equality.
The ACCU conference is one of the highlights of my year.
I ran a brand new session, a C++ Pub Quiz with an emphasis on fun and interaction,
based loosely on the popular UK TV game show
Countdown.
In the TV version, contestants play individually and have 30 seconds to find the longest word
using only a small set of letters.
In this version, contestants play in teams, and have ~7 minutes to write the smallest valid
C++ program containing a small set of tokens.
For example, if the tokens were:
catch -> [ ; -- foobar operator
Then a winning program (53 character program) might be:
class c {
c operator->(){
foobar: try{
}
catch(c x[]){
x--;
}
}
};
We used cyber-dojo with some custom C++17 start-points
which automatically told you your program's size and score.
The rules were as follows:
The judges decision was final
Only non-whitespace characters were counted
Programs had to compile
Warnings were allowed
Extra tokens were allowed
Each token has to be a single whole token. For example the . token had to be the member access token; you could not use ... ellipsis or 4.2 floating point literal
The winners and the tokens were as follows (can you find smaller programs?)
Round 1: snakes, 75 character program,
dynamic_cast
snafu
+=
return
switch
final
Round 2: wolves,koalas tied, 54 character program,
catch
;
foobar
operator
--
[
Round 3: frogs, 62 character program,
else
~
default
->
using
foobar
0x4b
Round 4: tigers, 44 character program,
string
include
for
auto
template
42
Round 5: pandas, tigers tied, 82 character program,
virtual
typename
x
reinterpret_cast
static_cast
30ul
Round 6: wolves, 64 character program,
constexpr
override
goto
wibble
.
this
The raccoons and lions won the conundrum rounds.
The result was very close.
In 3rd place snakes with 481 points.
In 2nd place alligators with 488 points.
In 1st place tigers with 495 points.
A big thank you to my co-presenter Rob Chatley,
to all the contestants for being such good sports,
and to Bloomberg for sponsoring the Quiz.
is an excellent book by Jeff Nickoloff.
As usual I'm going to
quote from a few pages.
The docker stop command tells the program with PID #1 in the container to halt.
Like most Docker isolation features, you can optionally create containers
without their own PID namespace.
If a situation arises where the name of a container needs to change, you
can always rename the container with the [docker rename] command.
There are two types of volume... The first type of volume is a bind mount.
Bind mount volumes use any user-specified directory or file on the host
operating system. The second type is a managed volume. Managed volumes use
locations that are created by the Docker daemon in space controlled by
the daemon, called Docker managed space.
When you mount a volume on a container file system, it replaces the content
that the image provides at that location.
You can copy volumes directly or transitively.
The third situation where you can't use --volumes-from is if you need to change
the write permission of a volume.
Remember that containers maintain IP address leases only when they're running.
So if a container is stopped or restarted, it will lose its IP lease and
any linked containers will have stale data.
It's not common to see minimum requirements published with open source software.
CPU shares differ from memory limits in that they're enforced only when there
is contention for time on the CPU.
The union file system on your computer may have a layer count limit. These limits
vary, but a limit of 42 layers is common on computers that use the AUFS system.
The most curious thing about this Dockerfile is that the ENTRYPOINT is set to a file
that doesn't exist.
You have no way way to specify a bind-mount volume or read-only volume at
image build time.
The examples in this chapter use the cURL command-line tool. Because this
is a book about Docker, you should use cURL from inside a container.
is an excellent book by Herman Hesse.
As usual I'm going to
quote from a few pages.
He learned more from the river than Vasudeva could teach him.
He learned from it continually. Above all, he learned from it
how to listen,
to listen with a still heart, with a waiting,
open soul, without passion, without desire, without judgement,
without opinions.
It also happened that curious people came along, who had been told
that two wise men, magicians or holy men lived at the ferry.
The curious ones asked many questions but they received no replies,
and they found neither magicians nor wise men. They only found two
friendly old men, who appeared to be mute, rather odd and stupid.
And the curious ones laughed and said how foolish and credible
people were to spread such wild rumours.
Is it not perhaps a mistake on your part not to be strict with
him, not to punish him? Do you not chain him with your love?
Do you not shame him daily with your goodness and patience
and make it still more difficult for him?
Within Siddhartha there slowly grew and ripened the knowledge
of what wisdom really was and the goal of his long seeking.
It was nothing but a preparation of the soul, a secret art
of thinking, feeling and breathing thoughts of unity at every
moment of life.
From that hour Siddhartha ceased to fight against his destiny.
There shone in his face the serenity of knowledge, of one who
is no longer confronted with conflict of desires, who has found
salvation, who is in harmony with the streams of events, with
the stream of life, full of sympathy and compassion, surrendering
himself to the stream, belonging to the unity of all things.
In every truth the opposite is equally true. For example, a
truth can only be expressed and enveloped in words if it is
one-sided. Everything that is thought and expressed in words
is one-sided, only half the truth; it lacks totality,
completeness, unity.
The sinner is not on the way to a Buddha-like state; he is
not evolving, although our thinking cannot conceive things
otherwise. No, the potential Buddha already exists in the sinner;
his future is already there. The potential Buddha must be
recognized in him, in you, in everybody. The world, Govinda,
is not imperfect or slowly evolving along a path to perfection.
No, it is perfect at every moment; every sin already carries
grace within it, all small children are potential old men,
all sucklings have death within them, all dying people - eternal life.
In order to learn
to love the world, and no longer compare it with
some kind of desired imaginary world, some imaginary vision of
perfection, but to leave it as it is, to love it and be glad
to belong to it.
It may be a thought, but I confess, my friend, that I do not
differentiate very much between thoughts and words. Quite
frankly, I do no attach great importance to thoughts either.
I attach more importance to things.
I think it is only important to love the world, not to despise
it, not for us to hate others, but to be able to regard the
world and ourselves and all beings with love, admiration
and respect.
The thing to me is of greater importance than the words;
his deeds and life and more important to me than his
opinions. Not in speech or thought do I regard him as a great
man, but in his deeds and life.
Uncontrollable tears trickled down his old face. He was
overwhelmed by a feeling of great love, of the most
humble veneration.
is an excellent book by Peter Wohlleben
(isbn 1771642483).
As usual I'm going to
quote from a few pages.
In forked trees, at a certain point, two main shoots form, they continue
to grow alongside each other. Each side of the fork creates its own crown,
so in a heavy wind, both sides sway back and forth in different directions,
putting a great strain on the trunk where the two parted company. ...
The fork always breaks at its narrowest point, where the two sides diverge.
The process of learning
stability is triggered by painful micro-tears that
occur when the trees bend way over in the wind, first in one direction
and then in the other. Wherever it hurts, that's where the tree must
strengthen its support structure. ...
The thickness and stability of the trunk, therefore, builds up as the
tree responds to a series of aches and pains.
There is a honey fungus in Switzerland that covers almost 120 acres and
is about a thousand years old. Another in Oregon is estimated to be
2,400 years old, extends for 2,000 acres, and weighs 660 tons. That
makes fungi the largest known living organism in the world.
You find twice the amount of life-giving nitrogen and phosphorus
in plants that cooperate with fungal partners than in plants that
tap the soil with the roots alone.
Diversity provides security for ancient forests.
There are more life-forms in a handful of forest soil than there are
people on the planet.
As foresters like to say, the forest creates its own ideal habitat.
Commercial forest monocultures also encourage the mass reproduction of
butterflies and moths, such as nun moths and pine loopers.
What usually happens is that viral illnesses crop up towards the end of the
cycle and populations crash.
The storms pummel mature trunks with forces equivalent to a weight of
approximately 220 tons. Any tree unprepared for the onslaught can't
withstand the pressure and falls over. But deciduous trees are well
prepared. To be more aerodynamic they cast off all their solar panels.
And so a huge surface area of 1,200 square yards disappears and sinks
to the forest floor. This is the equivalent of a sailboat with a 130-foot
mast dropping a 100-by-130 foot mainsail.
Why do tree grow into pipes in the first place?...
What was attracting them was loose soil that had not been fully
compacted after construction. Here the roots found room to breathe
and grow. It was only incidentally that they penetrated the seals
between individual sections of pipe and eventually ran riot inside them.
Sometimes, especially in cold winters, the old wounds can act up again.
Then a crack like a rifle shot echoes through the forest and the trunk
splits open along the old injury. This is caused by differences in
tension in the frozen wood, because the wood in trees with a history of
injury varies greatly in density.
is an excellent book by Gene Kim, Jez Humble, Patrick Debois, and John Willis
(isbn 978-1-942788-00-3).
As usual I'm going to
quote from a few pages.
Make infrastructure easier to rebuild than to repair.
The average age of a Netflix AWS instance is twenty-four days.
Interrupting technology workers is easy, because the consequences are invisible
to almost everyone.
In complexsystems,
adding more inspection steps and approval processes
actually increases the likelihood of future failures.
Over the following year, they eliminated testing
as a separate phase of work, instead integrating it into everyone's daily work. They doubled
the features being delivered per month and halved the number of defects.
Bureaucracies
are incredibly resilient and are designed to survive adverse
conditions - one can remove half the bureaucrats, and the process will
still survive.
When we have a tightly coupled architecture, small
changes
can result in large scale failure.
Our deployment pipeline infrastructure becomes as foundational for
our development processes as our version control infrastructure.
If we find that unit or acceptance
tests are too difficult
and expensive to write and maintain, it's likely that we have an
architecture that is too tightly coupled.
Any successful product or
organization
will necessarily evolve over its life cycle... eBay and Google are each on their fifth entire
rewrite of their architecture from top to bottom.
... which can lead to the unfortunate metric of mean time until declared innocent.
The principle of small batch sizes also applies to code
reviews.
80% of MTTR (mean time to recovery) is spent trying to determine what
changed.
High performing DevOps organizations
will fail and make mistakes more often... If high performers are performing thirty times more frequently but
with only half the change failure rate,
they're obviously having more failures. [Roy Rapoport, Netflix]
Spiders repair rips and tears in the web as they occur, not waiting for
the failures to accumulate. [Dr Steven Spear]
It was my pleasure to run a small workshop style session at the
excellent NDC-London conference.
I ran a fun C++ game which parodies the popular UK TV gameshow Countdown.
In the TV version contestants take turns picking 9 random vowels/consonants
and finding the longest word in 30 seconds.
In my version contestants take turns picking 7 random tokens from 5 categories:
(keywords, identifiers, operators, punctuators, literals)
and writing the shortest C++ program using all 7 tokens in 8 minutes.
Contestants write their code in customized cyber-dojo
sessions which automatically:
checks which tokens have been used
tells you the size of the program
allows everyone to see all the submissions in the review
The rules:
tokens must be the correct type; eg you cannot write "." or ... for a dot operator
whitespace does not count towards the program's size