Slide 1

Slide 1 text

No content

Slide 2

Slide 2 text

@AndrewRadev

Slide 3

Slide 3 text

Тестване на странни неща

Slide 4

Slide 4 text

Обичайната структура ● Setup ● Exercise ● Verify ● Teardown

Slide 5

Slide 5 text

describe Stack do it "allows popping the top element" do # Setup stack = Stack.new stack.push("one") stack.push("two") # Exercise top_element = stack.pop # Verify expect(top_element).to eq "two" end end

Slide 6

Slide 6 text

Понякога не е толкова просто

Slide 7

Slide 7 text

waiting_on_rails (demo)

Slide 8

Slide 8 text

waiting-on-rails server ● Пускаме rails server ● Пускаме музика ● Принтим към stdout ● Като видим “Listening on tcp://...”, дзън!

Slide 9

Slide 9 text

Как бих тествал това?

Slide 10

Slide 10 text

module WaitingOnRails class Player def initialize(music_path) @music_path = full_path(music_path) end private def full_path(path) File.expand_path( "#{File.dirname(__FILE__)}/../../vendor/#{path}" ) end end end

Slide 11

Slide 11 text

module WaitingOnRails class Player # ... attr_reader :pid def start @pid = Kernel.spawn("mplayer #{@music_path}", { out: '/dev/null', err: '/dev/null', }) end def stop return true if @pid.nil? Process.kill(15, @pid) Process.wait(@pid) true rescue Errno::ESRCH, Errno::ECHILD false end # ... end end

Slide 12

Slide 12 text

module WaitingOnRails describe Player do let(:player) { Player.new('test.mp3') } it "spawns an external process" do expect(Kernel).to receive(:spawn) player.start end it "kills itself correctly" do expect(Kernel).to receive(:spawn).and_return(123) player.start expect(Process).to receive(:kill).with(15, 123) expect(Process).to receive(:wait).with(123) player.stop end end end

Slide 13

Slide 13 text

Ако променим кода?

Slide 14

Slide 14 text

module WaitingOnRails class Player # ... attr_reader :pid def start @pid = spawn("mplayer #{@music_path}", { out: '/dev/null', err: '/dev/null', }) end def stop return true if @pid.nil? Process.kill(9, @pid) Process.wait(@pid) true rescue Errno::ESRCH, Errno::ECHILD false end # ... end end

Slide 15

Slide 15 text

Тестване на същественото

Slide 16

Slide 16 text

module WaitingOnRails describe Player do let(:player) { Player.new('test.mp3') } it "spawns an external process" do player.start expect(player.pid).to be_a_running_process end it "kills itself correctly" do player.start player.stop expect(player.pid).to_not be_a_running_process end end end

Slide 17

Slide 17 text

RSpec::Matchers.define :be_a_running_process do match do |pid| if pid.nil? false else begin Process.getpgid(pid) true rescue Errno::ESRCH false end end end end

Slide 18

Slide 18 text

module WaitingOnRails describe Player do let(:player) { Player.new('test.mp3') } it "spawns an external process" do player.start expect(player.pid).to be_a_running_process end it "kills itself correctly" do player.start player.stop expect(player.pid).to_not be_a_running_process end end end

Slide 19

Slide 19 text

config.around do |example| original_path = ENV['PATH'] ENV['PATH'] = "#{File.expand_path('spec/support/bin')}:#{original_path}" example.call ENV['PATH'] = original_path end # ./spec/support/bin/mplayer #!/bin/sh while true; do sleep 1 done

Slide 20

Slide 20 text

module WaitingOnRails class Exit < StandardError; end class Rails def initialize(music_player, ding_player) @music_player = music_player @ding_player = ding_player end # ... end end

Slide 21

Slide 21 text

module WaitingOnRails class Rails # ... def run(args) if not should_play_music?(args) exec_rails_command(args) end # ... end private def should_play_music?(args) args.find { |arg| ['server', 's'].include? arg } end def exec_rails_command(args) exec 'rails', *args end # ... end end

Slide 22

Slide 22 text

module WaitingOnRails class Rails # ... def run(args) if not should_play_music?(args) exec_rails_command(args) end spawn_rails_subprocess(args) do |output, pid| # ... end end private def spawn_rails_subprocess(args) PTY.spawn('rails', *args) do |output, input, pid| yield output, pid end end # ... end end

