Move template tests from actionpack to actionview

This commit is contained in:
Piotr Sarnacki 2013-04-17 00:06:11 +02:00 committed by Łukasz Strzałkowski
parent 5bcdf4faa6
commit eb23754ebb
351 changed files with 1514 additions and 15 deletions

View File

@ -7,14 +7,14 @@ task :default => :test
# Run the unit tests # Run the unit tests
desc "Run all unit tests" desc "Run all unit tests"
task :test => [:test_action_pack, :test_active_record_integration] task :test => [:test_action_pack]
Rake::TestTask.new(:test_action_pack) do |t| Rake::TestTask.new(:test_action_pack) do |t|
t.libs << 'test' t.libs << 'test'
# make sure we include the tests in alphabetical order as on some systems # make sure we include the tests in alphabetical order as on some systems
# this will not happen automatically and the tests (as a whole) will error # this will not happen automatically and the tests (as a whole) will error
t.test_files = Dir.glob('test/{abstract,controller,dispatch,template,assertions,journey}/**/*_test.rb').sort t.test_files = Dir.glob('test/{abstract,controller,dispatch,assertions,journey}/**/*_test.rb').sort
t.warning = true t.warning = true
t.verbose = true t.verbose = true
@ -29,19 +29,6 @@ namespace :test do
end end
end end
namespace :test do
Rake::TestTask.new(:template) do |t|
t.libs << 'test'
t.pattern = 'test/template/**/*.rb'
end
end
desc 'ActiveRecord Integration Tests'
Rake::TestTask.new(:test_active_record_integration) do |t|
t.libs << 'test'
t.test_files = Dir.glob("test/activerecord/*_test.rb")
end
spec = eval(File.read('actionpack.gemspec')) spec = eval(File.read('actionpack.gemspec'))
Gem::PackageTask.new(spec) do |p| Gem::PackageTask.new(spec) do |p|

77
actionview/Rakefile Normal file
View File

@ -0,0 +1,77 @@
require 'rake/testtask'
require 'rake/packagetask'
require 'rubygems/package_task'
desc "Default Task"
task :default => :test
# Run the unit tests
desc "Run all unit tests"
task :test => [:test_action_view, :test_active_record_integration]
Rake::TestTask.new(:test_action_view) do |t|
t.libs << 'test'
# make sure we include the tests in alphabetical order as on some systems
# this will not happen automatically and the tests (as a whole) will error
t.test_files = Dir.glob('test/template/**/*_test.rb').sort
t.warning = true
t.verbose = true
end
namespace :test do
Rake::TestTask.new(:isolated) do |t|
t.libs << 'test'
t.pattern = 'test/ts_isolated.rb'
end
Rake::TestTask.new(:template) do |t|
t.libs << 'test'
t.pattern = 'test/template/**/*.rb'
end
end
desc 'ActiveRecord Integration Tests'
Rake::TestTask.new(:test_active_record_integration) do |t|
t.libs << 'test'
t.test_files = Dir.glob("test/activerecord/*_test.rb")
end
spec = eval(File.read('actionview.gemspec'))
Gem::PackageTask.new(spec) do |p|
p.gem_spec = spec
end
desc "Release to gemcutter"
task :release => :package do
require 'rake/gemcutter'
Rake::Gemcutter::Tasks.new(spec).define
Rake::Task['gem:push'].invoke
end
task :lines do
lines, codelines, total_lines, total_codelines = 0, 0, 0, 0
FileList["lib/**/*.rb"].each do |file_name|
next if file_name =~ /vendor/
File.open(file_name, 'r') do |f|
while line = f.gets
lines += 1
next if line =~ /^\s*$/
next if line =~ /^\s*#/
codelines += 1
end
end
puts "L: #{sprintf("%4d", lines)}, LOC #{sprintf("%4d", codelines)} | #{file_name}"
total_lines += lines
total_codelines += codelines
lines, codelines = 0, 0
end
puts "Total: Lines #{total_lines}, LOC #{total_codelines}"
end

View File

