Upgrade to Pro — share decks privately, control downloads, hide ads and more …

"Test-Driven" в Rails

Stefan Kanev
February 03, 2012

"Test-Driven" в Rails

Презентацията от Empower on Rails за тестове и TDD в Rails.

Stefan Kanev

February 03, 2012
Tweet

More Decks by Stefan Kanev

Other Decks in Programming

Transcript

  1. 3. 14159265358979323846264338327950288419716939937510 58209749445923078164062862089986280348253421170679 82148086513282306647093844609550582231725359408128 48111745028410270193852110555964462294895493038196 44288109756659334461284756482337867831652712019091 45648566923460348610454326648213393607260249141273 72458700660631558817488152092096282925409171536436 78925903600113305305488204665213841469519415116094 33057270365759591953092186117381932611793105118548

    07446237996274956735188575272489122793818301194912 98336733624406566430860213949463952247371907021798 60943702770539217176293176752384674818467669405132 00056812714526356082778577134275778960917363717872 14684409012249534301465495853710507922796892589235 42019956112129021960864034418159813629774771309960 51870721134999999837297804995105973173281609631859 50244594553469083026425223082533446850352619311881 71010003137838752886587533208381420617177669147303 59825349042875546873115956286388235378759375195778 18577805321712268066130019278766111959092164201989 38095257201065485863278865936153381827968230301952 03530185296899577362259941389124972177528347913151 55748572424541506959508295331168617278558890750983 81754637464939319255060400927701671139009848824012 85836160356370766010471018194295559619894676783744 94482553797747268471040475346462080466842590694912 93313677028989152104752162056966024058038150193511 25338243003558764024749647326391419927260426992279 67823547816360093417216412199245863150302861829745 55706749838505494588586926995690927210797509302955
  2. instance Show Board where show (Board ps) = let ordered

    = (sort . swap) ps ranks = map (showRank ordered) [8,7..1] board = intersperse "--+--+--+--+--+--+--+--" ranks rlabels = intersperse " " (map (\n->(show n)++" ") [8,7..1]) flabels = " a b c d e f g h" in unlines $ zipWith (++) rlabels board ++ [flabels] where swap = map (\(a,b)->(b,a)) showRank ps r = let rnk = filter (\(p,_)->(rank p)==r) ps cs = map (showPiece rnk) [A .. H] in concat (intersperse "|" cs) showPiece ps f = maybe " " (show . snd) (find (\(p,_)->(file p)==f) ps)
  3. 1. Защо пишем тестове? 2. Структура и понятия 3. Често

    срещани грешки 4. Инструменти в Ruby 5. Test-Driven Development 6. Mocks 7. Behavior-Driven Development План
  4. Няма да говоря за прости неща, които може да си

    прочетете сами - ще наблегна на по-трудното за намиране
  5. 1. Защо пишем тестове? 2. Структура и понятия 3. Често

    срещани грешки 4. Инструменти в Ruby 5. Test-Driven Development 6. Mocks 7. Behavior-Driven Development
  6. 1. Защо пишем тестове? 2. Структура и понятия 3. Често

    срещани грешки 4. Инструменти в Ruby 5. Test-Driven Development 6. Mocks 7. Behavior-Driven Development
  7. class Stack < Test::Unit::TestCase def setup @stack = Stack.new end

    def test_empty assert @stack.empty? @stack.push 42 assert [email protected]? end def test_pop @stack.push 42 @stack.push 5 assert_equal 5, @stack.pop assert_equal 42, @stack.pop asser_raise(StackEmptyError) { @stack.pop } end end
  8. ! testrb stack_test.rb Loaded suite stack_test.rb Started .. Finished in

    0.000629 seconds. 2 tests, 2 assertions, 0 failures, 0 errors
  9. System Under Test (SUT) друго име за “какво точно тестваме”

    ще го произнасям “СУТ” всеки тест трябва да има ясна такава помага да категоризираме тестовете
  10. Unit Integration Тества един клас Изолиран с mock-ове Бърз Помага

    за дизайна Тества компонент Понякога има stub-ове Бавен Помага за верификацията
  11. Acceptance Test Тества целия стек Изразен на domain ниво Ползва

    потребителския интерфейс Много бавен Понякога със Selenium
  12. По принцип Rails + Test::Unit unit test ~ unit test

    integration test functional test acceptance test integration test
  13. 1. Защо пишем тестове? 2. Структура и понятия 3. Често

    срещани грешки 4. Инструменти в Ruby 5. Test-Driven Development 6. Mocks 7. Behavior-Driven Development
  14. class RegistrationTest < Test::Unit::TestCase def test_registering_a_valid_user registration = Registration.new registration.email

    = '[email protected]' registration.password = 'larodi' registration.submit assert_equal 1, User.count assert_equal '[email protected]', User.first.email end def test_user_without_an_email registration = Registration.new registration.email = '' # ... end end
  15. class RegistrationTest < Test::Unit::TestCase def test_registering_a_valid_user registration = Registration.new registration.email

    = '[email protected]' registration.password = 'larodi' registration.submit assert_equal 1, User.count assert_equal '[email protected]', User.first.email end # ... end
  16. class RegistrationTest < Test::Unit::TestCase def create_user(email, password) registration = Registration.new

    registration.email = email registration.password = password registration.submit end def test_registering_a_valid_user create_user '[email protected]', 'larodi' assert_equal 1, User.count assert_equal '[email protected]', User.first.email end # ... end
  17. class UserTest < Test::Unit::TestCase def test_name_shortening user = User.create! name:

    'Stefan Kanev' assert 'Stefan K.', user.short_name end end Въпрос: какво става, ако искаме да добавим задължително поле nickname?
  18. class UserTest < Test::Unit::TestCase def test_name_shortening user = create_user name:

    'Stefan Kanev' assert 'Stefan K.', user.short_name end end
  19. Популярният пример е код, зависещ от Time.now. Виждал съм тестове,

    които не минават от 23:00 до 00:00. Или тестове, които не минават като занеса компютъра във Виена.
  20. class FlightTest < Test::Unit::TestCase def test_flight_mileage_as_km flight = Flight.new(valid_flight_number) assert_equals

    valid_flight_number, flight.number assert_equals '', flight.airline_code assert_nil flight.airline flight.mileage = 1122 assert_equals 1820, flight.mileage_as_km flight.cancel assert_raise { flight.mileage_as_km } end end
  21. class UserTest < Test::Unit::TestCase def test_eligible_to_drink user = User.new({ age:

    18, billing_address: Address.new({ country: 'United Kingdom', city: 'London', address_1: '221B Baker str.', }), shipping_address: Address.new({ country: 'United Kingdom', city: 'London', address_1: '112 Tabernacle str.' address_2: '26 City Lofts', }) }) assert_true user.eligible_to_drink? end end
  22. 1. Защо пишем тестове? 2. Структура и понятия 3. Често

    срещани грешки 4. Инструменти в Ruby 5. Test-Driven Development 6. Mocks 7. Behavior-Driven Development
  23. Няма да говоря за прости неща, които може да си

    прочетете сами - ще наблегна на по-трудното за намиране
  24. class UniverseTest < Unit::Test::TestCase def test_answer assert 42, Universe.answer end

    end describe Universe do it "knows the answer" do Universe.answer.should eq 42 end end
  25. class Stack < Test::Unit::TestCase def setup @stack = Stack.new end

    def test_empty assert @stack.empty? @stack.push 42 assert [email protected]? end def test_pop @stack.push 42 @stack.push 5 assert_equal 5, @stack.pop assert_equal 42, @stack.pop asser_raise(StackEmptyError) { @stack.pop } end end
  26. describe Stack do let(:stack) { Stack.new } it "can tell

    whether it is empty" do stack.should be_empty stack.push 42 stack.should_not be_empty end it "should pop the items in reverse order" do stack.push 42 stack.push 5 stack.pop.should eq 5 stack.pop.should eq 42 lambda { stack.pop }.should raise_error(StackEmptyError) end end
  27. fill_in 'Username', with: 'skanev' fill_in 'Password', with: 'larodi' check 'Remember

    me' click_button 'Register' response.should have_text('Welcome!')
  28. Feature: Purchasing things In order for us to make money

    the user should be allowed to easily purchase our products Scenario: Purchases for more than 2500 should offer 20% Given the following products: | Name | Price | | MacBook Pro | 2000 | | ThinkPad | 1000 | When I add 1 "MacBook Pro" to my basket And I add 1 "ThinkPad" to my basket Then the final price should be 2600
  29. Given /^the following products$/ do |table| ... end When /^I

    add (\d+) "(.*?)" to my basket$/ do |count, name| ... end Then /^the final price should be (\d+)$/ do |price| ... end
  30. Функционалност: Купуване на продукти За да печелим пари потребителят трябва

    да може лесно да пазарува продукти Сценарий: Поръчките за повече от 2000 трябва да имат 20% отстъпка Дадено че има следните три продукта: | Име | Price | | MacBook Air | 2000 | | ThinkPad | 1000 | Когато добавя 1 "MacBook Air" в кошницата си И добавя 2 "ThinkPad" в кошницата си То цената трябва да е 2600
  31. OH HAI: I CAN BAI STUFF SO WE CAN HAZ

    MONEYZ N00BZ SHOULD BAI STUFF MISHUN: BAI STUFF CHEAPER I CAN HAS CHEEZEBURGERS: | NAME | MONEYZ | | MacBook Air | 2000 | | ThinkPad | 1000 | WEN I AD 1 "MacBook Air" TO MAI BASKET AN I AD 1 "ThinkPad" TO MAI BASKET DEN I SHOULD PAY 2600
  32. feature 'Main page' do background do create_user :login => 'jdoe'

    end scenario 'should show existing quotes' do create_quote :text => 'The language of friendship', :author => 'Henry David Thoreau' login_as 'jdoe' visit '/' within('.quote') do page.should have_content('The language of friendship') page.should have_content('Henry David Thoreau') end end end
  33. FactoryGirl.define do factory :user do sequence(:email) { |n| "person-#{n}@example.org" }

    sequence(:faculty_number) { |n| "%05d" % n } full_name 'John Doe' end factory :admin, parent: :user do admin true end factory :topic do title 'Title' body 'Body' user end # ... end
  34. 1. Защо пишем тестове? 2. Структура и понятия 3. Често

    срещани грешки 4. Инструменти в Ruby 5. Test-Driven Development 6. Mocks 7. Behavior-Driven Development
  35. Добавяте тест 1 ...за несъществуващ код Пишете код 2 ...колкото

    тестът да мине Правите подобрения 3 ...докато премахнете повторенията
  36. Добавяте тест 1 ...за несъществуващ код Пишете код 2 ...колкото

    тестът да мине Правите подобрения 3 ...докато премахнете повторенията
  37. Добавяте тест 1 ...за несъществуващ код Пишете код 2 ...колкото

    тестът да мине Правите подобрения 3 ...докато премахнете повторенията • Тествате кода, който бихте искали да имате • Няма да се компилира (липсващи методи/класове) • Пускате го и гледате как се проваля • Имате червен тест проверяващ функционалността
  38. Добавяте тест 1 ...за несъществуващ код Пишете код 2 ...колкото

    тестът да мине Правите подобрения 3 ...докато премахнете повторенията • Добавяте достатъчно код за да мине теста • Нито ред повече • Най-простото решение, което ви хрумва • Имате работещ код и зелен тест, който го потвърждава
  39. Добавяте тест 1 ...за несъществуващ код Пишете код 2 ...колкото

    тестът да мине Правите подобрения 3 ...докато премахнете повторенията • Не добавяте функционалност • Подобрявате кода/дизайна • Премахвате повторенията • На всяка стъпка пускате теста
  40. 1 2 3 Кодът, който искате да describe "Message" do

    it "should support initialization" do message = Message.new('[email protected]', '[email protected]', 'Hi!') message.from.should == '[email protected]' message.to.should == '[email protected]' message.title.should == 'Hi!' end end F 1) NameError in 'Message should support initialization' uninitialized constant Message /work/message/spec/message_spec.rb:5: Finished in 0.009336 seconds 1 example, 1 failure
  41. 1 2 3 Най-простата имплементация class Message attr_reader :from, :to,

    :title def initialize(from, to, title) @from = from @to = to @title = title end end . Finished in 0.009999 seconds 1 example, 0 failures
  42. 1 2 3 Пас class Message attr_reader :from, :to, :title

    def initialize(from, to, title) @from = from @to = to @title = title end end Всичко изглежда ок, няма нужда от рефакториране
  43. 1 2 3 Изразявате новата функционалност в describe 'Message' do

    # ... it "should validate 'from'" do # bacon.should be_valid 㱻 assert bacon.valid? Message.new('[email protected]', '[email protected]', 'Hi!').should be_valid Message.new('foo.bg', '[email protected]', 'Hi!').should_not be_valid Message.new('fry@foo', '[email protected]', 'Hi!').should_not be_valid end end .F 1) NoMethodError in 'Message should validate 'from'' undefined method `valid?' for #<Message:0x100327e08> /work/message/spec/message_spec.rb:13: Finished in 0.010847 seconds 2 examples, 1 failure
  44. 1 2 3 Прост регулярен израз class Message attr_reader :from,

    :to, :title def initialize(from, to, title) @from = from @to = to @title = title end def valid? @from =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ end end .. Finished in 0.011689 seconds 2 examples, 0 failures
  45. 1 2 3 Отново пас class Message attr_reader :from, :to,

    :title def initialize(from, to, title) @from = from @to = to @title = title end def valid? @from =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ end end Все още всичко е ОК
  46. 1 2 3 Отново, почвате с тест преди кода describe

    'Message' do # ... it "should validate 'to'" do Message.new('[email protected]', '[email protected]', 'Hi!').should be_valid Message.new('[email protected]', 'bender', 'Hi!').should_not be_valid Message.new('[email protected]', 'bender@foo', 'Hi!').should_not be_valid end end ..F 1) 'Message should validate 'to'' FAILED expected valid? to return false, got 0 /work/message/spec/message_spec.rb:20: Finished in 0.009825 seconds 3 examples, 1 failure
  47. 1 2 3 Най-простата имплементация class Message attr_reader :from, :to,

    :title def initialize(from, to, title) @from = from @to = to @title = title end def valid? @from =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ and @to =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ end end ... Finished in 0.010058 seconds 3 examples, 0 failures
  48. class Message attr_reader :from, :to, :title def initialize(from, to, title)

    @from = from @to = to @title = title end def valid? @from =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ and @to =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ end end 1 2 3 Повторение
  49. class Message attr_reader :from, :to, :title def initialize(from, to, title)

    @from = from @to = to @title = title end def valid? @from =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ and @to =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ end private def email_valid?(address) address =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ end end 1 2 3 Малки стъпки ... Finished in 0.010158 seconds 3 examples, 0 failures
  50. class Message attr_reader :from, :to, :title def initialize(from, to, title)

    @from = from @to = to @title = title end def valid? email_valid?(@from) and @to =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ end private def email_valid?(address) address =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ end end 1 2 3 Ама наистина малки ... Finished in 0.010001 seconds 3 examples, 0 failures
  51. class Message attr_reader :from, :to, :title def initialize(from, to, title)

    @from = from @to = to @title = title end def valid? email_valid?(@from) and email_valid?(@to) end private def email_valid?(address) address =~ /^[a-z]+@[a-z]+(\.[a-z]+)+$/ end end 1 2 3 Готово ... Finished in 0.009903 seconds 3 examples, 0 failures
  52. Everyone knows that debugging is twice as hard as writing

    a program in the first place. So if you're as clever as you can be when you write it, how will you ever debug it? — Brian Kenighan
  53. 1. Защо пишем тестове? 2. Структура и понятия 3. Често

    срещани грешки 4. Инструменти в Ruby 5. Test-Driven Development 6. Mocks 7. Behavior-Driven Development
  54. • Този метод трябва да се извика с тези параметри

    • Този метод не трябва да се извиква Тестовете с mock-ове често поставят очаквания като:
  55. describe RegistrationsController do describe "PUT update" do context "when valid"

    do let(:registration) { double } before do Registration.stub :new => registration registration.stub :create => true end it "constructs a Registration with params[:registration]" do registration.should_receive(:new).with('registration data') post :create, registration: 'registration data' end it "creates a registration" do registration.should_receive(:create) post :create end end end end
  56. class RegistrationsController < ApplicationController def create @registration = Registration.new params[:registration]

    if @registration.create redirect_to root_path else render :action => :new end end end
  57. 1. Защо пишем тестове? 2. Структура и понятия 3. Често

    срещани грешки 4. Инструменти в Ruby 5. Test-Driven Development 6. Mocks 7. Behavior-Driven Development