Slide 23

Slide 23 text

module WaitingOnRails class Rails # ... def run(args) if not should_play_music?(args) exec_rails_command(args) end spawn_rails_subprocess(args) do |output, pid| @music_player.start # ... end ensure @music_player.stop end private # ... end end

Slide 24

Slide 24 text

module WaitingOnRails class Rails # ... def run(args) if not should_play_music?(args) exec_rails_command(args) end spawn_rails_subprocess(args) do |output, pid| @music_player.start handle_signals(pid, output) end rescue Exit exit(1) ensure @music_player.stop end private # ... end end

Slide 25

Slide 25 text

module WaitingOnRails class Rails # ... def run(args) if not should_play_music?(args) exec_rails_command(args) end spawn_rails_subprocess(args) do |output, pid| @music_player.start handle_signals(pid, output) main_loop(output) end rescue Exit exit(1) ensure @music_player.stop end private # ... end end

Slide 26

Slide 26 text

module WaitingOnRails class Rails # ... private def main_loop(io) loop do begin line = io.readline puts line if matches_server_start?(line) @music_player.stop sleep 0.5 @ding_player.start if @ding_player end rescue EOFError break rescue Errno::EIO raise Exit end end end # ... end end

Slide 27

Slide 27 text

WaitingOnRails::Rails rails server mplayer music.mp3

Slide 28

Slide 28 text

CommandStub

Slide 29

Slide 29 text

# ./spec/support/bin/rails #! /usr/bin/env ruby require 'socket' filename = File.expand_path( File.dirname(__FILE__) + '/../../../tmp/rails.socket' ) socket = UNIXServer.new(filename).accept begin while line = socket.readline puts line end rescue EOFError end

Slide 30

Slide 30 text

module Support class CommandStub def initialize(command) @command = command end def init return if @socket Timeout.timeout(2) do @socket = UNIXSocket.new(socket_path) end rescue Errno::ENOENT retry end # ... private def socket_path File.expand_path( File.dirname(__FILE__) + "/../../tmp/#{@command}.socket" ) end end end

Slide 31

Slide 31 text

module Support class CommandStub # ... def add_output(string) init @socket.write(string) end def finish if @socket @socket.close @socket = nil end end # ... end end

Slide 32

Slide 32 text

./support/bin/rails s CommandStub Socket

Slide 33

Slide 33 text

module WaitingOnRails describe Rails do let(:player) { Player.new('test.mp3') } let(:runner) { Rails.new(player) } let(:rails_stub) { Support::CommandStub.new('rails') } it "stops the music after seeing that the server was started" do thread = Thread.new { runner.run(['server']) } # ... end end end

Slide 34

Slide 34 text

WaitingOnRails::Rails Test code

Slide 35

Slide 35 text

WaitingOnRails::Rails rails s mplayer music.mp3 Test code

Slide 36

Slide 36 text

WaitingOnRails::Rails ./support/bin/rails s ./support/bin/mplayer … Test code

Slide 37

Slide 37 text

WaitingOnRails::Rails ./support/bin/rails s ./support/bin/mplayer … Test code Socket

Slide 38

Slide 38 text

module WaitingOnRails describe Rails do # ... it "stops the music after seeing that the server was started" do thread = Thread.new { runner.run(['server']) } rails_stub.init # ... end end end

Slide 39

Slide 39 text

WaitingOnRails::Rails ./support/bin/rails s ./support/bin/mplayer … Test code CommandStub Socket

Slide 40

Slide 40 text

module WaitingOnRails describe Rails do # ... it "stops the music after seeing that the server was started" do thread = Thread.new { runner.run(['server']) } rails_stub.init rails_stub.add_output <<-EOF => Booting Puma => Rails 5.x.x application starting in development ... => Run `rails server -h` for more startup options EOF expect(player.pid).to be_a_running_process # ... end end end

Slide 41

Slide 41 text

module WaitingOnRails describe Rails do # ... it "stops the music after seeing that the server was started" do # ... rails_stub.add_output <<-EOF Puma starting in single mode... * Version 3.x.x (ruby 2.x.x-pxxx), codename: ... * Min threads: 5, max threads: 5 * Environment: development * Listening on tcp://localhost:3000 Use Ctrl-C to stop EOF # ... end end end

