Reputation: 218
I'm trying to test my styled components.
Therefore i installed jest-styled-components
.
I wanted to test, if my component change the opacity after click.
I tried it with toHaveStyleRule
. But it says:
Property not found: "opacity"
So here is my styled component:
const ClueAnswer = styled.h3`
transition: opacity 1s;
transition-timing-function: ${props => props.reveal ? 'ease-out' : 'ease-in' };
opacity: ${props => props.reveal ? 1 : 0};
cursor: pointer;
`;
ClueAnswer.displayName = 'ClueAnswer';
export { ClueAnswer };
And I'm importing it here:
// Vendor
import React, { Component } from 'react';
// Styled Components
import {
ClueAnswer,
ClueWrapper
} from '../style/general';
class Clue extends Component {
constructor(props) {
super(props);
this.state = {
reveal: false
};
}
render() {
const { clue } = this.props;
return (
<ClueWrapper>
<h3>Difficulty: { clue.value }</h3>
<hr />
<p>{ clue.question }</p>
<hr />
<ClueAnswer
reveal={ this.state.reveal }
onClick={ () => this.setState(prevState => { return { reveal: !prevState.reveal } }) }>{ clue.answer }</ClueAnswer>
</ClueWrapper>
);
}
}
export default Clue;
My setupTest.js
file looks like this:
// Polyfill
import raf from './polyfill';
// Vendor
import { configure } from 'enzyme';
import Adapter from 'enzyme-adapter-react-16';
import 'jest-styled-components';
configure({ adapter: new Adapter() });
And finally my test file:
// Vendor
import React from 'react';
import { shallow } from 'enzyme';
// Component
import Clue from './clue';
// Fixtures
import { clue } from '../data/fixtures';
const props = { clue };
describe('Clue Component', () => {
const clueWrapper = shallow(<Clue { ...props } />);
describe('and behavior on click', () => {
const ClueAnswer = clueWrapper.find('ClueAnswer');
const revealBeforeClick = clueWrapper.state('reveal');
let revealAfterClick;
beforeAll(() => {
ClueAnswer.simulate('click');
revealAfterClick = clueWrapper.state('reveal');
});
it('toggles reveal state on click', () => {
expect(revealBeforeClick).not.toBe(revealAfterClick);
});
it('changes the opacity on click', () => {
console.log(clueWrapper.debug());
console.log(ClueAnswer.props());
expect(ClueAnswer).toHaveStyleRule('opacity', 1);
});
});
});
The debug of clueWrapper.debug()
looks like this:
<styled.div>
<h3>
Difficulty:
200
</h3>
<hr />
<p>
q one
</p>
<hr />
<ClueAnswer reveal={true} onClick={[Function]}>
a one
</ClueAnswer>
</styled.div>
I expected from toHaveStyleRule
to get the current value of opacity, but instead i got the described problem.
Anyone have a hint?
Best regards
Upvotes: 5
Views: 7022
Reputation: 110922
The problem is that ClueAnswer
not really rendered when the parent component is rendered just using shallow
. Using mount
instead should also force ClueAnswer
to be rendered
Upvotes: 3