module Innate::Node

The nervous system of {Innate}, so you can relax.

Node may be included into any class to make it a valid responder to requests.

The major difference between this and the old Ramaze controller is that every Node acts as a standalone application with its own dispatcher.

What's also an important difference is the fact that {Node} is a module, so we don't have to spend a lot of time designing the perfect subclassing scheme.

This makes dispatching more fun, avoids a lot of processing that is done by Rack anyway and lets you tailor your application down to the last action exactly the way you want without worrying about side-effects to other {Node}s.

Upon inclusion, it will also include {Innate::Trinity} and {Innate::Helper} to provide you with {Innate::Request}, {Innate::Response}, {Innate::Session} instances, and all the standard helper methods as well as the ability to simply add other helpers.

Please note that method_missing will not be considered when building an {Action}. There might be future demand for this, but for now you can simply use `def index(*args); end` to make a catch-all action.

Constants

NODE_LIST

Attributes

layout_templates[R]
method_arities[R]
view_templates[R]

Public Class Methods

generate_mapping(object_name = self.name) click to toggle source
# File lib/innate/node.rb, line 97
def self.generate_mapping(object_name = self.name)
  return '/' if NODE_LIST.size == 1
  parts = object_name.split('::').map{|part|
    part.gsub(/^[A-Z]+/){|sub| sub.downcase }.gsub(/[A-Z]+[^A-Z]/, '_\&')
  }
  '/' << parts.join('/').downcase
end
included(into) click to toggle source

Upon inclusion we make ourselves comfortable.

# File lib/innate/node.rb, line 70
def self.included(into)
  into.__send__(:include, Helper)
  into.extend(Trinity, self)

  NODE_LIST << into

  return if into.provide_set?
  into.provide(:html, :engine => :Etanni)
  into.trait(:provide_set => false)
end
setup() click to toggle source

node mapping procedure

when Node is included into an object, it's added to NODE_LIST when object::map(location) is sent, it maps the object into DynaMap when Innate.start is issued, it calls ::setup ::setup iterates NODE_LIST and maps all objects not in DynaMap by using ::generate_mapping as location

when object::map(nil) is sent, the object will be skipped in ::setup

# File lib/innate/node.rb, line 91
def self.setup
  NODE_LIST.each{|node|
    node.map(generate_mapping(node.name)) unless node.trait[:skip_node_map]
  }
end

Public Instance Methods

action_found(action) click to toggle source

Executed once an {Action} has been found.