@ -0,0 +1,382 @@
require File.expand_path('../../../load_paths', __FILE__)
$:.unshift(File.dirname(__FILE__) + '/lib')
$:.unshift(File.dirname(__FILE__) + '/fixtures/helpers')
$:.unshift(File.dirname(__FILE__) + '/fixtures/alternate_helpers')
ENV['TMPDIR'] = File.join(File.dirname(__FILE__), 'tmp')
require 'active_support/core_ext/kernel/reporting'
# These are the normal settings that will be set up by Railties
# TODO: Have these tests support other combinations of these values
silence_warnings do
Encoding.default_internal = "UTF-8"
Encoding.default_external = "UTF-8"
end
require 'active_support/testing/autorun'
require 'abstract_controller'
require 'action_controller'
require 'action_view'
require 'action_view/testing/resolvers'
require 'action_dispatch'
require 'active_support/dependencies'
require 'active_model'
require 'active_record'
require 'action_controller/caching'
require 'pp' # require 'pp' early to prevent hidden_methods from not picking up the pretty-print methods until too late
module Rails
class << self
def env
@_env ||= ActiveSupport::StringInquirer.new(ENV["RAILS_ENV"] || ENV["RACK_ENV"] || "test")
end
end
end
ActiveSupport::Dependencies.hook!
Thread.abort_on_exception = true
# Show backtraces for deprecated behavior for quicker cleanup.
ActiveSupport::Deprecation.debug = true
# Register danish language for testing
I18n.backend.store_translations 'da', {}
I18n.backend.store_translations 'pt-BR', {}
ORIGINAL_LOCALES = I18n.available_locales.map {|locale| locale.to_s }.sort
FIXTURE_LOAD_PATH = File.join(File.dirname(__FILE__), 'fixtures')
FIXTURES = Pathname.new(FIXTURE_LOAD_PATH)
module RackTestUtils
def body_to_string(body)
if body.respond_to?(:each)
str = ""
body.each {|s| str << s }
str
else
body
end
end
extend self
end
module RenderERBUtils
def view
@view ||= begin
path = ActionView::FileSystemResolver.new(FIXTURE_LOAD_PATH)
view_paths = ActionView::PathSet.new([path])
ActionView::Base.new(view_paths)
end
end
def render_erb(string)
@virtual_path = nil
template = ActionView::Template.new(
string.strip,
"test template",
ActionView::Template::Handlers::ERB,
{})
template.render(self, {}).strip
end
end
SharedTestRoutes = ActionDispatch::Routing::RouteSet.new
module ActionDispatch
module SharedRoutes
def before_setup
@routes = SharedTestRoutes
super
end
end
# Hold off drawing routes until all the possible controller classes
# have been loaded.
module DrawOnce
class << self
attr_accessor :drew
end
self.drew = false
def before_setup
super
return if DrawOnce.drew
SharedTestRoutes.draw do
get ':controller(/:action)'
end
ActionDispatch::IntegrationTest.app.routes.draw do
get ':controller(/:action)'
end
DrawOnce.drew = true
end
end
end
module ActiveSupport
class TestCase
include ActionDispatch::DrawOnce
end
end
class RoutedRackApp
attr_reader :routes
def initialize(routes, &blk)
@routes = routes
@stack = ActionDispatch::MiddlewareStack.new(&blk).build(@routes)
end
def call(env)
@stack.call(env)
end
end
class BasicController
attr_accessor :request
def config
@config ||= ActiveSupport::InheritableOptions.new(ActionController::Base.config).tap do |config|
# VIEW TODO: View tests should not require a controller
public_dir = File.expand_path("../fixtures/public", __FILE__)
config.assets_dir = public_dir
config.javascripts_dir = "#{public_dir}/javascripts"
config.stylesheets_dir = "#{public_dir}/stylesheets"
config.assets = ActiveSupport::InheritableOptions.new({ :prefix => "assets" })
config
end
end
end
class ActionDispatch::IntegrationTest < ActiveSupport::TestCase
include ActionDispatch::SharedRoutes
def self.build_app(routes = nil)
RoutedRackApp.new(routes || ActionDispatch::Routing::RouteSet.new) do |middleware|
middleware.use "ActionDispatch::ShowExceptions", ActionDispatch::PublicExceptions.new("#{FIXTURE_LOAD_PATH}/public")
middleware.use "ActionDispatch::DebugExceptions"
middleware.use "ActionDispatch::Callbacks"
middleware.use "ActionDispatch::ParamsParser"
middleware.use "ActionDispatch::Cookies"
middleware.use "ActionDispatch::Flash"
middleware.use "Rack::Head"
yield(middleware) if block_given?
end
end
self.app = build_app
# Stub Rails dispatcher so it does not get controller references and
# simply return the controller#action as Rack::Body.
class StubDispatcher < ::ActionDispatch::Routing::RouteSet::Dispatcher
protected
def controller_reference(controller_param)
controller_param
end
def dispatch(controller, action, env)
[200, {'Content-Type' => 'text/html'}, ["#{controller}##{action}"]]
end
end
def self.stub_controllers
old_dispatcher = ActionDispatch::Routing::RouteSet::Dispatcher
ActionDispatch::Routing::RouteSet.module_eval { remove_const :Dispatcher }
ActionDispatch::Routing::RouteSet.module_eval { const_set :Dispatcher, StubDispatcher }
yield ActionDispatch::Routing::RouteSet.new
ensure
ActionDispatch::Routing::RouteSet.module_eval { remove_const :Dispatcher }
ActionDispatch::Routing::RouteSet.module_eval { const_set :Dispatcher, old_dispatcher }
end
def with_routing(&block)
temporary_routes = ActionDispatch::Routing::RouteSet.new
old_app, self.class.app = self.class.app, self.class.build_app(temporary_routes)
old_routes = SharedTestRoutes
silence_warnings { Object.const_set(:SharedTestRoutes, temporary_routes) }
yield temporary_routes
ensure
self.class.app = old_app
silence_warnings { Object.const_set(:SharedTestRoutes, old_routes) }
end
def with_autoload_path(path)
path = File.join(File.dirname(__FILE__), "fixtures", path)
if ActiveSupport::Dependencies.autoload_paths.include?(path)
yield
else
begin
ActiveSupport::Dependencies.autoload_paths << path
yield
ensure
ActiveSupport::Dependencies.autoload_paths.reject! {|p| p == path}
ActiveSupport::Dependencies.clear
end
end
end
end
# Temporary base class
class Rack::TestCase < ActionDispatch::IntegrationTest
def self.testing(klass = nil)
if klass
@testing = "/#{klass.name.underscore}".sub!(/_controller$/, '')
else
@testing
end
end
def get(thing, *args)
if thing.is_a?(Symbol)
super("#{self.class.testing}/#{thing}", *args)
else
super
end
end
def assert_body(body)
assert_equal body, Array(response.body).join
end
def assert_status(code)
assert_equal code, response.status
end
def assert_response(body, status = 200, headers = {})
assert_body body
assert_status status
headers.each do |header, value|
assert_header header, value
end
end
def assert_content_type(type)
assert_equal type, response.headers["Content-Type"]
end
def assert_header(name, value)
assert_equal value, response.headers[name]
end
end
module ActionController
class Base
include ActionController::Testing
# This stub emulates the Railtie including the URL helpers from a Rails application
include SharedTestRoutes.url_helpers
include SharedTestRoutes.mounted_helpers
self.view_paths = FIXTURE_LOAD_PATH
def self.test_routes(&block)
routes = ActionDispatch::Routing::RouteSet.new
routes.draw(&block)
include routes.url_helpers
end
end
class TestCase
include ActionDispatch::TestProcess
include ActionDispatch::SharedRoutes
end
end
class ::ApplicationController < ActionController::Base
end
module ActionView
class TestCase
# Must repeat the setup because AV::TestCase is a duplication
# of AC::TestCase
include ActionDispatch::SharedRoutes
end
end
class Workshop
extend ActiveModel::Naming
include ActiveModel::Conversion
attr_accessor :id
def initialize(id)
@id = id
end
def persisted?
id.present?
end
def to_s
id.to_s
end
end
module ActionDispatch
class DebugExceptions
private
remove_method :stderr_logger
# Silence logger
def stderr_logger
nil
end
end
end
module ActionDispatch
module RoutingVerbs
def get(uri_or_host, path = nil)
host = uri_or_host.host unless path
path ||= uri_or_host.path
params = {'PATH_INFO' => path,
'REQUEST_METHOD' => 'GET',
'HTTP_HOST' => host}
routes.call(params)[2].join
end
end
end
module RoutingTestHelpers
def url_for(set, options, recall = nil)
set.send(:url_for, options.merge(:only_path => true, :_recall => recall))
end
end
class ResourcesController < ActionController::Base
def index() render :nothing => true end
alias_method :show, :index
end
class ThreadsController < ResourcesController; end
class MessagesController < ResourcesController; end
class CommentsController < ResourcesController; end
class ReviewsController < ResourcesController; end
class AuthorsController < ResourcesController; end
class LogosController < ResourcesController; end
class AccountsController < ResourcesController; end
class AdminController < ResourcesController; end
class ProductsController < ResourcesController; end
class ImagesController < ResourcesController; end
class PreferencesController < ResourcesController; end
module Backoffice
class ProductsController < ResourcesController; end
class TagsController < ResourcesController; end
class ManufacturersController < ResourcesController; end
class ImagesController < ResourcesController; end
module Admin
class ProductsController < ResourcesController; end
class ImagesController < ResourcesController; end
end
end