Slide 42

Slide 42 text

WaitingOnRails::Rails ./support/bin/rails s ./support/bin/mplayer … Test code CommandStub Socket

Slide 43

Slide 43 text

WaitingOnRails::Rails ./support/bin/rails s Test code CommandStub Socket

Slide 44

Slide 44 text

module WaitingOnRails describe Rails do # ... it "stops the music after seeing that the server was started" do # ... rails_stub.add_output <<-EOF Puma starting in single mode... * Version 3.x.x (ruby 2.x.x-pxxx), codename: ... * Min threads: 5, max threads: 5 * Environment: development * Listening on tcp://localhost:3000 Use Ctrl-C to stop EOF sleep 0.5 expect(player.pid).to_not be_a_running_process end end end # Done!

Slide 45

Slide 45 text

waiting-on-rake routes ● Пуска rake routes ● Пуска музика ● Принти към stdout ● Когато rake процеса приключи, дзън!

Slide 46

Slide 46 text

module WaitingOnRails describe Rake do let(:player) { Player.new('test.mp3') } let(:runner) { Rake.new(player) } let(:rake_stub) { Support::CommandStub.new('rake') } it "plays music during the entire running of the command" do thread = Thread.new { runner.run(['routes']) } rake_stub.init expect(player.pid).to be_a_running_process rake_stub.finish thread.join expect(player.pid).to_not be_a_running_process end end end

Slide 47

Slide 47 text

Извод: Тествайте същественото

Slide 48

Slide 48 text

Value / Cost ● High value, low cost – чудесно! ● Low value, low/high cost – не толкова чудесно! ● High value, high cost – тегаво! ● More: High Cost Tests and High Value Tests

Slide 49

Slide 49 text

Faker

Slide 50

Slide 50 text

irb(main):001:0> require 'faker' => true irb(main):002:0> Faker::Lorem.sentence => "Omnis maiores eum qui." irb(main):003:0> Faker::PhoneNumber.phone_number => "(910) 406-8835 x66233" irb(main):004:0> Faker::Address.street_address => "5020 Charity Court"

Slide 51

Slide 51 text

irb(main):005:0> Faker::Hipster.words => ["tilde", "try-hard", "butcher"] irb(main):006:0> Faker::Hipster.sentence => "Stumptown gluten-free before they sold out 3 wolf moon tilde iphone tattooed." irb(main):007:0> Faker::Company.bs => "benchmark mission-critical portals" irb(main):008:0> Faker::Company.bs => "streamline frictionless partnerships" irb(main):009:0> Faker::Hacker.say_something_smart => "We need to quantify the auxiliary RSS program!" irb(main):010:0> Faker::Hacker.say_something_smart => "If we back up the feed, we can get to the PCI interface through the virtual GB pixel!" irb(main):011:0> Faker::Hacker.say_something_smart => "The JBOD program is down, compress the haptic array so we can compress the XSS application!"

Slide 52

Slide 52 text

require 'faker' describe Faker::Hipster do it "generates the right words, I guess" do Kernel.srand(123) expect(Faker::Hipster.words(3)).to eq ['tumblr', 'hella', 'yr'] end it "generates a particular sentence with this particular seed" do Kernel.srand(123) expect(Faker::Hipster.sentence).to eq( 'Tumblr seitan yr lomo plaid retro normcore biodiesel salvia.' ) end end

Slide 53

Slide 53 text

Само конкретен случай :/

Slide 54

Slide 54 text

class TestFakerHipster < Test::Unit::TestCase def setup @tester = Faker::Hipster end def test_words_without_spaces @words = @tester.words(1000) @words.each { |w| assert !w.match(/\s/) } end def test_words_with_large_count_params exact = @tester.words(500) range = @tester.words(250..500) array = @tester.words([250, 500]) assert(exact.length == 500) assert(250 <= range.length && range.length <= 500) assert(array.length == 250 || array.length == 500) end end

Slide 55

Slide 55 text

Property-based testing

Slide 56

Slide 56 text

Randomness

Slide 57

Slide 57 text

