I like JavaScript and TypeScript a lot.
React is cool, too.
export const StopLight = () => {
const [light, setLight] = useState<(typeof lights)[number]>('red');
const switchLight = () => {
// ok this is really contrived 🥵
const randomLight = lights[Math.floor(Math.random() * lights.length)];
setLight(randomLight);
};
return (
<div className="m-16">
<div className={light === 'red' ? 'bg-red-600' : 'bg-red-100'} />
<div className={light === 'yellow' ? 'bg-yellow-300' : 'bg-yellow-100'} />
<div className={light === 'green' ? 'bg-green-600' : 'bg-green-100'} />
<button onClick={switchLight}>
Switch light
</button>
</div>
);
};
const switchLight = () => {
// ok this is really contrived 🥵
const randomLight = lights[Math.floor(Math.random() * lights.length)];
setLight(randomLight);
};
const [light, setLight] = useState('red');
const [arrow, setArrow] = useState(undefined);
const lights = ['red', 'green', 'yellow'];
const [lightIndex, setLightIndex] = useState(0);
const switchLight = () => {
const newIndex = (lightIndex + 1) % lights.length;
setLightIndex(newIndex);
setLight(lights[lightIndex]);
};
const [light, setLight] = useState<(typeof lights)[number]>('red');
const [arrow, setArrow] = useState<'green' | 'yellow' | undefined>(undefined);
const [lightIndex, setLightIndex] = useState(0);
const switchLight = () => {
const newIndex = (lightIndex + 1) % lights.length;
setLightIndex(newIndex);
setLight(lights[lightIndex]);
setArrow((['green', 'yellow', undefined] as const)[Math.floor(Math.random() * 3)]);
};
Mo Money can also lead to mo problems. ↩︎
export interface State {
light: 'red' | 'green'| 'yellow';
arrow: 'green' | 'yellow' | undefined;
}
export const LightContext = createContext<State | null>(null);
export const LightProvider = ({ initialState, children }) => (
<LightContext.Provider value={initialState}>
{children}
</LightContext.Provider>
);
function lightReducer(state = { light: 'red' }, action) {
switch (action.type) {
case 'light/change':
return { light: action.payload }
default:
return state;
}
}
const store = createStore(lightReducer);
store.dispatch({ type: 'light/change', payload: 'yellow' });
import { createMachine } from 'xstate';
export const lightMachine = createMachine({
id: 'light',
initial: 'red',
states: {
red: {
on: { SWITCH: 'green' },
},
yellow: {
on: { SWITCH: 'red' },
},
green: {
on: { SWITCH: 'yellow' },
},
},
});
import { createMachine } from 'xstate';
export const lightMachine = createMachine({
id: 'light',
initial: 'red',
states: {
red: {
on: { SWITCH: 'green' },
},
yellow: {
on: { SWITCH: 'red' },
},
green: {
on: { SWITCH: 'yellow' },
},
},
});
export const Game= () => (
<div className="game">
<Player name="nick"/>
{/* ... */}
</div>
export const Player = ({ name}: Props) => (
<div>
<img src={`${name}.bmp`} />
<marquee>{name</marquee>
</div>
Storybook helps build components faster
npm install storybook-xstate-addon
meme
machineimport { createMachine } from 'xstate';
export const memeMachine = createMachine({
id: 'memeMachine',
states: {
initial: {}, // starting state
loadMemes: {}, // fetch popular memes
selectMeme: {}, // randomly select
enterCaptions: {}, // enter captions
generateMeme: {}, // generate meme
done: { type: 'final' }, // show meme
},
});
This is the data that you'd like he state machine to store
interface MemeMachineContext {
memes: Meme[];
selectedMeme: Meme;
captions: string[];
generatedMemeUrl: string;
}
export const memeMachine = createMachine<
MemeMachineContext
>({
context: { /* ... */ },
// ...
});
initial: 'initial',
states: {
initial: { /* ... */ },
loadMemes: { /* ... */ },
selectMeme: { /* ... */ },
enterCaptions: { /* ... */ },
generateMeme: { /* ... */ },
done: { type: 'final' },
},
- Represents all possible states
finite
part 😉initial
All possible actions that can occur while in a state
export type MemeMachineEvent =
| { type: 'ADD_CAPTION'; value: string }
| { type: 'NEXT' };
export const memeMachine = createMachine<MemeMachineContext, MemeMachineEvent>({
// ...
});
NEXT
- Move to the next state (when defined)ADD_CAPTION
- provide a value
which will be stored in the machine's contextinitial
to loadMemes
export const memeMachine = createMachine({
id: 'memeMachine',
initial: 'initial',
states: {
initial: {
on: {
NEXT: 'loadMemes'
},
},
loadMemes: { /* ... */ },
// ...
},
});
loadMemes: {
tags: ['loading'],
invoke: {
id: 'fetchMemes',
src: 'fetchMemes',
onDone: {
target: 'selectMeme',
actions: assign({
memes: (_, event) => event.data,
}),
},
},
},
assign
sets the meme array in the context.
selectMeme: {
entry: assign({
selectedMeme: ({ memes }) => memes[Math.floor(Math.random() * memes.length)],
}),
always: 'enterCaptions',
},
entry
and always
automate the whole state
onDone
defined to determine target when sub-machine has finishedenterCaptions: {
initial: 'entering',
onDone: {
target: 'generateMeme',
},
states: {
entering: { /* ... */ },
enterCaption: { /* ... */ },
done: { type: 'final' },
},
},
entering
state - Type Guardsentering: {
always: [
{
target: 'enterCaption',
cond: 'needsMoreCaptions',
},
{
target: 'done',
},
],
},
target
if the cond
ition is mettarget
, otherwiseenterCaption: {
on: {
ADD_CAPTION: {
actions: assign({
captions: ({ captions }, event) => ([...captions, event.value]),
}),
target: 'entering',
},
},
},
entering
state to loop back and see if we need more captionsNo React but look at my "component" 😉
generateMeme: {
tags: ['loading'],
invoke: {
id: 'generateMeme',
src: 'generateMeme',
onDone: {
target: 'done',
actions: assign({
generatedMemeUrl: (_, event) => event.data,
}),
},
},
},
export const memeMachine = createMachine(
{/ * ... */ },
{
guards: {
needsMoreCaptions: ({ selectedMeme, captions }) => selectedMeme!.box_count > captions.length,
},
services: {
fetchMemes: () => () => fetchMemes(),
generateMeme:
({ selectedMeme, captions }) =>
() =>
captionMeme(selectedMeme!.id, captions),
},
},
);
import { createActorContext } from '@xstate/react';
import { memeMachine } from '../memeMachine';
// Create an Actor context
const MemeMachineContext = createActorContext(memeMachine);
// export a Provider component
export const MachineProvider = MemeMachineContext.Provider;
// export useActor and useContext hooks to access
// the machine's state and send it messages
export const useActor = MemeMachineContext.useActor;
export const useSelector = MemeMachineContext.useSelector;
useActor
const [state, send] = useActor();
send({
type: 'ADD_CAPTION',
value: 'KCDC Rocks 😎'
});
state
is the current state of the machinesend
is how your React code can communicate with the machineuseSelector
// The number of captions we currently have in state
const captionCount = useSelector(state => state.context.captions.length);
// Whether the current state has a `loading` tag
const loading = useSelector(state => state.tags.has('loading'));
generateClue: {
tags: ['loading'],
invoke: {
id: 'generateClue',
src: 'getClue',
onDone: {
target: 'showClue',
actions: assign({
clue: (_, event) => event.data,
}),
},
},
},
{state === 'showClue' && clue && (
<Centered>
<div className="text-center">
<p className="text-2xl p-3">Your Clue:</p>
<p className="text-5xl p-3 whitespace-pre">{clue}</p>
<button className="p-3 text-lg border-white border rounded-lg" onClick={() => send('NEXT')}>
ADD CAPTION(S)
</button>
</div>
</Centered>
)}
⚛️ Can be difficult to interact with React
XState 5 is now in beta and addresses a lot!