8000 GitHub - cescande/rails-templates: ⚠️ Not currently maintained, better go there: https://github.com/lewagon/rails-templates/tree/rails-51
[go: up one dir, main page]
More Web Proxy on the site http://driver.im/
Skip to content

cescande/rails-templates

 
 

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 
 
 
 
 
 
 
 
 
 
 
 
 

Repository files navigation

Rails Templates

Quickly generate a rails app using Rails Templates.

Templates:

Complementary setup:

Minimal

Get a minimal rails 5 app ready to be deployed on Heroku with Bootstrap, Simple form and debugging gems.

Improved Le Wagon default configuration:

  • Updated gemfile for > Rails 5.1.1
rails new \
  --database postgresql \
  -m https://raw.githubusercontent.com/adesurirey/rails-templates/master/minimal.rb \
  CHANGE_THIS_TO_YOUR_RAILS_APP_NAME

Devise

Same as minimal plus a Devise install with a generated User model.

Improved Le Wagon default configuration:

  • Updated gemfile for > Rails 5.1.1
  • Automaticaly annotate your models when running rails db:migrate
  • Includes faker for nice seeds
  • Includes application.sample.yml which should contain the list of required keys, but NOT the secret values
  • Includes Rubocop custom config
  • includes letter_opener_web
rails new \
  --database postgresql \
  -m https://raw.githubusercontent.com/adesurirey/rails-templates/master/devise.rb \
  CHANGE_THIS_TO_YOUR_RAILS_APP_NAME

Tip: Devise additional translations here

Semantic-UI

This is a beta template, feel free to participate and feedback !

Same as Devise with Semantic UI full integration.

  • Semantic components
  • Custom simple_form initializer
  • Visibility helpers
  • JS initializers
rails new \
  --database postgresql \
  -m https://raw.githubusercontent.com/adesurirey/rails-templates/master/semantic-ui.rb \
  CHANGE_THIS_TO_YOUR_RAILS_APP_NAME

Semantic-UI Notice:

Visibility helpers:

Semantic UI has responsive classes, however they're only applicable to grids, containers, rows and columns. Plus, there isn't any mobile hidden, X hidden class (like hidden-xs with Bootstrap).

This template is using the same class names and same approach plus a bit more to reproduce it outside of containers and rows. You'll find the code in app/assets/stylsheets/config/_screens.scss, it's based on Semantic-Org/Semantic-UI#1114

You can use it like this:

<body>
   <a class="tablet or lower hidden" />
   <b class="mobile tablet only" />
</body>

Javascript initializers:

All Semantic-UI JS must be initialized in app/assets/javascripts/semantic_initializers.js

Look for Usage tabs in Semantic-UI documentation to find the good ones.

Overide Semantic-UI Variables

Right now all you can do is overiding Semantic-UI classes, and you're right, it's not very elegant. But you're very welcome to share other solutions.

Tips:

  • Use simple_form checkbox wrappers for great UI:
simple_form_for @user do |f|
  f.input :admin, wrapper: :ui_toggle_checkbox
end

also availabe: ui_slider_checkbox

Minimal + React

Same as minimal plus React setup.

  • Webpack + Yarn + React installed
rails new \
  --database postgresql \
  -m https://raw.githubusercontent.com/adesurirey/rails-templates/master/react-minimal.rb \
  CHANGE_THIS_TO_YOUR_RAILS_APP_NAME

Devise + React

Same as devise plus React setup.

  • Webpack + Yarn + React installed
rails new \
  --database postgresql \
  -m https://raw.githubusercontent.com/adesurirey/rails-templates/master/react-devise.rb \
  CHANGE_THIS_TO_YOUR_RAILS_APP_NAME

React notice:

Use foreman to launch rails server and webpack-dev-server

$ gem install foreman
$ foreman start -f Procfile.dev -p 3000

Warning: do not add foreman to your gemfile.

Use yarn to add packages