View File

@ -0,0 +1,91 @@
require 'abstract_unit'
# Define the essentials
class ActiveRecordTestConnector
cattr_accessor :able_to_connect
cattr_accessor :connected
# Set our defaults
self.connected = false
self.able_to_connect = true
end
# Try to grab AR
unless defined?(ActiveRecord) && defined?(FixtureSet)
begin
PATH_TO_AR = "#{File.dirname(__FILE__)}/../../activerecord/lib"
raise LoadError, "#{PATH_TO_AR} doesn't exist" unless File.directory?(PATH_TO_AR)
$LOAD_PATH.unshift PATH_TO_AR
require 'active_record'
rescue LoadError => e
$stderr.print "Failed to load Active Record. Skipping Active Record assertion tests: #{e}"
ActiveRecordTestConnector.able_to_connect = false
end
end
$stderr.flush
# Define the rest of the connector
class ActiveRecordTestConnector
class << self
def setup
unless self.connected || !self.able_to_connect
setup_connection
load_schema
require_fixture_models
self.connected = true
end
rescue Exception => e # errors from ActiveRecord setup
$stderr.puts "\nSkipping ActiveRecord assertion tests: #{e}"
#$stderr.puts " #{e.backtrace.join("\n ")}\n"
self.able_to_connect = false
end
private
def setup_connection
if Object.const_defined?(:ActiveRecord)
defaults = { :database => ':memory:' }
adapter = defined?(JRUBY_VERSION) ? 'jdbcsqlite3' : 'sqlite3'
options = defaults.merge :adapter => adapter, :timeout => 500
ActiveRecord::Base.establish_connection(options)
ActiveRecord::Base.configurations = { 'sqlite3_ar_integration' => options }
ActiveRecord::Base.connection
Object.send(:const_set, :QUOTED_TYPE, ActiveRecord::Base.connection.quote_column_name('type')) unless Object.const_defined?(:QUOTED_TYPE)
else
raise "Can't setup connection since ActiveRecord isn't loaded."
end
end
# Load actionpack sqlite tables
def load_schema
File.read(File.dirname(__FILE__) + "/fixtures/db_definitions/sqlite.sql").split(';').each do |sql|
ActiveRecord::Base.connection.execute(sql) unless sql.blank?
end
end
def require_fixture_models
Dir.glob(File.dirname(__FILE__) + "/fixtures/*.rb").each {|f| require f}
end
end
end
class ActiveRecordTestCase < ActionController::TestCase
include ActiveRecord::TestFixtures
# Set our fixture path
if ActiveRecordTestConnector.able_to_connect
self.fixture_path = [FIXTURE_LOAD_PATH]
self.use_transactional_fixtures = false
end
def self.fixtures(*args)
super if ActiveRecordTestConnector.connected
end
def run(*args)
super if ActiveRecordTestConnector.connected
end
end
ActiveRecordTestConnector.setup