Reset the {Innate::Response} instance, catch :respond and :redirect. {Action#call} has to return a String.

@param [Action] action

@return [Innate::Response]

@api external @see Innate::Action#call Innate::Response @author manveru

# File lib/innate/node.rb, line 328
def action_found(action)
  response = catch(:respond){ catch(:redirect){ action.call }}

  unless response.respond_to?(:finish)
    self.response.write(response)
    response = self.response
  end

  response['Content-Type'] ||= action.options[:content_type]
  response
end
action_missing(path) click to toggle source

The default handler in case no action was found, kind of method_missing. Must modify the response in order to have any lasting effect.

Reasoning:

  • We are doing this is in order to avoid tons of special error handling code that would impact runtime and make the overall API more complicated.

  • This cannot be a normal action is that methods defined in {Innate::Node} will never be considered for actions.

To use a normal action with template do following:

@example

class Hi
  include Innate::Node
  map '/'

  def self.action_missing(path)
    return if path == '/not_found'
    # No normal action, runs on bare metal
    try_resolve('/not_found')
  end

  def not_found
    # Normal action
    "Sorry, I do not exist"
  end
end

@param [String] path

@api external @see Innate::Response #try_resolve @author manveru

# File lib/innate/node.rb, line 375
def action_missing(path)
  response = Current.response
  response.status = 404
  response['Content-Type'] = 'text/plain'
  response.write("No action found at: %p" % path)

  response
end
alias_view(to, from, node = nil) click to toggle source

Aliasing one view from another. The aliases are inherited, and the optional third node parameter indicates the Node to take the view from.

The argument order is identical with `alias` and `alias_method`, which quite honestly confuses me, but at least we stay consistent.

@example

class Foo
  include Innate::Node

  # Use the 'foo' view when calling 'bar'
  alias_view 'bar', 'foo'

  # Use the 'foo' view from FooBar node when calling 'bar'
  alias_view 'bar', 'foo', FooBar
end

Note that the parameters have been simplified in comparision with Ramaze::Controller::template where the second parameter may be a Controller or the name of the template. We take that now as an optional third parameter.

@param [#to_s] to view that should be replaced @param [#to_s] from view to use or Node. @param [#nil?, Node] node optionally obtain view from this Node

@api external @see Node::find_aliased_view @author manveru

# File lib/innate/node.rb, line 658
def alias_view(to, from, node = nil)
  trait[:alias_view] || trait(:alias_view => {})
  trait[:alias_view][to.to_s] = node ? [from.to_s, node] : from.to_s
end
binding() click to toggle source

For compatibility with new Kernel#binding behaviour in 1.9

@return [Binding] binding of the instance being rendered. @see Innate::Action#binding @author manveru

Calls superclass method
# File lib/innate/node.rb, line 940
def binding; super end
call(env) click to toggle source

This makes the Node a valid application for Rack. env is the environment hash passed from the Rack::Handler

We rely on correct PATH_INFO.

As defined by the Rack spec, PATH_INFO may be empty if it wants the root of the application, so we insert '/' to make our dispatcher simple.

Innate will not rescue any errors for you or do any error handling, this should be done by an underlying middleware.

We do however log errors at some vital points in order to provide you with feedback in your logs.

A lot of functionality in here relies on the fact that call is executed within Innate::Current#call which populates the variables used by Trinity. So if you use the Node directly as a middleware make sure that you use Innate::Current as a middleware before it.

@param [Hash] env

@return [Array]

@api external @see Innate::Response#reset #try_resolve Innate::Session#flush @author manveru

# File lib/innate/node.rb, line 293
def call(env)
  path = env['PATH_INFO']
  path << '/' if path.empty?

  response.reset
  try_resolve(path).finish
end
fill_action(action, given_name) click to toggle source

Now we're talking {Action}, we try to find a matching template and method, if we can't find either we go to the next pattern, otherwise we answer with an {Action} with everything we know so far about the demands of the client.

@param [String] given_name the name extracted from REQUEST_PATH @return [Action, nil]

@api internal @see #find_method #find_view #find_layout #patterns_for

Action#wish Action#merge!

@author manveru

# File lib/innate/node.rb, line 457
def fill_action(action, given_name)
  needs_method = action.options[:needs_method]
  wish = action.wish

  patterns_for(given_name) do |name, params|
    method = find_method(name, params)

    next unless method if needs_method
    next unless method if params.any?
    next unless (view = find_view(name, wish)) || method

    params.map!{|param| Rack::Utils.unescape(param) }

    action.merge!(:method => method, :view => view, :params => params,
                  :layout => find_layout(name, wish))
  end
end
find_aliased_view(action_name, wish) click to toggle source

Resolve one level of aliasing for the given action_name and wish.

@param [String] action_name @param [String] wish

@return [nil, String] the absolute path to the aliased template or nil

@api internal @see Node::alias_view Node::find_view @author manveru

# File lib/innate/node.rb, line 673
def find_aliased_view(action_name, wish)
  aliased_name, aliased_node = ancestral_trait[:alias_view][action_name]
  return unless aliased_name

  aliased_node ||= self
  aliased_node.update_view_mappings
  aliased_node.find_view(aliased_name, wish)
end
find_layout(name, wish) click to toggle source

Try to find a suitable value for the layout. This may be a template or the name of a method.

If a layout could be found, an Array with two elements is returned, the first indicating the kind of layout (:layout|:view|:method), the second the found value, which may be a String or Symbol.

@param [String] name @param [String] wish

@return [Array, nil]

@api external @see #to_layout #find_method #find_view @author manveru

@todo allow layouts combined of method and view… hairy :)

# File lib/innate/node.rb, line 492
def find_layout(name, wish)
  return unless layout = ancestral_trait[:layout]
  return unless layout = layout.call(name, wish) if layout.respond_to?(:call)

  if found = to_layout(layout, wish)
    [:layout, found]
  elsif found = find_view(layout, wish)
    [:view, found]
  elsif found = find_method(layout, [])
    [:method, found]
  end
end
find_method(name, params) click to toggle source

We check arity if possible, but will happily dispatch to any method that has default parameters. If you don't want your method to be responsible for messing up a request you should think twice about the arguments you specify due to limitations in Ruby.

So if you want your method to take only one parameter which may have a default value following will work fine:

def index(foo = "bar", *rest)

But following will respond to /arg1/arg2 and then fail due to ArgumentError:

def index(foo = "bar")

Here a glance at how parameters are expressed in arity:

def index(a)                  # => 1
def index(a = :a)             # => -1
def index(a, *r)              # => -2
def index(a = :a, *r)         # => -1

def index(a, b)               # => 2
def index(a, b, *r)           # => -3
def index(a, b = :b)          # => -2
def index(a, b = :b, *r)      # => -2

def index(a = :a, b = :b)     # => -1
def index(a = :a, b = :b, *r) # => -1

@param [String, Symbol] name @param [Array] params

@return [String, Symbol]

@api external @see #fill_action #find_layout @author manveru

@todo Once 1.9 is mainstream we can use Method#parameters to do accurate

prediction
# File lib/innate/node.rb, line 546
def find_method(name, params)
  return unless arity = method_arities[name.to_s]
  name if arity == params.size || arity < 0
end
find_provide(path) click to toggle source

Resolve possible provides for the given path from {Innate::Node#provides}.

@param [String] path

@return [Array] with name, wish, engine

@api internal @see Node::provide Node::provides @author manveru

# File lib/innate/node.rb, line 431
def find_provide(path)
  pr = provides

  name, wish, engine = path, 'html', pr['html_handler']

  pr.find do |key, value|
    key = key[/(.*)_handler$/, 1]
    next unless path =~ /^(.+)\.#{key}$/i
    name, wish, engine = $1, key, value
  end

  return name, wish, engine
end
find_view(action_name, wish) click to toggle source

Try to find the best template for the given basename and wish and respect aliased views.

@param [#to_s] action_name @param [#to_s] wish

@return [String, nil] depending whether a template could be found

@api external @see #to_template #find_aliased_view @author manveru

# File lib/innate/node.rb, line 602
def find_view(action_name, wish)
  aliased = find_aliased_view(action_name, wish)
  return aliased if aliased

  to_view(action_name, wish)
end
layout(layout_name = nil, &block) click to toggle source

Define a layout to use on this Node.

A Node can only have one layout, although the template being chosen can depend on {Innate::Node#provides}.

@example

layout :foo

@example

layout do |name, wish|
  name == 'foo' ? 'dark' : 'bright'
end

@example

layout :foo do |name, wish|
  wish == 'html'
end

@param [String, to_s] layout_name basename without extension of the

layout to use

@param [Proc, call] block called on every dispatch if no name given

@return [Proc, String] The assigned name or block

@api external @see #find_layout Node#layout_paths #to_layout Node#app_layout @author manveru

# File lib/innate/node.rb, line 725
def layout(layout_name = nil, &block)
  if layout_name and block
    # default name, but still check with block
    trait(:layout => lambda{|name, wish| layout_name.to_s if block.call(name, wish) })
  elsif layout_name
    # name of a method or template
    trait(:layout => layout_name.to_s)
  elsif block
    # call block every request with name and wish, returned value is name
    # of layout template or method
    trait(:layout => block)
  else
    # remove layout for this node
    trait(:layout => nil)
  end

  return ancestral_trait[:layout]
end
layout_mappings() click to toggle source

Combine Innate.options.layouts with either the `ancestral_trait` or the {Node#mapping} if the trait yields an empty Array.

@return [Array<String>, Array<Array<String>>]

@api external @see {Node#map_layouts} @author manveru

# File lib/innate/node.rb, line 1009
def layout_mappings
  paths = [*ancestral_trait[:layouts]]
  paths = ['/'] if paths.empty?

  [[*options.layouts].flatten, [*paths].flatten]
end
map(location) click to toggle source

Shortcut to map or remap this Node.

@example Usage for explicit mapping:

class FooBar
  include Innate::Node
  map '/foo_bar'
end

Innate.to(FooBar) # => '/foo_bar'

@example Usage for automatic mapping:

class FooBar
  include Innate::Node
  map mapping
end

Innate.to(FooBar) # => '/foo_bar'

@param [#to_s] location

@api external @see Innate::SingletonMethods::map @author manveru

# File lib/innate/node.rb, line 150
def map(location)
  trait :skip_node_map => true
  Innate.map(location, self)
end
map_layouts(*locations) click to toggle source

Set the paths for lookup below the Innate.options.layouts paths.

@param [String, Array<String>] locations

Any number of strings indicating the paths where layout templates may
be located, relative to Innate.options.roots/Innate.options.layouts

@return [Node] self

@api external @see {Node#layout_mappings} @author manveru

# File lib/innate/node.rb, line 996
def map_layouts(*locations)
  trait :layouts => locations.flatten.uniq
  self
end
map_views(*locations) click to toggle source

Set the paths for lookup below the Innate.options.views paths.

@param [String, Array<String>] locations

Any number of strings indicating the paths where view templates may be
located, relative to Innate.options.roots/Innate.options.views

@return [Node] self

@api external @see {Node#view_mappings} @author manveru

# File lib/innate/node.rb, line 965
def map_views(*locations)
  trait :views => locations.flatten.uniq
  self
end
mapping() click to toggle source

Tries to find the relative url that this {Node} is mapped to. If it cannot find one it will instead generate one based on the snake_cased name of itself.

@example Usage:

class FooBar
  include Innate::Node
end
FooBar.mapping # => '/foo_bar'

@return [String] the relative path to the node

@api external @see Innate::SingletonMethods#to @author manveru

# File lib/innate/node.rb, line 121
def mapping
  Innate.to(self)
end
needs_method?() click to toggle source

Whether an {Action} can be built without a method.

The default is to allow actions that use only a view template, but you might want to turn this on, for example if you have partials in your view directories.

@example turning needs_method? on

class Foo
  Innate.node('/')
end

Foo.needs_method? # => true
Foo.trait :needs_method => false
Foo.needs_method? # => false

@return [true, false] (false)

@api external @see {Node#fill_action} @author manveru

# File lib/innate/node.rb, line 1041
def needs_method?
  ancestral_trait[:needs_method]
end
options() click to toggle source
# File lib/innate/node.rb, line 1016
def options
  Innate.options
end
patterns_for(path) { |action_name, params| ... } click to toggle source

The innate beauty in Nitro, Ramaze, and {Innate}.

Will yield the name of the action and parameter for the action method in order of significance.

def foo__bar # responds to /foo/bar
def foo(bar) # also responds to /foo/bar

But foo__bar takes precedence because it's more explicit.

The last fallback will always be the index action with all of the path turned into parameters.

@example yielding possible combinations of action names and params

class Foo; include Innate::Node; map '/'; end

Foo.patterns_for('/'){|action, params| p action => params }
# => {"index"=>[]}

Foo.patterns_for('/foo/bar'){|action, params| p action => params }
# => {"foo__bar"=>[]}
# => {"foo"=>["bar"]}
# => {"index"=>["foo", "bar"]}

Foo.patterns_for('/foo/bar/baz'){|action, params| p action => params }
# => {"foo__bar__baz"=>[]}
# => {"foo__bar"=>["baz"]}
# => {"foo"=>["bar", "baz"]}
# => {"index"=>["foo", "bar", "baz"]}

@param [String, split] path usually the PATH_INFO

@return [Action] it actually returns the first non-nil/false result of yield

@api internal @see #fill_action @author manveru

# File lib/innate/node.rb, line 782
def patterns_for(path)
  default_action_name = ancestral_trait[:default_action_name]
  separate_default_action = ancestral_trait[:separate_default_action]

  atoms = path.split('/')
  atoms.delete('')
  result = nil
  atoms.size.downto(0) do |len|
    action_name = atoms[0...len].join('__')

    next if separate_default_action && action_name == default_action_name

    params = atoms[len..-1]

    action_name = default_action_name if action_name.empty? &&
      (separate_default_action || params != [default_action_name])

    return result if result = yield(action_name, params)
  end

  return nil
end
possible_exts_for(wish) click to toggle source

Answer with an array of possible extensions in order of significance for the given wish.

@param [#to_s] wish the extension (no leading '.')

@return [Array] list of exts valid for this wish

@api internal @see #to_template View::exts_of #provides @author manveru

# File lib/innate/node.rb, line 927
def possible_exts_for(wish)
  pr = provides
  return unless engine = pr["#{wish}_handler"]
  View.exts_of(engine).map{|e_ext|
    [[*wish].map{|w_ext| /#{w_ext}\.#{e_ext}$/ }, /#{e_ext}$/]
  }.flatten
end
possible_paths_for(mappings) click to toggle source

Answer with an array of possible paths in order of significance for template lookup of the given mappings.

@param [#map] mappings An array two Arrays of inner and outer directories.

@return [Array] @see #update_view_mappings #update_layout_mappings #update_template_mappings @author manveru

# File lib/innate/node.rb, line 910
def possible_paths_for(mappings)
  root_mappings.map{|root|
    mappings.first.map{|inner|
      mappings.last.map{|outer|
        ::File.join(root, inner, outer, '/') }}}.flatten
end
provide(format, param = {}, &block) click to toggle source

Specify which way contents are provided and processed.

Use this to set a templating engine, custom Content-Type, or pass a block to take over the processing of the {Action} and template yourself.

Provides set via this method will be inherited into subclasses.

The format is extracted from the PATH_INFO, it simply represents the last extension name in the path.

The provide also has influence on the chosen templates for the {Action}.

@example providing RSS with ERB templating

provide :rss, :engine => :ERB

Given a request to `/list.rss` the template lookup first tries to find `list.rss.erb`, if that fails it falls back to `list.erb`. If neither of these are available it will try to use the return value of the method in the {Action} as template.

A request to `/list.yaml` would match the format 'yaml'

@example providing a yaml version of actions

class Articles
  include Innate::Node
  map '/article'

  provide(:yaml, :type => 'text/yaml'){|action, value| value.to_yaml }

  def list
    @articles = Article.list
  end
end

@example providing plain text inspect version

class Articles
  include Innate::Node
  map '/article'

  provide(:txt, :type => 'text/plain'){|action, value| value.inspect }

  def list
    @articles = Article.list
  end
end

@param [Proc] block

upon calling the action, [action, value] will be passed to it and its
return value becomes the response body.

@option param :engine [Symbol String]

Name of an engine for View::get

@option param :type [String]

default Content-Type if none was set in Response

@raise [ArgumentError] if neither a block nor an engine was given

@api external @see View::get #provides @author manveru

@note

If you specify a block when calling this method you'll have to take care
of rendering views and the like yourself. If you merely want to set a
extension and content type you can omit the block.

@todo

The comment of this method may be too short for the effects it has on
the rest of Innate, if you feel something is missing please let me
know.
# File lib/innate/node.rb, line 229
def provide(format, param = {}, &block)
  if param.respond_to?(:to_hash)
    param = param.to_hash
    handler = block || View.get(param[:engine])
    content_type = param[:type]
  else
    handler = View.get(param)
  end

  raise(ArgumentError, "Need an engine or block") unless handler

  trait("#{format}_handler"      => handler, :provide_set => true)
  trait("#{format}_content_type" => content_type) if content_type
end
provide_handlers() click to toggle source

@see #provides @return [Hash]

# File lib/innate/node.rb, line 262
def provide_handlers
  ancestral_trait.reject { |key, value| key !~ /_handler$/ }
end
provide_set?() click to toggle source

This will return true if the only provides set are by {Innate::Node.included}.

The reasoning behind this is to determine whether the user has touched the provides at all, in which case we will not override the provides in subclasses.

@return [true, false] (false)

@api internal @see {Node::included} @author manveru

# File lib/innate/node.rb, line 1057
def provide_set?
  ancestral_trait[:provide_set]
end
provides() click to toggle source

Returns the list of provide handlers. This list is cached after the first call to this method.

@return [Hash]

# File lib/innate/node.rb, line 250
def provides
  if ancestral_trait[:cache_provides]
    return ancestral_trait[:provides_cache][self] ||= provide_handlers
  else
    return provide_handlers
  end
end
resolve(path, options = {}) click to toggle source

Let's get down to business, first check if we got any wishes regarding the representation from the client, otherwise we will assume he wants html.

@param [String] path @param [Hash] options

@return [nil, Action]

@api external @see Node::find_provide Node::update_method_arities Node::find_action @author manveru

# File lib/innate/node.rb, line 396
def resolve(path, options = {})
  name, wish, engine = find_provide(path)
  node = (respond_to?(:ancestors) && respond_to?(:new)) ? self : self.class

  action = Action.create(
    :node    => node,
    :wish    => wish,
    :engine  => engine,
    :path    => path,
    :options => options
  )

  if !action.options.key?(:needs_method)
    action.options[:needs_method] = node.needs_method?
  end

  if content_type = node.ancestral_trait["#{wish}_content_type"]
    action.options[:content_type] = content_type
  end

  node.update_method_arities
  node.update_template_mappings
  node.fill_action(action, name)
end
root_mappings() click to toggle source

make sure this is an Array and a new instance so modification on the wrapping array doesn't affect the original option. [*arr].object_id == arr.object_id if arr is an Array

@return [Array] list of root directories

@api external @author manveru

# File lib/innate/node.rb, line 950
def root_mappings
  [*options.roots].flatten
end
to_layout(action_name, wish) click to toggle source

Find the best matching action_name for the layout, if any.

This is mostly an abstract method that you might find handy if you want to do vastly different layout lookup.

@param [String] action_name @param [String] wish

@return [nil, String] the absolute path to the template or nil

@api external @see {Node#to_template} {Node#root_mappings} {Node#layout_mappings} @author manveru

# File lib/innate/node.rb, line 695
def to_layout(action_name, wish)
  return unless files = layout_templates[wish.to_s]
  files[action_name.to_s]
end
to_template(path, wish) click to toggle source

Try to find a template at the given path for wish.

Since Innate supports multiple paths to templates the path has to be an Array that may be nested one level.

@example Usage to find available templates

# This assumes following files:
# view/foo.erb
# view/bar.erb
# view/bar.rss.erb
# view/bar.yaml.erb

class FooBar
  Innate.node('/')
end

FooBar.to_template(['.', 'view', '/', 'foo'], 'html')
# => "./view/foo.erb"
FooBar.to_template(['.', 'view', '/', 'foo'], 'yaml')
# => "./view/foo.erb"
FooBar.to_template(['.', 'view', '/', 'foo'], 'rss')
# => "./view/foo.erb"

FooBar.to_template(['.', 'view', '/', 'bar'], 'html')
# => "./view/bar.erb"
FooBar.to_template(['.', 'view', '/', 'bar'], 'yaml')
# => "./view/bar.yaml.erb"
FooBar.to_template(['.', 'view', '/', 'bar'], 'rss')
# => "./view/bar.rss.erb"

@param [Array<Array<String>>, Array<String>] path

array containing strings and nested (1 level) arrays containing strings

@param [String] wish

@return [nil, String] relative path to the first template found

@api external @see #find_view #to_layout #find_aliased_view @author manveru

# File lib/innate/node.rb, line 845
def to_template(path, wish)
  to_view(path, wish) || to_layout(path, wish)
end
to_view(action_name, wish) click to toggle source

Try to find the best template for the given basename and wish.

This method is mostly here for symetry with {Innate::Node#to_layout} and to allow you overriding the template lookup easily.

@param [#to_s] action_name @param [#to_s] wish

@return [String, nil] depending whether a template could be found

@api external @see {Node#find_view} {Node#to_template} {Node#root_mappings}

{Node#view_mappings} {Node#to_template}

@author manveru

# File lib/innate/node.rb, line 623
def to_view(action_name, wish)
  return unless files = view_templates[wish.to_s]
  files[action_name.to_s]
end
try_resolve(path) click to toggle source

Let's try to find some valid action for given path. Otherwise we dispatch to {Innate::Node#action_missing}.

@param [String] path from env

@return [Response]

@api external @see #resolve #action_found #action_missing @author manveru

# File lib/innate/node.rb, line 311
def try_resolve(path)
  action = resolve(path)
  action ? action_found(action) : action_missing(path)
end
update_layout_mappings() click to toggle source
# File lib/innate/node.rb, line 863
def update_layout_mappings
  if ancestral_trait[:fast_mappings]
    return @layout_templates if @layout_templates
  end

  paths = possible_paths_for(layout_mappings)
  @layout_templates = update_mapping_shared(paths)
end
update_mapping_shared(paths) click to toggle source
# File lib/innate/node.rb, line 872
def update_mapping_shared(paths)
  mapping = {}
  paths.reject!{|path| !File.directory?(path) }

  provides.each do |wish_key, engine|
    wish = wish_key[/(.*)_handler/, 1]
    exts = possible_exts_for(wish)

    paths.reverse_each do |path|
      Find.find(path) do |file|
        exts.each do |ext|
          next unless file =~ ext

          case file.sub(path, '').gsub('/', '__')
          when /^(.*)\.(.*)\.(.*)$/
            action_name, wish_ext, engine_ext = $1, $2, $3
          when /^(.*)\.(.*)$/
            action_name, wish_ext, engine_ext = $1, wish, $2
          end

          mapping[wish_ext] ||= {}
          mapping[wish_ext][action_name] = file
        end
      end
    end
  end

  return mapping
end
update_method_arities() click to toggle source

Answer with a hash, keys are method names, values are method arities.

Note that this will be executed once for every request, once we have settled things down a bit more we can switch to update based on Reloader hooks and update once on startup. However, that may cause problems with dynamically created methods, so let's play it safe for now.

@example

Hi.update_method_arities
# => {'index' => 0, 'foo' => -1, 'bar' => 2}

@api internal @see #resolve @return [Hash] mapping the name of the methods to their arity

# File lib/innate/node.rb, line 567
def update_method_arities
  if ancestral_trait[:cache_method_arities]        and ancestral_trait[:method_arity_cache][self]
    return ancestral_trait[:method_arity_cache][self]
  end

  @method_arities = {}

  exposed = ancestors & Helper::EXPOSE.to_a
  higher = ancestors.select{|ancestor| ancestor < Innate::Node }

  (higher + exposed).reverse_each do |ancestor|
    ancestor.public_instance_methods(false).each do |im|
      @method_arities[im.to_s] = ancestor.instance_method(im).arity
    end
  end

  if ancestral_trait[:cache_method_arities]
    ancestral_trait[:method_arity_cache][self] = @method_arities
  end

  @method_arities
end
update_template_mappings() click to toggle source
# File lib/innate/node.rb, line 849
def update_template_mappings
  update_view_mappings
  update_layout_mappings
end
update_view_mappings() click to toggle source
# File lib/innate/node.rb, line 854
def update_view_mappings
  if ancestral_trait[:fast_mappings]
    return @view_templates if @view_templates
  end

  paths = possible_paths_for(view_mappings)
  @view_templates = update_mapping_shared(paths)
end
view_mappings() click to toggle source

Combine Innate.options.views with either the `ancestral_trait` or the {Node#mapping} if the trait yields an empty Array.

@return [Array<String>, Array<Array<String>>]

@api external @see {Node#map_views} @author manveru

# File lib/innate/node.rb, line 978
def view_mappings
  paths = [*ancestral_trait[:views]]
  paths = [mapping] if paths.empty?

  [[*options.views].flatten, [*paths].flatten]
end