$ yarn add <package>
$ yarn add <dev-only-package> --dev

Starter architecture

app/javascript
└── packs
    ├── application.js
    └── hello_react.js

To render the demo React component just use helper:< 8000 /p>

<%= javascript_pack_tag 'hello_react' %>

Redux architecture

app/javascript
└── your_pack
    └── actions
    └── components
    └── containers
    └── reducers
    └── index.js
└── packs
    ├── application.js
    └── your_pack.js
// your_pack.js

import 'your_pack';

Testing

Improved Le Wagon default configuration :

  • Includes $ Rubocop with default configuration
  • Continuously run your tests with $ guard
  • Perfomance monitoring with Rack-mini-profiler

Starting from here, you can add Minitest & Capybara with the following procedure:

brew install phantomjs  # on OSX only
                        # Linux: see https://gist.github.com/julionc/7476620
# Gemfile
group :development, :test do
  gem 'rubocop', require: false

  gem 'guard'
  gem 'guard-minitest'

  gem 'capybara', require: false
  gem 'capybara-screenshot', require: false
  gem 'poltergeist', require: false
  gem 'launchy', require: false
  gem 'minitest-reporters'

  gem 'rack-mini-profiler', require: false

  # [...]
end
$ bundle install
$ bundle exec guard init
# Guardfile
guard :minitest, spring: true do
  # with Minitest::Unit
  watch(%r{^test/(.*)\/?test_(.*)\.rb$})
  watch(%r{^lib/(.*/)?([^/]+)\.rb$})     { |m| "test/#{m[1]}test_#{m[2]}.rb" }
  watch(%r{^test/test_helper\.rb$})      { 'test' }

  # with Minitest::Spec
  # watch(%r{^spec/(.*)_spec\.rb$})
  # watch(%r{^lib/(.+)\.rb$})         { |m| "spec/#{m[1]}_spec.rb" }
  # watch(%r{^spec/spec_helper\.rb$}) { 'spec' }

  # Rails 4
  watch(%r{^app/(.+)\.rb$})                               { |m| "test/#{m[1]}_test.rb" }
  watch(%r{^app/controllers/application_controller\.rb$}) { 'test/controllers' }
  watch(%r{^app/controllers/(.+)_controller\.rb$})        { |m| "test/integration/#{m[1]}_test.rb" }
  watch(%r{^app/views/(.+)_mailer/.+})                    { |m| "test/mailers/#{m[1]}_mailer_test.rb" }
  watch(%r{^lib/(.+)\.rb$})                               { |m| "test/lib/#{m[1]}_test.rb" }
  watch(%r{^test/.+_test\.rb$})
  watch(%r{^test/test_helper\.rb$}) { 'test' }
end
# test/test_helper.rb
ENV['RAILS_ENV'] ||= 'test'
require File.expand_path('../../config/environment', __FILE__)
require 'rails/test_help'
require 'minitest/reporters'
Minitest::Reporters.use! [Minitest::Reporters::SpecReporter.new]

class ActiveSupport::TestCase
  fixtures :all
end

require 'capybara/rails'
class ActionDispatch::IntegrationTest
  include Capybara::DSL
  def teardown
    Capybara.reset_sessions!
    Capybara.use_default_driver
    Warden.test_reset!
  end
end

require 'capybara/poltergeist'
Capybara.default_driver = :poltergeist

include Warden::Test::Helpers
Warden.test_mode!
# config/initializers/rack_profiler.rb
if Rails.env.development?
  require 'rack-mini-profiler'

  # initialization is skipped so trigger it
  Rack::MiniProfilerRails.initialize!(Rails.application)
end
# .rubocop.yml
AllCops:
  TargetRubyVersion: YOUR.RUBYVERSION
  Include:
    - '**/Rakefile'
    - '**/config.ru'
  Exclude:
    - 'lib/tasks/auto_annotate_models.rake'
    - 'db/**/*'
    - 'config/**/*'
    - 'script/**/*'
    - 'bin/**/*'
    - !ruby/regexp /old_and_unused\.rb$/
    - 'app/admin/*'
    - 'tmp/*'
    - Guardfile
    - Gemfile

