In the previous guide we learned how to create custom block types that render chunks of text inside different containers. But Slate allows for more than just "blocks".
In this guide, we'll show you how to add custom formatting options, like bold, italic, code or strikethrough.
And now, we'll edit the onKeyDown handler to make it so that when you press control-B, it will add a "bold" mark to the currently selected text:
classAppextendsReact.Component { state = { value: initialValue, }onChange= ({ value }) => {this.setState({ value }) }onKeyDown= (event, change) => {if (!event.ctrlKey) return// Decide what to do based on the key code...switch (event.key) {// When "B" is pressed, add a "bold" mark to the text.case'b': {event.preventDefault()change.addMark('bold')returntrue }// When "`" is pressed, keep our existing code block logic.case'`': {constisCode=change.value.blocks.some(block =>block.type =='code')event.preventDefault()change.setBlocks(isCode ?'paragraph':'code')returntrue } } }render() {return ( <Editorvalue={this.state.value}onChange={this.onChange}onKeyDown={this.onKeyDown}renderNode={this.renderNode} /> ) }renderNode= props => {switch (props.node.type) {case'code':return <CodeNode {...props} /> } }}
Okay, so we've got the hotkey handler setup... but! If you happen to now try selecting text and hitting control-B, you won't notice any change. That's because we haven't told Slate how to render a "bold" mark.
For every mark type you want to add to your schema, you need to give Slate a "renderer" for that mark, just like nodes. So let's define our bold mark:
// Define a React component to render bold text with.functionBoldMark(props) {return <strong>{props.children}</strong>}
Pretty simple, right?
And now, let's tell Slate about that mark. To do that, we'll pass in the renderMark prop to our editor. Also, let's allow our mark to be toggled by changing addMark to toggleMark.