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

Railsworkshop2013

 Railsworkshop2013

stephanpavlovic

January 09, 2013
Tweet

More Decks by stephanpavlovic

Other Decks in Technology

Transcript

  1. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Wer

    sind wir? Max Jan Stephan Mittwoch, 9. Januar 13
  2. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Wer

    sind wir? Railslove GmbH aus Köln - Ein junges Team aus Web-Experten - Mit Web-Entwicklungs- und Beratungsleistungen als Agentur primär in der europäischen Start-Up-Branche tätig - Zahlen und Fakten: 16+ Mitarbeiter, 300 qm offener Coworking-Space in Köln Max Jan Stephan Mittwoch, 9. Januar 13
  3. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Ablauf

    Wie läuft der Workshop zeitlich ab? - Start: ~10Uhr, Ende ~15-16Uhr Wie läuft der Workshop inhaltlich ab? - Abwechselnd Vortragsteile - Rundflug über die Welt von Ruby und Rails - Bei Fragen -> fragen - und Hands-On Teile - gearbeitet wird in Zweier-Gruppen - Cheat-Sheets Mittwoch, 9. Januar 13
  4. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Tagesplanung

    Tag 1 Warm Up Ruby Grundlagen Testen in Ruby Tag 1 Rails Grundlagen Model Tag 2 Controller Views/Frontend Testing/ Javascript Mittwoch, 9. Januar 13
  5. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Tagesplanung

    Tag 1 Warm Up Ruby Grundlagen Testen in Ruby Tag 1 Rails Grundlagen Model Tag 2 Controller Views/Frontend Testing/ Javascript Mittwoch, 9. Januar 13
  6. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Ruby:

    Language characteristics -Yukihiro Matsumoto “Matz” -POLS (Principle of Least Surprise) -Easy to learn -Hard to master Mittwoch, 9. Januar 13
  7. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Ruby:

    Language characteristics -Interpreted: MRI (Matz's Ruby Interpreter) -Compiled to bytecode at runtime -Several implementations (JRuby, Rubinius, IronRuby, ...) -Potentially slow Mittwoch, 9. Januar 13
  8. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Ruby:

    Language characteristics -"Duck typed" -Metaprogramming (code that writes code) Mittwoch, 9. Januar 13
  9. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Ruby:

    Extensibility -Great Standard Library -Greater choice of Ruby Gems -e.g. gem install rails Mittwoch, 9. Januar 13
  10. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Do

    try this at home ruby --version # 1.9.3 irb # open interactive ruby RUBY_VERSION # "1.9.3" puts "hello world" name = "Carlos" "hello #{name}" # "hello Carlos" exit # exit interactive ruby gem --version # >= "1.8.17" Mittwoch, 9. Januar 13
  11. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 A

    simple Ruby class # item.rb class Item def name @name end def name=(name) @name = name end end Mittwoch, 9. Januar 13
  12. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 A

    simple Ruby class irb require './item.rb' item = Item.new item.name = 'Bible' item.name => "Bible" Mittwoch, 9. Januar 13
  13. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Essential

    in Ruby: Testing # item_test.rb require 'minitest/autorun' require './item.rb' class ItemTest < MiniTest::Unit::TestCase def test_name_setter_and_getter item = Item.new item.name = 'Bible' assert_equal 'Bible', item.name end end Mittwoch, 9. Januar 13
  14. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Essential

    in Ruby: Testing ruby item_test.rb Run options: --seed 40046 # Running tests: . Finished tests in 0.000587s, 1703.5775 tests/s, 1703.5775 assertions/s. 1 tests, 1 assertions, 0 failures, 0 errors, 0 skips Mittwoch, 9. Januar 13
  15. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Refactoring!

    # item.rb class Item attr_accessor :name end (Also available: attr_reader and attr_writer) Do your tests still pass? Mittwoch, 9. Januar 13
  16. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 The

    initialize method Executed on every object upon initialization # item.rb class Item attr_accessor :name, :description def initialize @name = '' @description = '' end Mittwoch, 9. Januar 13
  17. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Class

    methods Defined on the class, not each instantiated object # item.rb class Item def self.create(item_hash) item = Item.new item.name = item_hash[:name] item.description = item_hash[:description] item end end the_bible = Item.create({name: 'Bible', description: 'An old book'}) Mittwoch, 9. Januar 13
  18. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Hands

    on: Ruby classes and Testing Write an Item class and accompanying tests that do the following: - Getter and setter for title and description - title and title description value is an empty string - Advanced: - Set the rating attribute to a value between 1 and 5 - Hint: this is a Range (maybe search the Ruby docs at http://ruby- doc.org/) - Don‘t do anything if the value supplied is outside the range - Getter for the rating attribute You can write tests before or after the implementation. Mittwoch, 9. Januar 13
  19. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Hands

    on: Ruby classes and Testing def test_name_set_to_empty_string item = Item.new assert_equal '', item.name end def test_description_set_to_empty_string item = Item.new assert_equal '', item.description end Mittwoch, 9. Januar 13
  20. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Hands

    on: Ruby classes and Testing def test_set_rating_to_value_between_1_and_5 item = Item.new item.rating = 3 assert_equal 3, item.rating end def test_set_rating_to_value_outside_of_1_to_5 item = Item.new item.rating = 6 assert_equal nil, item.rating end def test_set_existing_rating_to_value_outside_of_1_to_5 item = Item.new item.rating = 3 item.rating = 6 assert_equal 3, item.rating end Mittwoch, 9. Januar 13
  21. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Hands

    on: Ruby classes and Testing # item.rb class Item attr_accessor :name, :description attr_reader :rating def rating=(rating) @rating = rating if (1..5).include? rating end end Mittwoch, 9. Januar 13
  22. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 String

    ! -modifies the receiver Common literals (How do I make one?) -'without interpolation' -"with #{interpolation}" What can you do with Strings? - Concatenate string_1 + string_2 - length - sub/sub!/gsub/gsub! - More: http://ruby-doc.org/core-1.9.3/String.html Mittwoch, 9. Januar 13
  23. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Symbol

    (Think: String that stands for s.th.) Peculiarities: - Only instantiated once (object identity) Common literals (How do I make one?) -:my_symbol What can you do with Symbols? - Book.find(:all) - Book.find(:first) - More: http://ruby-doc.org/core-1.9.3/Symbol.html Mittwoch, 9. Januar 13
  24. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Array

    Common literals (How do I make one?) -[1, 'text', :symbol] What can you do with Arrays? -[1,2,3] << 4 # [1, 2, 3, 4] -[1,2,3] + [4,5,6] # [1, 2, 3, 4, 5, 6] -[1,2,3].length # 3 -[4,8,7,3,7].index(7) # 2 - More: http://ruby-doc.org/core-1.9.3/Array.html Mittwoch, 9. Januar 13
  25. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Hash

    Common literals (How do I make one?) -{:day_1 => 'Wed', :day_2 => 'Thu'} -{day_1: 'Wed', day_2: 'Thu'} What can you do with Hashes? -h[:day_1] # "Wed" -h[:day_1] = 'Superday' -h[:day_2] = {a: 'b'}; h[:day2][:a] # 'b' -h.length # 2 - More: http://www.ruby-doc.org/core-1.9.3/Hash.html Mittwoch, 9. Januar 13
  26. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Regexp

    Common literals (How do I make one?) -/^abc/ -Regexp.new('abc/yeah') #/abc\/yeah/ What can you do with Regexps? -/abc/ =~ 'I say abc dude' # 6 -'I say hello'[/(.)ay hell(.)/, 1] # "s" -'I say hello'[/(.)ay hell(.)/, 2] # "o" - More: http://ruby-doc.org/core-1.9.3/Regexp.html Mittwoch, 9. Januar 13
  27. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Control

    Structures if/else/unless @rating = rating if (1..5).include? rating @rating = (1..5).include? ? rating : nil @rating = rating unless invalid_rating?(rating) if (1..5).include? rating @rating = rating else puts 'supplied rating value invalid!' end Mittwoch, 9. Januar 13
  28. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Control

    Structures Iterators - ['one', 'two', 'three'].each {|item| puts item} - ['one', 'two', 'three'].map {|item| item.upcase} - => ["ONE", "TWO", "THREE"] - {foo: 'bar', zomg: 'rofl'}.each {|k,v| puts k.to_s + v} - foobar - zomgrofl - […].each {|item| puts item} is equivalent to […].each do |item| puts item end Mittwoch, 9. Januar 13
  29. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Control

    Structures Iterators - Also check - collect - detect - each_index - each_with_index - each_with_object - map! - select - in the Enumerable/Array/Hash classes Mittwoch, 9. Januar 13
  30. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Creators

    Implement the following functionality. Make sure you cover everything with tests! - add creators: - Item#add_owner('God') # no double entries! - Item#owners # ['God', 'Markus'] - Simple Hash representation - Item#to_hash # {name: 'Bible', description: 'A really old book'} - Numbered List of similar items - Item#numbered_owners - ['1) God', '2) Markus'] Mittwoch, 9. Januar 13
  31. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Authors

    def test_add_owner item=Item.new item.add_owner('God') assert_equal ['God'], item.owner end def test_owners_are_unique item=Item.new item.add_owner('God') item.add_c owner('God') assert_equal ['God'], item.owners end Mittwoch, 9. Januar 13
  32. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Authors

    attr_reader :owners def add_owner(owner) @owners ||= [] unless @owners.include?(owner) @owners << owner end end Mittwoch, 9. Januar 13
  33. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Simple

    Hash representation def test_to_hash item = Item.new item.name = 'Bible' item.description = 'An old book' expected = {name: 'Bible', description: 'An old book'} assert_equal expected, item.to_hash end def to_hash {name: name, description: description} end Mittwoch, 9. Januar 13
  34. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Numbered

    List of authors def test_numbered_owners item = Item.new item.add_owner('Markus') item.add_owner('Johannes') expected = ['1) Markus', '2) Johannes'] assert_equal expected, item.numbered_owners end Mittwoch, 9. Januar 13
  35. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Numbered

    List of related owners def numbered_owners owners.map do |owner| "#{@owners.index(owner) + 1}) #{owner}" end end def numbered_owners numbered = [] owners.each_with_index do |owner, index| numbered << "#{index + 1}) #{owner}" end numbered end def numbered_owner owners.map.with_index do |owner, index| "#{index+1}) #{owner}" end end Mittwoch, 9. Januar 13
  36. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Rubygems

    Default solution for packaging code Ships with Ruby 1.9, installer for Ruby 1.8 Usage: - gem install rails - fetches gems from rubygems.org (central gem repository) - installs all dependencies - gem uninstall rails - uninstalls a single gem from your local repository - does not care about dependencies Mittwoch, 9. Januar 13
  37. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Rubygems

    Using an installed gem - normally - require 'gem_name' - special cases - file to be required may derive from gem_name, e.g. require 'active_support' #gem name: activesupport - it‘s possible to require only part of a gem, e.g. require 'active_support/inflector' Mittwoch, 9. Januar 13
  38. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Code

    sharing: Inheritance require './song' class AwesomeItem < Item attr_accessor :awesomeness end Mittwoch, 9. Januar 13
  39. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Code

    sharing: Inheritance # awesome_item_test.rb require 'minitest/autorun' require './awesome_item.rb' class AwesomeItemTest < MiniTest::Unit::TestCase def test_parent_class assert AwesomeItem.new.is_a?(Item) end def test_class assert_instance_of AwesomeItem, AwesomeItem.new end def test_awesomeness ai = AwesomeItem.new ai.awesomeness = 'rubylicious' assert_equal 'rubylicious', ai.awesomeness end end Mittwoch, 9. Januar 13
  40. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Code

    sharing: Mix-ins # crazyness.rb module Crazyness def crazyness 'super crazy' end end # awesome_item_test.rb class AwesomeItemTest < MiniTest::Unit::TestCase def test_crazyness ai = AwesomeItem.new assert_equal 'super crazy', ai.crazyness end end # awesome_item.rb require './crazyness' class AwesomeSong < Song include Crazyness end Mittwoch, 9. Januar 13
  41. Ruby On Rails / Starterworkshop / Railslove / 2012 What

    App do we build? Mittwoch, 9. Januar 13
  42. Ruby On Rails / Starterworkshop / Railslove / 2012 What

    App do we build? Mittwoch, 9. Januar 13
  43. Ruby On Rails / Starterworkshop / Railslove / 2012 What

    App do we build? Szenario: A lending tracker - I can add items that I borrow to friends - I wanna track which items are currently out - I can search and filter items by categories Mittwoch, 9. Januar 13
  44. Ruby On Rails / Starterworkshop / Railslove / 2013 Brainstorming

    User Item Lending 1 n 1 n 1 n Mittwoch, 9. Januar 13
  45. Ruby On Rails / Starterworkshop / Railslove / 2012 Ruby

    On Rails MVC Framework for webapplication - written in Ruby - Model View Controller Simplifies the development - gives you basic webapplication work flows DRY - Don´t repeat yourself Convention over configuration - just (one) configuration file REST - Ressourcenorientation and standard HTTP methods Mittwoch, 9. Januar 13
  46. Ruby On Rails / Starterworkshop / Railslove / 2012 Rails

    and MVC Modell View Controller Status change User input Status inquiry Mittwoch, 9. Januar 13
  47. Ruby On Rails / Starterworkshop / Railslove / 2012 Rails

    and MVC Controller View Modell Status change User input Status inquiry Mittwoch, 9. Januar 13
  48. Ruby On Rails / Starterworkshop / Railslove / 2012 Modell

    View Controller Rails and MVC Status change User input Status inquiry Mittwoch, 9. Januar 13
  49. Ruby On Rails / Starterworkshop / Railslove / 2012 Rails

    und MVC Modell View Controller Status change User input Status inquiry Mittwoch, 9. Januar 13
  50. Ruby On Rails / Starterworkshop / Railslove / 2012 First

    Steps Create a new project - rails new ... Configure the database - database.yml Configure gems - gemfile Start the server - rails server Start coding - rails generate ... Mittwoch, 9. Januar 13
  51. Ruby On Rails / Starterworkshop / Railslove / 2012 Bundler

    Bundler manages an application's dependencies through its entire life across many machines systematically and repeatably. Bundler manages your Gems and their dependencies Mittwoch, 9. Januar 13
  52. Ruby On Rails / Starterworkshop / Railslove / 2012 Rake

    Rake is a simple ruby build program with capabilities similar to make Rake is a software task management tool e.g: - change your database schema - resize images - import latest currency information Task that are executed automatically and/or regular Mittwoch, 9. Januar 13
  53. Ruby On Rails / Starterworkshop / Railslove / 2012 Rake

    common rake tasks - rake -T - rake --help - rake db:migrate - rake db:create - rake test - rake test:functional - rake my:task --trace Mittwoch, 9. Januar 13
  54. Ruby On Rails / Starterworkshop / Railslove / 2013 Hand

    On Install rails - gem install rails Create your application - rails new MyCoolApplicationName Configure your app - database.yml - Gemfile - bundle install - rails server Create a scaffold - rails g scaffold item name:string - rake db:migrate Mittwoch, 9. Januar 13
  55. Ruby On Rails / Starterworkshop / Railslove / 2012 Bringing

    Power to your models Migrations - Abstracts changes to your database schema Methods - class methods, instance methods and some rails magic Validation - Conditions for a valid object Tests - Be sure your code does, what it´s suppost to do Mittwoch, 9. Januar 13
  56. Ruby On Rails / Starterworkshop / Railslove / 2012 Migrations

    Create a migration - rails generate migration NameOfTheMigration - in the db/migrate folder a migration file is created Migrationsfile - before Rails 3.1: Two methods up and down - now: one method change Using a migration - rake db:migrate Mittwoch, 9. Januar 13
  57. Ruby On Rails / Starterworkshop / Railslove / 2012 Migrations

    Create a migration - rails generate migration NameOfTheMigration - in the db/migrate folder a migration file is created Migrationsfile - before Rails 3.1: Two methods up and down - now: one method change Using a migration - rake db:migrate Mittwoch, 9. Januar 13
  58. Ruby On Rails / Starterworkshop / Railslove / 2012 Methods

    Instance methods Class methods Scopes Mittwoch, 9. Januar 13
  59. Ruby On Rails / Starterworkshop / Railslove / 2012 Methods

    Instance methods Class methods Scopes Mittwoch, 9. Januar 13
  60. Ruby On Rails / Starterworkshop / Railslove / 2012 Methods

    Instance methods Class methods Scopes Mittwoch, 9. Januar 13
  61. Ruby On Rails / Starterworkshop / Railslove / 2012 Methods

    Instance methods Class methods Scopes scope :top_rated, where(:rating => 5) Mittwoch, 9. Januar 13
  62. Ruby On Rails / Starterworkshop / Railslove / 2012 Methods

    for database access dynamic find and find_by methods - Item.find(1) - Item.find_by_name(„Bible“) - Item.find_all_by_tag(„Books“) Abstract database methods - Item.where(:name => „Thriller“) - Item.where(„length >= 100“) Find_by_sql - Item.find_by_sql(„SELECT * FROM ,items‘ WHERE ,name‘ = ,Bible‘“) Mittwoch, 9. Januar 13
  63. Ruby On Rails / Starterworkshop / Railslove / 2012 Methods

    for database access dynamic find and find_by methods - Item.find(1) - Item.find_by_name(„Bible“) - Item.find_all_by_tag(„Books“) Abstract database methods - Item.where(:name => „Thriller“) - Item.where(„length >= 100“) Find_by_sql - Item.find_by_sql(„SELECT * FROM ,items‘ WHERE ,name‘ = ,Bible‘“) Mittwoch, 9. Januar 13
  64. Ruby On Rails / Starterworkshop / Railslove / 2012 Validations

    What are validations? - Validations are rules to secure the data integrity of a object How do validations work? - Validations are checked, when you call „save“ on an object - „save“ return true or false - save! raises an execption if the validations fail - save(:validate => false) runs save without checking the validations Mittwoch, 9. Januar 13
  65. Ruby On Rails / Starterworkshop / Railslove / 2012 Validations

    What are validations? - Validations are rules to secure the data integrity of a object How do validations work? - Validations are checked, when you call „save“ on an object - „save“ return true or false - save! raises an execption if the validations fail - save(:validate => false) runs save without checking the validations Mittwoch, 9. Januar 13
  66. Ruby On Rails / Starterworkshop / Railslove / 2012 Model

    Tests - Test model behaviour and database integration - Located in test/unit - Inherit from ActiveSupport::TestCase Mittwoch, 9. Januar 13
  67. Ruby On Rails / Starterworkshop / Railslove / 2012 Model

    Tests - Test model behaviour and database integration - Located in test/unit - Inherit from ActiveSupport::TestCase Mittwoch, 9. Januar 13
  68. Ruby On Rails / Starterworkshop / Railslove / 2012 Fixtures:

    Sample data for tests - Regular Rails tests: with database integration - Useful: Test data to populate the test database - Default solution: Fixtures - YAML files located in test/fixtures - Automatic id and timestamp generation - access by model_name(:identifier_name) - cities(:cologne) Mittwoch, 9. Januar 13
  69. Ruby On Rails / Starterworkshop / Railslove / 2012 Fixtures:

    Sample data for tests - Regular Rails tests: with database integration - Useful: Test data to populate the test database - Default solution: Fixtures - YAML files located in test/fixtures - Automatic id and timestamp generation - access by model_name(:identifier_name) - cities(:cologne) # cities.yml cologne: name: "Köln" center_lat: 50.93 center_long: 6.96 description: | Die schönste Stadt der Welt Mittwoch, 9. Januar 13
  70. RSpec Schulung / DailyDeal Factories Factories sind Grundgerüste für Objekte.

    Cuurent Implementation: FactoryGirl - ThoughtBot Advantages: Object are only described once, can be modified to zour needs Factories are local, in one test only the relevant objects are loaded Mittwoch, 9. Januar 13
  71. RSpec Schulung / DailyDeal Factories Factories sind Grundgerüste für Objekte.

    Cuurent Implementation: FactoryGirl - ThoughtBot Advantages: Object are only described once, can be modified to zour needs Factories are local, in one test only the relevant objects are loaded FactoryGirl.define do factory :city do name "New York" center_lat "20.34" center_long "80.872" description "Tolle Stadt" end end Mittwoch, 9. Januar 13
  72. RSpec Schulung / DailyDeal Factories Factories sind Grundgerüste für Objekte.

    Cuurent Implementation: FactoryGirl - ThoughtBot Advantages: Object are only described once, can be modified to zour needs Factories are local, in one test only the relevant objects are loaded FactoryGirl.define do factory :city do name "New York" center_lat "20.34" center_long "80.872" description "Tolle Stadt" end end FactoryGirl.create(:city, name: "Köln", center_lat: 50.93, center_long: 6.96) Mittwoch, 9. Januar 13
  73. Ruby On Rails / Starterworkshop / Railslove / 2013 Hand

    On Useful methods for items - transfer useful methods from this morning to your item model - add useful scopes Migrations - add more attributes to your item model Validations - Create conditions for valid item objects Tests - Test validations and methods Mittwoch, 9. Januar 13
  74. Ruby On Rails / Starterworkshop / Railslove / 2012 Association

    What are association? - they describe the relationship between two models - on a database level: Connecting two tables Which kinds if association exist? - has_one - belongs_to - has_many - has_and_belongs_to_many Mittwoch, 9. Januar 13
  75. Ruby On Rails / Starterworkshop / Railslove / 2012 Association

    has_one: - 1:1 relation on an object level - The songmodel is extended with a mp3 method - takes care of the foreign key relation songs id title duration 1 1 mp3s id title song_id Mittwoch, 9. Januar 13
  76. Ruby On Rails / Starterworkshop / Railslove / 2012 Association

    has_many: - 1:n relation on object level - The artist model is extended with a songs method - In sql: Select * from songs where artist.id = songs.artist_id artist id firstname lastname 1 n songs id title duration artist_id Mittwoch, 9. Januar 13
  77. Ruby On Rails / Starterworkshop / Railslove / 2012 Association

    belongs_to: - Describes the foreign key class in a 1:1 or 1:n relation - The song model is extended with a artist method artist id firstname lastname 1 n songs id title duration artist_id Mittwoch, 9. Januar 13
  78. Ruby On Rails / Starterworkshop / Railslove / 2012 Association

    has_and_belongs_to_many: - represents a n:m relation - a join table is needed - No ActiveRecord::Base Class is needed - convention: tablenames in alphabetical order with a underscore 1 n songs id title duration artist_id labels id name country city labels_songs label_id song_id 1 n Mittwoch, 9. Januar 13
  79. Ruby On Rails / Starterworkshop / Railslove / 2013 Hand

    On New models (rails g model) - create an user and a lending model Association - Create relations between users, items and lendings - migrate the database with needed fields Validations Methods Tests Mittwoch, 9. Januar 13
  80. Ruby On Rails / Starterworkshop / Railslove / 2012 Controller

    What are Controller? - Orgistrates the application - Connects models and views - Every controller class inherties from ApplicationController - Methods (actions)are mapped through name and HTTP method Basic actions: - new/create => Create a new object - edit/update => Edit a existing object - show => view a specific object - index => view a list of objects from a specific model - delete => delete a specific object Mittwoch, 9. Januar 13
  81. Ruby On Rails / Starterworkshop / Railslove / 2012 Controller

    actions Result of a controller action - render: passes variables to a view - without a explizit render command rails renders the view that matches the action name - you can force a render explicitly : render „new“ - Redirect: Move to another action - redirect_to :back - redirect_to :action => „index“ - redirect_to items_path Mittwoch, 9. Januar 13
  82. Ruby On Rails / Starterworkshop / Railslove / 2012 Routing

    The first part identifies the host Mittwoch, 9. Januar 13
  83. Ruby On Rails / Starterworkshop / Railslove / 2012 Routing

    The first part identifies the host The second part selects the controller BookingsController Mittwoch, 9. Januar 13
  84. Ruby On Rails / Starterworkshop / Railslove / 2012 Routing

    The first part identifies the host The second part selects the controller BookingsController The third part picks the action Mittwoch, 9. Januar 13
  85. Ruby On Rails / Starterworkshop / Railslove / 2012 Routing

    What I need to know? rake routes internal rails representation of a url like: locations_beer_index_url http method path (url without host) corresponding controller and action Mittwoch, 9. Januar 13
  86. Ruby On Rails / Starterworkshop / Railslove / 2012 What

    I need to know? 4 HTTP most used Methods - PUT, POST, DELETE, GET CRUD - means: Create (POST/CREATE), Read (GET/SELECT), Update (PUT/ UPDATE), Delete (DELETE/DELETE) Try to do it RESTful - Use these HTTP methods and the CRUD-Pattern to keep your controllers clean Routing Mittwoch, 9. Januar 13
  87. Ruby On Rails / Starterworkshop / Railslove / 2012 MyApp/config/routes.rb

    Basic Routing Gives us - GET, POST, PUT, DELETE methods for our Profile resource - and a ‘http://oktoberfest.com/’ URL - matches pages#landing_page - make sure you delete public/index.html !!! Routing Mittwoch, 9. Januar 13
  88. Ruby On Rails / Starterworkshop / Railslove / 2012 MyApp/config/routes.rb

    Optional Parameters Routing Mittwoch, 9. Januar 13
  89. Ruby On Rails / Starterworkshop / Railslove / 2013 Hand

    On Create a location controller - rails g resource lending Clean up controller - remove unused actions from existing controllers - think about more actions you could need to have a better workflow Routes.rb - adapt routes.rb to your new action methods Mittwoch, 9. Januar 13
  90. Ruby On Rails / Starterworkshop / Railslove / 2012 Day's

    schedule Day 1 Ruby Basics Testing in Ruby Rails Basics Model Controller Day 2 Controller Views Frontend Testing Javascript Mittwoch, 9. Januar 13
  91. Ruby On Rails / Starterworkshop / Railslove / 2012 Day's

    schedule Day 1 Ruby Basics Testing in Ruby Rails Basics Model Controller Day 2 Controller Views Frontend Testing Javascript Mittwoch, 9. Januar 13
  92. Ruby On Rails / Starterworkshop / Railslove / 2012 Haml

    What is Haml? - HTML Abstraction Markup Language Principles: - Markup should be beautiful - Markup should be DRY - Markup should be well-indented Mittwoch, 9. Januar 13
  93. Ruby On Rails / Starterworkshop / Railslove / 2012 Sass

    What is Sass? - Syntactically Awesome Stylesheets - Standard language for css coding since rails 3.1 functionality: - Nesting - Variables - Selector Inheritance - Mixins Mittwoch, 9. Januar 13
  94. Ruby On Rails / Starterworkshop / Railslove / 2012 Sass:

    Selector Inheritance Mittwoch, 9. Januar 13
  95. Ruby On Rails / Starterworkshop / Railslove / 2012 Sass:

    Alternative Syntax What is Scss? - new, alternative syntax for Sass - per definition: valid CSS is valid SCSS functinality: - Closer to css - same functionality then Sass Mittwoch, 9. Januar 13
  96. Ruby On Rails / Starterworkshop / Railslove / 2012 Sass:

    Alternative Syntax What is Scss? - new, alternative syntax for Sass - per definition: valid CSS is valid SCSS functinality: - Closer to css - same functionality then Sass Mittwoch, 9. Januar 13
  97. Ruby On Rails / Starterworkshop / Railslove / 2012 Views

    What are views doing? - generate the user interface - present database values What are views located? - every controller has its own folder: app/views/controller_name - every action has a view template: app/views/controller_name/ action_name - layouts folder for static content like header, footer,... How does a view look? Mittwoch, 9. Januar 13
  98. Ruby On Rails / Starterworkshop / Railslove / 2012 Views

    What are views doing? - generate the user interface - present database values What are views located? - every controller has its own folder: app/views/controller_name - every action has a view template: app/views/controller_name/ action_name - layouts folder for static content like header, footer,... How does a view look? Mittwoch, 9. Januar 13
  99. Ruby On Rails / Starterworkshop / Railslove / 2012 Layouts

    What are layouts? - templates that render generall stuff (footer, header, sidebar,...) - can include a =yield Which layout is rendered? - default: app/views/layouts/controller_name - otherwise app/views/layouts/application - you can specify a layout in the render method: render ,action‘, :layout => „layout“ - you can define a layout per controller: layout ,special_layout‘ Mittwoch, 9. Januar 13
  100. Ruby On Rails / Starterworkshop / Railslove / 2012 Layouts

    What are layouts? - templates that render generall stuff (footer, header, sidebar,...) - can include a =yield Which layout is rendered? - default: app/views/layouts/controller_name - otherwise app/views/layouts/application - you can specify a layout in the render method: render ,action‘, :layout => „layout“ - you can define a layout per controller: layout ,special_layout‘ Mittwoch, 9. Januar 13
  101. Ruby On Rails / Starterworkshop / Railslove / 2012 Partials

    What are partials? - partials are templates, which render a reuable part of a page (lists,galleries, ...) - they keep your code dry - The name of a partial file always starts with a underscore Rendern of partials - render :partial => „folder/_partialname“ - instance variables are usable - you can paste custom variables - :object => variable (variable name = partial name) - :locals => {:variablenname => variable} Mittwoch, 9. Januar 13
  102. Ruby On Rails / Starterworkshop / Railslove / 2012 Partials

    What are partials? - partials are templates, which render a reuable part of a page (lists,galleries, ...) - they keep your code dry - The name of a partial file always starts with a underscore Rendern of partials - render :partial => „folder/_partialname“ - instance variables are usable - you can paste custom variables - :object => variable (variable name = partial name) - :locals => {:variablenname => variable} Mittwoch, 9. Januar 13
  103. Ruby On Rails / Starterworkshop / Railslove / 2012 Helpers

    What are helpers? - methods you can use in your views - reduces logic in your views - Every controller has a matching helper: app/helpers/ controller_name_helper.rb Standard-Helper? - e.g. for text - truncate - pluralize - e.g. to generate links - link_to - url_for Mittwoch, 9. Januar 13
  104. Ruby On Rails / Starterworkshop / Railslove / 2012 Helpers

    What are helpers? - methods you can use in your views - reduces logic in your views - Every controller has a matching helper: app/helpers/ controller_name_helper.rb Standard-Helper? - e.g. for text - truncate - pluralize - e.g. to generate links - link_to - url_for Mittwoch, 9. Januar 13
  105. Ruby On Rails / Starterworkshop / Railslove / 2012 Asset

    Pipeline What is the asset pipeline? - The asset pipeline provides a framework to concatenate and minify or compress JavaScript and CSS assets. It also adds the ability to write these assets in other languages such as CoffeeScript, Sass and Haml. Whats the benefit? - don´t care about assets, just use them - best example: images - rake assets:precompile. Mittwoch, 9. Januar 13
  106. Ruby On Rails / Starterworkshop / Railslove / 2012 Asset

    Pipeline What is the asset pipeline? - The asset pipeline provides a framework to concatenate and minify or compress JavaScript and CSS assets. It also adds the ability to write these assets in other languages such as CoffeeScript, Sass and Haml. Whats the benefit? - don´t care about assets, just use them - best example: images - rake assets:precompile. Mittwoch, 9. Januar 13
  107. Ruby On Rails / Starterworkshop / Railslove / 2013 Hand

    On Convert your appliation.html.erb to Haml Add a header with navigation and a fancy logo - also done in the application.html.haml Create a view to create a new lending Mittwoch, 9. Januar 13
  108. Ruby On Rails / Starterworkshop / Railslove / 2012 Coffeescript

    What is Coffeescript? - Language that compiles into javascript - ruby inspired syntax - Standard language for javascript coding since rails 3.1 What makes coffeescript better then pure javascript?: - Less LOC (~30%) - Better readable code - Ruby style funtionalities - “a text with a #{variable} in the middle“ - unless - ... Mittwoch, 9. Januar 13
  109. Ruby On Rails / Starterworkshop / Railslove / 2012 Coffeescript

    variable function Mittwoch, 9. Januar 13
  110. Ruby On Rails / Starterworkshop / Railslove / 2012 Acts

    like an api How do I get data to use it via a ajax on a view - render: create a full response to send back to the browser - redirect_to: send an HTTP redirect status code to the browser (e.g.: 301) - head: create a response consisting solely of HTTP headers to send back to the browser Mittwoch, 9. Januar 13
  111. Ruby On Rails / Starterworkshop / Railslove / 2013 Hand

    On Enhance your dashboard with a live search - Be able to search for a item - new action - Return the item list as json - return of that action - filter items in the dashboard - only display items that match Mittwoch, 9. Januar 13
  112. Ruby On Rails / Starterworkshop / Railslove / 2012 Heroku

    Heroku is a simple hoster for your app - cloud application plattform based on amazon - deploy ruby, node, cloujure, java, python and scala - just push your app to heroko - gemfile: gem ‘heroku’ && bundle install Mittwoch, 9. Januar 13
  113. Ruby On Rails / Starterworkshop / Railslove / 2012 Heroku

    Heroku is a simple hoster for your app - cloud application plattform based on amazon - deploy ruby, node, cloujure, java, python and scala - just push your app to heroko - gemfile: gem ‘heroku’ && bundle install Mittwoch, 9. Januar 13
  114. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Your

    lessions learned - Ruby is fun! - Rails helps you to get a running web app pretty fast - Modell, View, Controller to structure a app - Testing is important! - Haml, Sass, Coffeescript > Html, Css, Javascript Mittwoch, 9. Januar 13
  115. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Our

    lessions learned - Your opinion? Mittwoch, 9. Januar 13
  116. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Challenge

    Task - visit api.railslove.com - build an app (Rails, Sinatra, ...) that contains - a jobs/new view with needed attributes for a job application and display the job description - a jobs/create method that sends the job application via a POST request to api.railslove.com Mittwoch, 9. Januar 13
  117. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Challange

    Show it to us - deploy it on heroku - send us a jobposting using your app and tell us where it is on github - first “coolest”, “smartest” and “sophisticated” solution wins a 50 euro amazon voucher and maybe more Mittwoch, 9. Januar 13
  118. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Challange

    Minimum fields - Subject => Ruby on Rails from Scratch - resumee => What did you think of the workshop - heroku_url => For us to check your app out - github_user_name Mittwoch, 9. Januar 13
  119. Ruby On Rails / Einsteigerworkshop / Railslove / 2012 Resources

    Links - http://ruby-doc.org/ - http://rubygems.org/ - http://www.ruby-toolbox.com/ - http://api.rubyonrails.org/ Railslove - Campfire - User Groups (ruby, js, devHouse Friday, ...) - Cowoco Mittwoch, 9. Januar 13