Documentation:
  Enabled: false

FrozenStringLiteralComment:
  Enabled: false

ClassAndModuleChildren:
  Enabled: false

Metrics/BlockLength:
  Enabled: true
  Exclude:
    - lib/tasks/**/*

TrailingCommaInLiteral:
  Enabled: false

AsciiComments:
  Enabled: false

AlignParameters:
  Enabled: false

Lint/EndAlignment:
  Enabled: true
  EnforcedStyleAlignWith: variable

Metrics/LineLength:
  Max: 100

Style/BlockDelimiters:
  EnforcedStyle: semantic

Style/Lambda:
  Enabled: false

Style/SignalException:
  EnforcedStyle: semantic

Style/NumericLiteralPrefix:
  Enabled: false

Style/NumericLiterals:
  Enabled: false

Style/StringLiterals:
  EnforcedStyle: double_quotes

Style/SymbolArray:
  Enabled: false

Wercker

Continuous integration with Wercker

# wercker requirements
gem 'execjs'
gem 'therubyracer'
# wercker.yml
box: ruby:CHANGE.IT.TOYOURRUBYVERSION

# You can also use services such as databases. Read more on our dev center:
# http://devcenter.wercker.com/docs/services/index.html
services:
    - redis
    - id: postgres
      env:
       POSTGRES_PASSWORD: ourlittlesecret
       POSTGRES_USER: testuser
# services:
    # - postgres
    # http://devcenter.wercker.com/docs/services/postgresql.html

    # - mongo
    # http://devcenter.wercker.com/docs/services/mongodb.html

# This is the build pipeline. Pipelines are the core of wercker
# Read more about pipelines on our dev center
# http://devcenter.wercker.com/docs/pipelines/index.html
build:
    # Steps make up the actions in your pipeline
    # Read more about steps on our dev center:
    # http://devcenter.wercker.com/docs/steps/index.html
    steps:
        - adesurirey/install-phantomjs@0.0.5
        - rails-database-yml
        - script:
          name: nokogiri tricks
          code: bundle config build.nokogiri --use-system-libraries
        - bundle-install
        - script:
          name: run migration
          code: rake db:migrate RAILS_ENV=test
        - script:
          name: load fixture
          code: rake db:fixtures:load RAILS_ENV=test
        - script:
            name: run rubocop
            code: bundle exec rubocop
        - script:
            name: test
            code: bundle exec rake test RAILS_ENV=test

Setup staging

Use recipient_interceptor to catch emails

# Gemfile
group :staging do
  gem 'recipient_interceptor'
end
# application.yml
development:
  HOST: 'localhost:3000'

test:
  HOST: 'localhost:3000'

staging:
  HOST: 'http://TODO_PUT_YOUR_DOMAIN_HERE-staging'
  EMAIL_RECIPIENTS: "TODO_STAGING@EXAMPLE.COM"

production:
  HOST: 'http://TODO_PUT_YOUR_DOMAIN_HERE'
# config/environments/production.rb
Rails.application.configure do
  # comment this line
  # config.action_mailer.default_url_options = { host: "http://TODO_PUT_YOUR_DOMAIN_HERE" }

  config.action_mailer.delivery_method = :smtp
  config.action_mailer.default_url_options = { host: ENV["HOST"] }

  # [...]