describe Dice do describe "result of #roll" do it "is between 1 and 6" do 10_000.times do expect(Dice.roll).to be_between(1, 6).inclusive end end end end

Slide 58

Slide 58 text

module Dice def self.roll rand(5) + 1 end end

Slide 59

Slide 59 text

module Dice def self.roll # chosen by a fair dice roll return 4 end end

Slide 60

Slide 60 text

Какви property-та има едно зарче? ● Винаги се пада нещо между 1 и 6 ● Средната стойност е 3.5

Slide 61

Slide 61 text

1 2 3 4 5 6

Slide 62

Slide 62 text

describe Dice do describe "result of #roll" do it "is between 1 and 6" do 10_000.times do expect(Dice.roll).to be_between(1, 6).inclusive end end it "returns results with the right mean" do results = 10_000.times.map { Dice.roll } expect(results.mean.round(1)).to eq 3.5 end end end class Array def mean inject(&:+).to_f / size end end

Slide 63

Slide 63 text

rand(max) “When max is an Integer, rand returns a random integer greater than or equal to zero and less than max.”

Slide 64

Slide 64 text

Какви property-та има едно зарче? ● Винаги се пада нещо между 1 и 6 ● Средната стойност е 3.5 ● Вариацията е ~2.9

Slide 65

Slide 65 text

1 2 3 4 5 6

Slide 66

Slide 66 text

describe Dice do describe "result of #roll" do it "returns results with the right variance" do results = 10_000.times.map { Dice.roll } expect(results.variance.round(1)).to eq 2.9 end end end class Array def variance expected_value = mean map { |value| (value - expected_value) ** 2 }.mean end end

Slide 67

Slide 67 text

No content

Slide 68

Slide 68 text

Beautiful testing “Coding errors are likely to cause the tests to fail every time, not just a little more often than expected.” – John D. Cook

Slide 69

Slide 69 text

Текстови редактори

Slide 70

Slide 70 text

No content

Slide 71

Slide 71 text

Splitjoin (demo)

Slide 72

Slide 72 text

vim --servername FOO vim --remote-send vim --remote-expr

Slide 73

Slide 73 text

Vimrunner (demo)

Slide 74

Slide 74 text

describe "ruby" do specify "if-clauses" do # Setup set_file_contents 'test.rb', <<~EOF return "the answer" if 6 * 9 == 42 EOF vim.command 'edit test.rb' # Exercise vim.command 'SplitjoinSplit' vim.write # Verify expect_file_contents 'test.rb', <<~EOF if 6 * 9 == 42 return "the answer" end EOF end end

Slide 75

Slide 75 text

Извод: понякога не е чак толкова трудно

Slide 76

Slide 76 text

describe Stack do it "allows popping the top element" do # Setup stack = Stack.new stack.push("one") stack.push("two") # Exercise top_element = stack.pop # Verify expect(top_element).to eq "two" end end

Slide 77

Slide 77 text

describe "ruby" do specify "if-clauses" do # Setup set_file_contents 'test.rb', <<~EOF return "the answer" if 6 * 9 == 42 EOF vim.command 'edit test.rb' # Exercise vim.command 'SplitjoinSplit' vim.write # Verify expect_file_contents 'test.rb', <<~EOF if 6 * 9 == 42 return "the answer" end EOF end end

Slide 78

Slide 78 text

module WaitingOnRails describe Rake do let(:player) { Player.new('test.mp3') } let(:runner) { Rake.new(player) } let(:rake_stub) { Support::CommandStub.new('rake') } it "plays music during the entire running of the command" do # Exercise thread = Thread.new { runner.run(['routes']) } # Setup rake_stub.init # Verify expect(player.pid).to be_a_running_process end end end

Slide 79

Slide 79 text

Извод: и тестовете са код

Slide 80

Slide 80 text

И тестовете са код ● Vimrunner ● CommandStub ● Selenium

Slide 81

Slide 81 text

No content

Slide 82

Slide 82 text

Какво биха направили авторите на Selenium?

Slide 83

Slide 83 text

Благодаря

Slide 84

Slide 84 text

Ресурси ● Beautiful Testing ● Beautiful Testing chapter 10 (PDF) ● The Architecture of Open Source Applications ● The Architecture of Open Source Applications (Selenium Chap ter) ● Javascript Testing Recipes