# 1 Jest'i Kullanmak
Click olayını test etmek için Jest sahte geri arama işlevini şu şekilde kullanıyorum:
import React from 'react';
import { shallow } from 'enzyme';
import Button from './Button';
describe('Test Button component', () => {
it('Test click event', () => {
const mockCallBack = jest.fn();
const button = shallow((<Button onClick={mockCallBack}>Ok!</Button>));
button.find('button').simulate('click');
expect(mockCallBack.mock.calls.length).toEqual(1);
});
});
Ayrıca enzim adlı bir modül kullanıyorum . Enzyme, React Bileşenlerinizi onaylamayı ve seçmeyi kolaylaştıran bir test aracıdır
# 2 Sinon Kullanımı
Ayrıca, bağımsız bir test casusu olan Sinon adlı başka bir modül , JavaScript için saplamalar ve alaylar kullanabilirsiniz. Şöyle görünüyor:
import React from 'react';
import { shallow } from 'enzyme';
import sinon from 'sinon';
import Button from './Button';
describe('Test Button component', () => {
it('simulates click events', () => {
const mockCallBack = sinon.spy();
const button = shallow((<Button onClick={mockCallBack}>Ok!</Button>));
button.find('button').simulate('click');
expect(mockCallBack).toHaveProperty('callCount', 1);
});
});
# 3 Kendi Casusunuzu Kullanmak
Son olarak, kendi saf casusunuzu yapabilirsiniz (Bunun için geçerli bir nedeniniz yoksa bu yaklaşımı önermiyorum).
function MySpy() {
this.calls = 0;
}
MySpy.prototype.fn = function () {
return () => this.calls++;
}
it('Test Button component', () => {
const mySpy = new MySpy();
const mockCallBack = mySpy.fn();
const button = shallow((<Button onClick={mockCallBack}>Ok!</Button>));
button.find('button').simulate('click');
expect(mySpy.calls).toEqual(1);
});