end
# config/environments/staging.rb
Rails.application.configure do
  config.action_mailer.delivery_method = :smtp
  config.action_mailer.default_url_options = { host: ENV["HOST"] }
  # Settings specified here will take precedence over those in config/application.rb.

  # Code is not reloaded between requests.
  config.cache_classes = true

  # Eager load code on boot. This eager loads most of Rails and
  # your application in memory, allowing both threaded web servers
  # and those relying on copy on write to perform better.
  # Rake tasks automatically ignore this option for performance.
  config.eager_load = true

  # Full error reports are disabled and caching is turned on.
  config.consider_all_requests_local       = false
  config.action_controller.perform_caching = true

  # Attempt to read encrypted secrets from `config/secrets.yml.enc`.
  # Requires an encryption key in `ENV["RAILS_MASTER_KEY"]` or
  # `config/secrets.yml.key`.
  config.read_encrypted_secrets = true

  # Disable serving static files from the `/public` folder by default since
  # Apache or NGINX already handles this.
  config.public_file_server.enabled = ENV['RAILS_SERVE_STATIC_FILES'].present?

  # Compress JavaScripts and CSS.
  config.assets.js_compressor = :uglifier
  # config.assets.css_compressor = :sass

  # Do not fallback to assets pipeline if a precompiled asset is missed.
  config.assets.compile = false

  # `config.assets.precompile` and `config.assets.version` have moved to config/initializers/assets.rb

  # Enable serving of images, stylesheets, and JavaScripts from an asset server.
  # config.action_controller.asset_host = 'http://assets.example.com'

  # Specifies the header that your server uses for sending files.
  # config.action_dispatch.x_sendfile_header = 'X-Sendfile' # for Apache
  # config.action_dispatch.x_sendfile_header = 'X-Accel-Redirect' # for NGINX

  # Mount Action Cable outside main process or domain
  # config.action_cable.mount_path = nil
  # config.action_cable.url = 'wss://example.com/cable'
  # config.action_cable.allowed_request_origins = [ 'http://example.com', /http:\/\/example.*/ ]

  # Force all access to the app over SSL, use Strict-Transport-Security, and use secure cookies.
  # config.force_ssl = true

  # Use the lowest log level to ensure availability of diagnostic information
  # when problems arise.
  config.log_level = :debug

  # Prepend all log lines with the following tags.
  config.log_tags = [ :request_id ]

  # Use a different cache store in production.
  # config.cache_store = :mem_cache_store

  # Use a real queuing backend for Active Job (and separate queues per environment)
  # config.active_job.queue_adapter     = :resque
  # config.active_job.queue_name_prefix = "DSD_#{Rails.env}"
  config.action_mailer.perform_caching = true

  # Ignore bad email addresses and do not raise email delivery errors.
  # Set this to true and configure the email server for immediate delivery to raise delivery errors.
  # config.action_mailer.raise_delivery_errors = false

  # Enable locale fallbacks for I18n (makes lookups for any locale fall back to
  # the I18n.default_locale when a translation cannot be found).
  config.i18n.fallbacks = true

  # Send deprecation notices to registered listeners.
  config.active_support.deprecation = :notify

  # Use default logging formatter so that PID and timestamp are not suppressed.
  config.log_formatter = ::Logger::Formatter.new

  # Use a different logger for distributed setups.
  # require 'syslog/logger'
  # config.logger = ActiveSupport::TaggedLogging.new(Syslog::Logger.new 'app-name')

  if ENV["RAILS_LOG_TO_STDOUT"].present?
    logger           = ActiveSupport::Logger.new(STDOUT)
    logger.formatter = config.log_formatter
    config.logger = ActiveSupport::TaggedLogging.new(logger)
  end

  # Do not dump schema after migrations.
  config.active_record.dump_schema_after_migration = false

  Mail.register_interceptor RecipientInterceptor.new(ENV['EMAIL_RECIPIENTS'])
end
# config/secrets.yml
staging:
   secret_key_base: <%= ENV["SECRET_KEY_BASE"] %>

About

⚠️ Not currently maintained, better go there: https://github.com/lewagon/rails-templates/tree/rails-51

Resources

Stars

Watchers

Forks

Releases

No releases published

Packages

No packages published

Languages

  • Ruby 100.0%
0