Reputation: 1078
i extended the theme provider in chakra_ui
import React from "react";
import ReactDOM from "react-dom";
import { ChakraProvider, extendTheme } from "@chakra-ui/react";
import App from "./App";
const theme = extendTheme({
colors: {
brand: {
50: "#44337A",
100: "#B794F4"
}
}
});
const rootElement = document.getElementById("root");
ReactDOM.render(
<React.StrictMode>
<ChakraProvider theme={theme}>
<App />
</ChakraProvider>
</React.StrictMode>,
rootElement
);
I used the Button Component like and set the colorScheme prop to the value my theme has:
<Button size="sm" colorScheme="brand.100">
Click Me
</Button>
it produced the following in css: background: brand.50.500;
. so it does not apply the color, any problem??
i noticed something, without the .number
: e.g .50 or .100... the brand does not work, but other inbuilt colors work.
https://codesandbox.io/s/infallible-allen-1k0tx?file=/src/App.js:257-333
Upvotes: 9
Views: 20095
Reputation: 3546
I believe the new and propper way to add custom styles for ChakraUI is with the styleconfig for component styles.
For example:
import { defineStyleConfig } from '@chakra-ui/react'
const Button = defineStyleConfig({
// The styles all button have in common
baseStyle: {
fontWeight: 'bold',
textTransform: 'uppercase',
borderRadius: 'base', // <-- border radius is same for all variants and sizes
},
// Two sizes: sm and md
sizes: {
sm: {
fontSize: 'sm',
px: 4, // <-- px is short for paddingLeft and paddingRight
py: 3, // <-- py is short for paddingTop and paddingBottom
},
md: {
fontSize: 'md',
px: 6, // <-- these values are tokens from the design system
py: 4, // <-- these values are tokens from the design system
},
},
// Two variants: outline and solid
variants: {
outline: {
border: '2px solid',
borderColor: 'purple.500',
color: 'purple.500',
},
solid: {
bg: 'purple.500',
color: 'white',
},
},
// The default size and variant values
defaultProps: {
size: 'md',
variant: 'outline',
},
})
Read more here: https://chakra-ui.com/docs/styled-system/component-style
Upvotes: 1
Reputation: 401
The colorScheme
just accepts the color name. In your case, it will be colorScheme="brand"
.
If we inspect the way chakra works to generate the colorScheme
for a solid button, we can notice that it calls ${c}.500
. It means that when you create your brand color scheme, you need to specify one color for 500
and you're missing that in your code example.
import React from "react";
import ReactDOM from "react-dom";
import { ChakraProvider, extendTheme } from "@chakra-ui/react";
import App from "./App";
const theme = extendTheme({
colors: {
brand: {
50: "#44337A",
100: "#B794F4",
500: "#B794F4", // you need this
}
}
});
const rootElement = document.getElementById("root");
ReactDOM.render(
<React.StrictMode>
<ChakraProvider theme={theme}>
<App />
</ChakraProvider>
</React.StrictMode>,
rootElement
);
And when you're calling the button you just need to:
<Button size="sm" colorScheme="brand">
Click Me
</Button
Upvotes: 26