This is the coding style guide we use at FreeAgent for our Ruby apps. We encourage you to set up one that works for your own team.
Much of this was based on the GitHub Ruby Style Guide. Feel free to fork the guide but we won't accept pull requests from non-FreeAgent staff, unless they're for typos etc.
- Use two spaces per indentation level (aka soft tabs). No hard tabs.
# bad - four spaces def some_method do_something end # good def some_method do_something end
-
Keep lines equal to or fewer than 115 characters. (Width of github's diff view without wrapping.)
-
Never leave trailing whitespace.
-
End each file with a blank newline.
-
Use spaces around operators, after commas, colons and semicolons. Use spaces around
{and before}in blocks.
sum = 1 + 2 a, b = 1, 2 1 > 2 ? true : false; puts "Hi" [1, 2, 3].each { |e| puts e }
- No spaces after
(,[or before],). No spaces after{and before}in hash declarations.
some(arg).other [1, 2, 3].length some_hash = {one: 1, two: 2, three: 3}
- No spaces after
!.
!array.include?(element)
- Use spaces inside
<%...%>.
<% if condition %> <% else %> <% end %>
- Indent
whenas deep as the correspondingend.
case when song.name == "Misty" puts "Not again!" when song.duration > 120 puts "Too long!" when Time.now.hour > 21 puts "It's too late" else song.play end kind = case year when 1850..1889 then "Blues" when 1890..1909 then "Ragtime" when 1910..1929 then "New Orleans Jazz" when 1930..1939 then "Swing" when 1940..1950 then "Bebop" else "Jazz" end
- Use empty lines between method (
def) blocks, and within methods to break up method code into logical paragraphs.
def some_method data = initialize(options) data.manipulate! data.result end def some_method result end
- Last line of a multiline array or hash should end with a trailing comma. It keeps diffs much smaller when adding or deleting lines in future.
[ "one", "two", ]
- Last element of an array or hash on a single line should omit the trailing comma however.
# Bad ["one", 2,] # Good ["one", 2]
Use TomDoc to the best of your ability. It's pretty sweet:
# Public: Duplicate some text an arbitrary number of times. # # text - The String to be duplicated. # count - The Integer number of times to duplicate the text. # # Examples # # multiplex("Tom", 4) # # => "TomTomTomTom" # # Returns the duplicated String. def multiplex(text, count) text * count end
To check and generate documentation install Yard with TomDoc Plugin
gem install yard yard-tomdoc
Run your isolated file through the documentation parser
yard doc --plugin tomdoc $FILENAME
open doc/index.htmlYou do not need to commit the generated ./doc or .yardoc files.
- Use
defwith parentheses when there are arguments. Omit the parentheses when the method doesn't accept any arguments.
def some_method # body omitted end def some_method_with_arguments(arg1, arg2) # body omitted end
- Never use
for, unless you know exactly why. Most of the time iterators should be used instead.foris implemented in terms ofeach(so you're adding a level of indirection), but with a twist -fordoesn't introduce a new scope (unlikeeach) and variables defined in its block will be visible outside it.
arr = [1, 2, 3] # bad for elem in arr do puts elem end # good arr.each { |elem| puts elem }
- Never use
thenfor multi-lineif/unless.
# bad if some_condition then # body omitted end # good if some_condition # body omitted end
- Avoid the ternary operator (
?:) except in cases where all expressions are extremely trivial. However, do use the ternary operator(?:) overif/then/else/endconstructs for single line conditionals.
# bad result = if some_condition then something else something_else end # good result = some_condition ? something : something_else
- Use one expression per branch in a ternary operator. This also means that ternary operators must not be nested. Prefer
if/elseconstructs in these cases.
# bad some_condition ? (nested_condition ? nested_something : nested_something_else) : something_else # good if some_condition nested_condition ? nested_something : nested_something_else else something_else end
-
The
andandorkeywords are banned. It's just not worth it. Always use&&and||instead. -
Avoid multi-line
?:(the ternary operator), useif/unlessinstead. -
Favor modifier
if/unlessusage when you have a single-linebody.
# bad if some_condition do_something end # good do_something if some_condition
- Never use
unlesswithelse. Rewrite these with the positive case first.
# bad unless success? puts "failure" else puts "success" end # good if success? puts "success" else puts "failure" end
- Don't use parentheses around the condition of an
if/unless/while.
# bad if (x > 10) # body omitted end # good if x > 10 # body omitted end
- Prefer
{...}overdo...endfor single-line blocks. Avoid using{...}for multi-line blocks (multiline chaining is always ugly). Always usedo...endfor "control flow" and "method definitions" (e.g. in Rakefiles and certain DSLs). Avoiddo...endwhen chaining.
names = ["Bozhidar", "Steve", "Sarah"] # good names.each { |name| puts name } # bad names.each do |name| puts name end # good names.select { |name| name.start_with?("S") }.map { |name| name.upcase } # bad names.select do |name| name.start_with?("S") end.map { |name| name.upcase }
Some will argue that multiline chaining would look OK with the use of {...}, but they should ask themselves - is this code really readable and can't the block's contents be extracted into nifty methods?
- Avoid
returnwhere not required.
# bad def some_method(some_arr) return some_arr.size end # good def some_method(some_arr) some_arr.size end
- Use spaces around the
=operator when assigning default values to method parameters:
# bad def some_method(arg1=:default, arg2=nil, arg3=[]) # do something... end # good def some_method(arg1 = :default, arg2 = nil, arg3 = []) # do something... end
While several Ruby books suggest the first style, the second is much more prominent in practice (and arguably a bit more readable).
- Using the return value of
=(an assignment) is ok.
# bad if (v = array.grep(/foo/)) ... # good if v = array.grep(/foo/) ... # also good - has correct precedence. if (v = next_value) == "hello" ...
- Use
||=freely to initialize variables.
# set name to Bozhidar, only if it's nil or false name ||= "Bozhidar"
- Don't use
||=to initialize boolean variables. (Consider what would happen if the current value happened to befalse.)
# bad - would set enabled to true even if it was false enabled ||= true # good enabled = true if enabled.nil?
-
Avoid using Perl-style special variables (like
0ドル-9,$,etc. ). They are quite cryptic and their use in anything but one-liner scripts is discouraged. Prefer long form versions such as$PROGRAM_NAME. -
Never put a space between a method name and the opening parenthesis.
# bad f (3 + 2) + 1 # good f(3 + 2) + 1
-
If the first argument to a method begins with an open parenthesis, always use parentheses in the method invocation. For example, write
f((3 + 2) + 1). -
Prefix with
_unused block parameters and local variables. It's also acceptable to use just_(although it's a bit less descriptive). This convention is recognized by the Ruby interpreter and tools like RuboCop and will suppress their unused variable warnings.# bad result = hash.map { |k, v| v + 1 } def something(x) unused_var, used_var = something_else(x) # ... end # good result = hash.map { |_k, v| v + 1 } def something(x) _unused_var, used_var = something_else(x) # ... end # good result = hash.map { |_, v| v + 1 } def something(x) _, used_var = something_else(x) # ... end
-
Don't use the
===(threequals) operator to check types.===is mostly an implementation detail to support Ruby features likecase, and it's not commutative. For example,String === "hi"is true and"hi" === Stringis false. Instead, useis_a?orkind_of?if you must.
Refactoring is even better. It's worth looking hard at any code that explicitly checks types.
- Avoid
::when nesting modules (at least in the application)
# not good module Foo; end module Foo::Bar; end module Foo::Bar::Baz def self.n puts Module.nesting.inspect # => [Foo::Bar::Baz] end end # good module Foo; end module Foo module Bar; end end module Foo module Bar module Baz def self.n puts Module.nesting.inspect # => [Foo::Bar::Baz, Foo::Bar, Foo] end end end end
This can prevent complications when it comes to constant lookup.
-
Use
snake_casefor methods and variables. -
Use
CamelCasefor classes and modules. (Keep acronyms like HTTP, RFC, XML uppercase.) -
Use
SCREAMING_SNAKE_CASEfor other constants. -
The names of predicate methods (methods that return a boolean value) should end in a question mark. (i.e.
Array#empty?). -
The names of potentially "dangerous" methods (i.e. methods that modify
selfor the arguments,exit!, etc.) should end with an exclamation mark. Bang methods should only exist if a non-bang method exists. (More on this).
- Avoid the usage of class (
@@) variables due to their unusual behavior in inheritance.
class Parent @@class_var = "parent" def self.print_class_var puts @@class_var end end class Child < Parent @@class_var = "child" end Parent.print_class_var # => will print "child"
As you can see all the classes in a class hierarchy actually share oneclass variable. Class instance variables should usually be preferred over class variables.
- Use
def self.methodto define singleton methods. This makes the methods more resistant to refactoring changes.
class TestClass # bad def TestClass.some_method # body omitted end # good def self.some_other_method # body omitted end end
- Avoid
class << selfexcept when necessary, e.g. single accessors and aliased attributes.
class TestClass # bad class << self def first_method # body omitted end def second_method_etc # body omitted end end # good class << self attr_accessor :per_page alias_method :nwo, :find_by_name_with_owner end def self.first_method # body omitted end def self.second_method_etc # body omitted end end
- Indent the
public,protected, andprivatemethods as much the method definitions they apply to. Leave one blank line above and below them.
class SomeClass def public_method # ... end private def private_method # ... end end
- Avoid explicit use of
selfas the recipient of internal class or instance messages unless to specify a method shadowed by a variable.
class SomeClass attr_accessor :message def greeting(name) message = "Hi #{name}" # local variable in Ruby, not attribute writer self.message = message end end
- Avoid explicit use of instance variables
# bad class SomeClass def initialize(foo) @foo = foo end end def foo? @foo == "Foo" end # good class SomeClass attr_reader :foo def initialize(foo) @foo = foo end def foo? foo == "Foo" end end # better (if `foo` doesn't need to be public) class SomeClass def initialize(foo) @foo = foo end def foo? foo == "Foo" end private attr_reader :foo end
- Avoid complex logic in the initialiser
# bad class SomeClass def initialize(foo) @foo = foo @bar = some_method(foo) end end # good class SomeClass def initialize(foo) @foo = foo end def bar @bar ||= some_method(foo) end end # good (using a class method) class SomeClass attr_reader :foo def self.from_id(id) new(Foo.find(id)) end def initialize(foo) @foo = foo end end # good (using an instance method) class SomeClass def initialize(foo_id) @foo_id = foo_id end def foo @foo ||= Foo.find(foo_id) end private attr_reader :foo_id end
- Don't use exceptions for flow of control.
# bad begin n / d rescue ZeroDivisionError puts "Cannot divide by 0!" end # good if d.zero? puts "Cannot divide by 0!" else n / d end
- Don't use bare rescues or rescue the
Exceptionclass.
# bad begin # an exception occurs here rescue Exception => e # exception handling end # bad begin # an exception occurs here rescue => e # exception handling end # good begin # an exception occurs here rescue StandardError => e # error handling here end
- Use the letter
efor your short rescue variable.
# bad begin # an exception occurs here rescue StandardError => ex # exception handling end # good begin # an exception occurs here rescue StandardError => e # error handling here end
- Skip the rescue variable if you aren't going to use it.
# bad begin # an exception occurs here rescue StandardError => e Rails.logger.error("A problem happened!") end # good begin # an exception occurs here rescue StandardError Rails.logger.error("A problem happened!") end
- Prefer
%wto the literal array syntax when you need an array of strings.
# bad STATES = ["draft", "open", "closed"] # good STATES = %w(draft open closed)
-
Use
Setinstead ofArraywhen dealing with unique elements.Setimplements a collection of unordered values with no duplicates. This is a hybrid ofArray's intuitive inter-operation facilities andHash's fast lookup. -
Use symbols instead of strings as hash keys, and use the Ruby 1.9 hash syntax rather than hash rockets where possible.
# bad hash = {"one" => 1, "two" => 2, "three" => 3} # good hash = {one: 1, two: 2, three: 3}
-
When splitting a hash over multiple lines, place one key/value pair per line with the closing brace on the line after the last key/value pair.
-
Indent the contents of multiline hashes one level deeper than the preceeding code, don't line the hash up with the braces.
# bad hash = Contact.create(first_name: "Robert", last_name: "Burns", email: "haggis@burns.net") # good hash = Contact.create( first_name: "Robert", last_name: "Burns", email: "haggis@burns.net", )
- Drop
{}around arguments when the there is only one hash as the argument, whether parens are included or not
# bad hash = Contact.create({first_name: "Robert", last_name: "Burns"}) # good hash = Contact.create(first_name: "Robert", last_name: "Burns") # also good hash = Contact.create first_name: "Robert", last_name: "Burns"
-
Add spacing to line up the hash rockets and/or values in columns if it helps readability.
-
Don't use symbols where you have dynamic key names.
# bad hash = {:"user_#{id}" => "fred"}
- Prefer string interpolation instead of string concatenation:
# bad email_with_name = user.name + " <" + user.email + ">" # good email_with_name = "#{user.name} <#{user.email}>"
- Prefer double-quoted strings. Interpolation and escaped characters will always work without a delimiter change, and
'is a lot more common than"in string literals.
# bad name = 'Bozhidar' # good name = "Bozhidar"
- Avoid using
String#+when you need to construct large data chunks. Instead, useString#<<. Concatenation mutates the string instance in-place and is always faster thanString#+, which creates a bunch of new string objects.
# good and also fast html = "" html << "<h1>Page title</h1>" paragraphs.each do |paragraph| html << "<p>#{paragraph}</p>" end
- Add the
# frozen_string_literal: trueto the top of all files. This implicitly freezes all the string literals created in that file, which puts less pressure on garbage collection.
# frozen_string_literal: true class Foo def initialize string = "I'm frozen!" end end
- Avoid using
1ドル-9as it can be hard to track what they contain. Named groups can be used instead.
# bad /(regexp)/ =~ string ... process 1ドル # good /(?<meaningful_var>regexp)/ =~ string ... process meaningful_var
- Be careful with
^and$as they match start/end of line, not string endings. If you want to match the whole string use:\Aand\z.
string = "some injection\nusername" string[/^username$/] # matches string[/\Ausername\z/] # don't match
- Use
xmodifier for complex regexps. This makes them more readable and you can add some useful comments. Just be careful as spaces are ignored.
regexp = %r{ start # some text \s # white space char (group) # first group (?:alt1|alt2) # some alternation end }x
- Use
%wfreely.
STATES = %w(draft open closed)
- Use
%()for single-line strings which require both interpolation and embedded double-quotes. For multi-line strings, prefer heredocs.
# bad (no interpolation needed) %(<div class="text">Some text</div>) # should be "<div class=\"text\">Some text</div>" # bad (no double-quotes) %(This is #{quality} style) # should be "This is #{quality} style" # bad (multiple lines) %(<div>\n<span class="big">#{exclamation}</span>\n</div>) # should be a heredoc. # good (requires interpolation, has quotes, single line) %(<tr><td class="name">#{name}</td>)
- Use
%ronly for regular expressions matching more than one '/' character.
# bad %r(\s+) # still bad %r(^/(.*)$) # should be /^\/(.*)$/ # good %r(^/blog/2011/(.*)$)
Follow your ❤️