View File

@ -0,0 +1 @@
top level partial html

View File

@ -0,0 +1 @@
top level partial

View File

@ -0,0 +1,3 @@
module FooHelper
redefine_method(:baz) {}
end

View File

@ -0,0 +1 @@
<%= greeting %> bad customer: <%= bad_customer.name %><%= bad_customer_counter %>

View File

@ -0,0 +1 @@
absolute/*

View File

@ -0,0 +1 @@
/blog/blog.html

View File

@ -0,0 +1 @@
/blog/index.html

View File

@ -0,0 +1 @@
/blog/subdir/index.html

View File

@ -0,0 +1 @@
<h1>Kein Kommentar</h1>

View File

@ -0,0 +1 @@
xml.h1 'No Comment'

View File

@ -0,0 +1 @@
<h1>No Comment</h1>

View File

@ -0,0 +1 @@
<error>No Comment</error>

24
actionview/test/fixtures/companies.yml vendored Normal file
View File

@ -0,0 +1,24 @@
thirty_seven_signals:
id: 1
name: 37Signals
rating: 4
TextDrive:
id: 2
name: TextDrive
rating: 4
PlanetArgon:
id: 3
name: Planet Argon
rating: 4
Google:
id: 4
name: Google
rating: 4
Ionist:
id: 5
name: Ioni.st
rating: 4

9
actionview/test/fixtures/company.rb vendored Normal file
View File

@ -0,0 +1,9 @@
class Company < ActiveRecord::Base
has_one :mascot
self.sequence_name = :companies_nonstd_seq
validates_presence_of :name
def validate
errors.add('rating', 'rating should not be 2') if rating == 2
end
end

View File

@ -0,0 +1 @@
Hello custom patterns!

View File

@ -0,0 +1 @@
Another template!

View File

@ -0,0 +1 @@
Hello custom patterns!

View File

@ -0,0 +1 @@
<%= greeting %>: <%= customer.name %>

View File

@ -0,0 +1,49 @@
CREATE TABLE 'companies' (
'id' INTEGER PRIMARY KEY NOT NULL,
'name' TEXT DEFAULT NULL,
'rating' INTEGER DEFAULT 1
);
CREATE TABLE 'replies' (
'id' INTEGER PRIMARY KEY NOT NULL,
'content' text,
'created_at' datetime,
'updated_at' datetime,
'topic_id' integer,
'developer_id' integer
);
CREATE TABLE 'topics' (
'id' INTEGER PRIMARY KEY NOT NULL,
'title' varchar(255),
'subtitle' varchar(255),
'content' text,
'created_at' datetime,
'updated_at' datetime
);
CREATE TABLE 'developers' (
'id' INTEGER PRIMARY KEY NOT NULL,
'name' TEXT DEFAULT NULL,
'salary' INTEGER DEFAULT 70000,
'created_at' DATETIME DEFAULT NULL,
'updated_at' DATETIME DEFAULT NULL
);
CREATE TABLE 'projects' (
'id' INTEGER PRIMARY KEY NOT NULL,
'name' TEXT DEFAULT NULL
);
CREATE TABLE 'developers_projects' (
'developer_id' INTEGER NOT NULL,
'project_id' INTEGER NOT NULL,
'joined_on' DATE DEFAULT NULL,
'access_level' INTEGER DEFAULT 1
);
CREATE TABLE 'mascots' (
'id' INTEGER PRIMARY KEY NOT NULL,
'company_id' INTEGER NOT NULL,
'name' TEXT DEFAULT NULL
);

10
actionview/test/fixtures/developer.rb vendored Normal file
View File

@ -0,0 +1,10 @@
class Developer < ActiveRecord::Base
has_and_belongs_to_many :projects
has_many :replies
has_many :topics, :through => :replies
accepts_nested_attributes_for :projects
end
class DeVeLoPeR < ActiveRecord::Base
self.table_name = "developers"
end

21
actionview/test/fixtures/developers.yml vendored Normal file
View File

@ -0,0 +1,21 @@
david:
id: 1
name: David
salary: 80000
jamis:
id: 2
name: Jamis
salary: 150000
<% (3..10).each do |digit| %>
dev_<%= digit %>:
id: <%= digit %>
name: fixture_<%= digit %>
salary: 100000
<% end %>
poor_jamis:
id: 11
name: Jamis
salary: 9000

View File

@ -0,0 +1 @@
<%= developer.name %>

View File

@ -0,0 +1,13 @@
david_action_controller:
developer_id: 1
project_id: 2
joined_on: 2004-10-10
david_active_record:
developer_id: 1
project_id: 1
joined_on: 2004-10-10
jamis_active_record:
developer_id: 2
project_id: 1

View File

@ -0,0 +1 @@
Great story, bro!

View File

@ -0,0 +1 @@
<%= render partial: "comments/comment", collection: commentable.comments %>

View File

@ -0,0 +1 @@
<%= render partial: "header" %>

View File

@ -0,0 +1 @@
THIS BE WHERE THEM MESSAGE GO, YO!

View File

@ -0,0 +1,5 @@
<%= render "header" %>
<%= render partial: "form" %>
<%= render @message %>
<%= render ( @message.events ) %>
<%= render :partial => "comments/comment", :collection => @message.comments %>

View File

@ -0,0 +1,2 @@
<%= render @messages %>
<%= render @events %>

View File

@ -0,0 +1,13 @@
<%# Template Dependency: messages/message %>
<%= render "header" %>
<%= render "comments/comments" %>
<%= render "messages/actions/move" %>
<%= render @message.history.events %>
<%# render "something_missing" %>
<%
# Template Dependency: messages/form
%>

View File

@ -0,0 +1 @@
edit

View File

@ -0,0 +1 @@
show

View File

@ -0,0 +1 @@
<%= form.label :title %>

View File

@ -0,0 +1 @@
Fun <%= game.name %>

View File

@ -0,0 +1 @@
Living in a nested world

View File

@ -0,0 +1 @@
Serious <%= game.name %>

View File

@ -0,0 +1,3 @@
<% cache do %>
Old fragment caching in a partial
<% end %>

View File

@ -0,0 +1,3 @@
<body>
<%= cache do %><p>ERB</p><% end %>
</body>

View File

@ -0,0 +1,5 @@
xml.body do
cache do
xml.p "Builder"
end
end

View File

@ -0,0 +1,3 @@
Hello
<%= cache do %>This bit's fragment cached<% end %>
<%= 'Ciao' %>

View File

@ -0,0 +1,3 @@
<body>
<%= cache 'nodigest', skip_digest: true do %><p>ERB</p><% end %>
</body>

View File

@ -0,0 +1 @@
<%= render :partial => 'partial' %>

View File

@ -0,0 +1,2 @@
<%= render :inline => 'Some inline content' %>
<%= cache do %>Some cached content<% end %>

View File

@ -0,0 +1 @@
Just <%= game.name %>

View File

@ -0,0 +1 @@
<%= greeting %> good customer: <%= good_customer.name %><%= good_customer_counter %>

View File

@ -0,0 +1 @@
Hello world!

1
actionview/test/fixtures/hello.html vendored Normal file
View File

@ -0,0 +1 @@
Hello world!

View File

@ -0,0 +1,5 @@
module AbcHelper
def bare_a() end
def bare_b() end
def bare_c() end
end

View File

@ -0,0 +1,5 @@
module Fun
module GamesHelper
def stratego() "Iz guuut!" end
end
end

View File

@ -0,0 +1,5 @@
module Fun
module PdfHelper
def foobar() 'baz' end
end
end

View File

@ -0,0 +1,5 @@
module HelperyTestHelper
def helpery_test
"Default"
end
end

View File

@ -0,0 +1,3 @@
module JustMeHelper
def me() "mine!" end
end

View File

@ -0,0 +1,3 @@
module MeTooHelper
def me() "me too!" end
end

View File

@ -0,0 +1,5 @@
module Pack1Helper
def conflicting_helper
"pack1"
end
end

View File

@ -0,0 +1,5 @@
module Pack2Helper
def conflicting_helper
"pack2"
end
end

View File

@ -0,0 +1 @@
alt/hello.erb

View File

@ -0,0 +1 @@
controller_name_space/nested.erb <%= yield %>

View File

@ -0,0 +1 @@
item.erb <%= yield %>

View File

@ -0,0 +1 @@
layout_test.erb <%= yield %>

View File

@ -0,0 +1 @@
multiple_extensions.html.erb <%= yield %>

View File

@ -0,0 +1 @@
../../symlink_parent

View File

@ -0,0 +1 @@
layouts/third_party_template_library.mab

View File

@ -0,0 +1 @@
hello.erb

View File

@ -0,0 +1 @@
hello.erb

View File

@ -0,0 +1,2 @@
<div id="column"><%= yield :column %></div>
<div id="content"><%= yield %></div>

View File

@ -0,0 +1 @@
<title><%= yield Struct.new(:name).new("David") %></title>

View File

@ -0,0 +1,2 @@
<%= render :partial => 'test/partial' %>
<%= yield %>

View File

@ -0,0 +1 @@
<%= yield %>

View File

@ -0,0 +1 @@
<%= yield 'Yield!' %>

View File

@ -0,0 +1,3 @@
<%= render(:layout => "layout_for_partial", :locals => { :name => "Anthony" }) do %>Inside from first block in layout<% "Return value should be discarded" %><% end %>
<%= yield %>
<%= render(:layout => "layout_for_partial", :locals => { :name => "Ramm" }) do %>Inside from second block in layout<% end %>

View File

@ -0,0 +1,3 @@
xml.wrapper do
xml << yield
end

View File

@ -0,0 +1,3 @@
<%= render( :layout => "layout_for_partial", :partial => "partial_for_use_in_layout", :locals => {:name => 'Anthony' } ) %>
<%= yield %>
<%= render( :layout => "layout_for_partial", :partial => "partial_for_use_in_layout", :locals => {:name => 'Ramm' } ) %>

View File

@ -0,0 +1 @@
<html><%= yield %><%= @variable_for_layout %></html>

View File

@ -0,0 +1,4 @@
<%= yield :header -%>
<%= yield -%>
<%= yield :footer -%>
<%= yield(:unknown).presence || "." -%>

View File

@ -0,0 +1,2 @@
<title><%= @title || yield(:title) %></title>
<%= yield -%>

View File

@ -0,0 +1 @@
<%= render :partial => "partial_only_html" %><%= yield %>

View File

@ -0,0 +1,2 @@
XHR!
<%= yield %>

View File

@ -0,0 +1,2 @@
<title><%= yield :title %></title>
<%= yield %>

View File

@ -0,0 +1,2 @@
<%= render :inline => 'welcome' %>
<%= yield %>

View File

@ -0,0 +1,2 @@
<%= render :partial => 'test/partial' %>
<%= yield %>

View File

@ -0,0 +1 @@
Gutten Tag

View File

@ -0,0 +1 @@
Hello World

3
actionview/test/fixtures/mascot.rb vendored Normal file
View File

@ -0,0 +1,3 @@
class Mascot < ActiveRecord::Base
belongs_to :company
end

4
actionview/test/fixtures/mascots.yml vendored Normal file
View File

@ -0,0 +1,4 @@
upload_bird:
id: 1
company_id: 1
name: The Upload Bird

View File

@ -0,0 +1 @@
<%= mascot.name %>

Binary file not shown.

Some files were not shown because too many files have changed in this diff Show More