repo
stringlengths
5
92
file_url
stringlengths
80
287
file_path
stringlengths
5
197
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
7 values
commit_sha
stringlengths
40
40
retrieved_at
stringdate
2026-01-04 15:37:27
2026-01-04 17:58:21
truncated
bool
2 classes
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/performance/shopify/comment_form.rb
performance/shopify/comment_form.rb
# frozen_string_literal: true class CommentForm < Liquid::Block Syntax = /(#{Liquid::VariableSignature}+)/ def initialize(tag_name, markup, options) super if markup =~ Syntax @variable_name = Regexp.last_match(1) @attributes = {} else raise SyntaxError, "Syntax Error in 'comment_form' - Valid syntax: comment_form [article]" end end def render_to_output_buffer(context, output) article = context[@variable_name] context.stack do context['form'] = { 'posted_successfully?' => context.registers[:posted_successfully], 'errors' => context['comment.errors'], 'author' => context['comment.author'], 'email' => context['comment.email'], 'body' => context['comment.body'], } output << wrap_in_form(article, render_all(@nodelist, context, output)) output end end def wrap_in_form(article, input) %(<form id="article-#{article.id}-comment-form" class="comment-form" method="post" action="">\n#{input}\n</form>) end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/performance/shopify/database.rb
performance/shopify/database.rb
# frozen_string_literal: true require 'yaml' module Database DATABASE_FILE_PATH = "#{__dir__}/vision.database.yml" # Load the standard vision toolkit database and re-arrage it to be simply exportable # to liquid as assigns. All this is based on Shopify def self.tables @tables ||= begin db = if YAML.respond_to?(:unsafe_load_file) # Only Psych 4+ can use unsafe_load_file # unsafe_load_file is needed for YAML references YAML.unsafe_load_file(DATABASE_FILE_PATH) else YAML.load_file(DATABASE_FILE_PATH) end # From vision source db['products'].each do |product| collections = db['collections'].find_all do |collection| collection['products'].any? { |p| p['id'].to_i == product['id'].to_i } end product['collections'] = collections end # key the tables by handles, as this is how liquid expects it. db = db.each_with_object({}) do |(key, values), assigns| assigns[key] = values.each_with_object({}) do |v, h| h[v['handle']] = v end end # Some standard direct accessors so that the specialized templates # render correctly db['collection'] = db['collections'].values.first db['product'] = db['products'].values.first db['blog'] = db['blogs'].values.first db['article'] = db['blog']['articles'].first db['cart'] = { 'total_price' => db['line_items'].values.inject(0) { |sum, item| sum + item['line_price'] * item['quantity'] }, 'item_count' => db['line_items'].values.inject(0) { |sum, item| sum + item['quantity'] }, 'items' => db['line_items'].values, } db end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/performance/unit/expression_benchmark.rb
performance/unit/expression_benchmark.rb
# frozen_string_literal: true require "benchmark/ips" # benchmark liquid lexing require 'liquid' RubyVM::YJIT.enable STRING_MARKUPS = [ "\"foo\"", "\"fooooooooooo\"", "\"foooooooooooooooooooooooooooooo\"", "'foo'", "'fooooooooooo'", "'foooooooooooooooooooooooooooooo'", ] VARIABLE_MARKUPS = [ "article", "article.title", "article.title.size", "very_long_variable_name_2024_11_05", "very_long_variable_name_2024_11_05.size", ] NUMBER_MARKUPS = [ "0", "35", "1241891024912849", "3.5", "3.51214128409128", "12381902839.123819283910283", "123.456.789", "-123", "-12.33", "-405.231", "-0", "0", "0.0", "0.0000000000000000000000", "0.00000000001", ] RANGE_MARKUPS = [ "(1..30)", "(1...30)", "(1..30..5)", "(1.0...30.0)", "(1.........30)", "(1..foo)", "(foo..30)", "(foo..bar)", "(foo...bar...100)", "(foo...bar...100.0)", ] LITERAL_MARKUPS = [ nil, 'nil', 'null', '', 'true', 'false', 'blank', 'empty', ] MARKUPS = { "string" => STRING_MARKUPS, "literal" => LITERAL_MARKUPS, "variable" => VARIABLE_MARKUPS, "number" => NUMBER_MARKUPS, "range" => RANGE_MARKUPS, } Benchmark.ips do |x| x.config(time: 5, warmup: 5) MARKUPS.each do |type, markups| x.report("Liquid::Expression#parse: #{type}") do markups.each do |markup| Liquid::Expression.parse(markup) end end end x.report("Liquid::Expression#parse: all") do MARKUPS.values.flatten.each do |markup| Liquid::Expression.parse(markup) end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/performance/unit/lexer_benchmark.rb
performance/unit/lexer_benchmark.rb
# frozen_string_literal: true require "benchmark/ips" # benchmark liquid lexing require 'liquid' RubyVM::YJIT.enable EXPRESSIONS = [ "foo[1..2].baz", "12.0", "foo.bar.based", "21 - 62", "foo.bar.baz", "foo > 12", "foo < 12", "foo <= 12", "foo >= 12", "foo <> 12", "foo == 12", "foo != 12", "foo contains 12", "foo contains 'bar'", "foo != 'bar'", "'foo' contains 'bar'", '234089', "foo | default: -1", ] Benchmark.ips do |x| x.config(time: 10, warmup: 5) x.report("Liquid::Lexer#tokenize") do EXPRESSIONS.each do |expr| l = Liquid::Lexer.new(expr) l.tokenize end end x.compare! end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/spec/ruby_liquid_with_active_support.rb
spec/ruby_liquid_with_active_support.rb
# frozen_string_literal: true # Liquid Spec Adapter for Shopify/liquid with ActiveSupport loaded # # Run with: bundle exec liquid-spec run spec/ruby_liquid_with_active_support.rb $LOAD_PATH.unshift(File.expand_path('../lib', __dir__)) require 'active_support/all' require 'liquid' LiquidSpec.configure do |config| # Run core Liquid specs plus ActiveSupport SafeBuffer tests config.features = [:core, :activesupport] end # Compile a template string into a Liquid::Template LiquidSpec.compile do |source, options| Liquid::Template.parse(source, **options) end # Render a compiled template with the given context # @param template [Liquid::Template] compiled template # @param assigns [Hash] environment variables # @param options [Hash] :registers, :strict_errors, :exception_renderer LiquidSpec.render do |template, assigns, options| registers = Liquid::Registers.new(options[:registers] || {}) context = Liquid::Context.build( static_environments: assigns, registers: registers, rethrow_errors: options[:strict_errors], ) context.exception_renderer = options[:exception_renderer] if options[:exception_renderer] template.render(context) end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/spec/ruby_liquid.rb
spec/ruby_liquid.rb
# frozen_string_literal: true # Liquid Spec Adapter for Shopify/liquid (Ruby reference implementation) # # Run with: bundle exec liquid-spec run spec/ruby_liquid.rb $LOAD_PATH.unshift(File.expand_path('../lib', __dir__)) require 'liquid' LiquidSpec.configure do |config| # Run core Liquid specs config.features = [:core] end # Compile a template string into a Liquid::Template LiquidSpec.compile do |source, options| Liquid::Template.parse(source, **options) end # Render a compiled template with the given context # @param template [Liquid::Template] compiled template # @param assigns [Hash] environment variables # @param options [Hash] :registers, :strict_errors, :exception_renderer LiquidSpec.render do |template, assigns, options| registers = Liquid::Registers.new(options[:registers] || {}) context = Liquid::Context.build( static_environments: assigns, registers: registers, rethrow_errors: options[:strict_errors], ) context.exception_renderer = options[:exception_renderer] if options[:exception_renderer] template.render(context) end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/example/server/liquid_servlet.rb
example/server/liquid_servlet.rb
# frozen_string_literal: true class LiquidServlet < WEBrick::HTTPServlet::AbstractServlet def do_GET(req, res) handle(:get, req, res) end def do_POST(req, res) handle(:post, req, res) end private def handle(_type, req, res) @request = req @response = res @request.path_info =~ /(\w+)\z/ @action = Regexp.last_match(1) || 'index' @assigns = send(@action) if respond_to?(@action) @response['Content-Type'] = "text/html" @response.status = 200 @response.body = Liquid::Template.parse(read_template).render(@assigns, filters: [ProductsFilter]) end def read_template(filename = @action) File.read("#{__dir__}/templates/#{filename}.liquid") end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/example/server/example_servlet.rb
example/server/example_servlet.rb
# frozen_string_literal: true module ProductsFilter def price(integer) format("$%.2d USD", integer / 100.0) end def prettyprint(text) text.gsub(/\*(.*)\*/, '<b>\1</b>') end def count(array) array.size end def paragraph(p) "<p>#{p}</p>" end end class Servlet < LiquidServlet def index { 'date' => Time.now } end def products { 'products' => products_list, 'more_products' => more_products_list, 'description' => description, 'section' => 'Snowboards', 'cool_products' => true } end private def products_list [ { 'name' => 'Arbor Draft', 'price' => 39900, 'description' => 'the *arbor draft* is a excellent product' }, { 'name' => 'Arbor Element', 'price' => 40000, 'description' => 'the *arbor element* rocks for freestyling' }, { 'name' => 'Arbor Diamond', 'price' => 59900, 'description' => 'the *arbor diamond* is a made up product because im obsessed with arbor and have no creativity' } ] end def more_products_list [ { 'name' => 'Arbor Catalyst', 'price' => 39900, 'description' => 'the *arbor catalyst* is an advanced drop-through for freestyle and flatground performance and versatility' }, { 'name' => 'Arbor Fish', 'price' => 40000, 'description' => 'the *arbor fish* is a compact pin that features an extended wheelbase and time-honored teardrop shape' } ] end def description "List of Products ~ This is a list of products with price and description." end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/example/server/server.rb
example/server/server.rb
# frozen_string_literal: true require 'webrick' require 'rexml/document' require_relative '../../lib/liquid' require_relative 'liquid_servlet' require_relative 'example_servlet' # Setup webrick server = WEBrick::HTTPServer.new(Port: ARGV[1] || 3000) server.mount('/', Servlet) trap("INT") { server.shutdown } server.start
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid.rb
lib/liquid.rb
# frozen_string_literal: true # Copyright (c) 2005 Tobias Luetke # # Permission is hereby granted, free of charge, to any person obtaining # a copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to # permit persons to whom the Software is furnished to do so, subject to # the following conditions: # # The above copyright notice and this permission notice shall be # included in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, # EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE # LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION # OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION # WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. require "strscan" module Liquid FilterSeparator = /\|/ ArgumentSeparator = ',' FilterArgumentSeparator = ':' VariableAttributeSeparator = '.' WhitespaceControl = '-' TagStart = /\{\%/ TagEnd = /\%\}/ TagName = /#|\w+/ VariableSignature = /\(?[\w\-\.\[\]]\)?/ VariableSegment = /[\w\-]/ VariableStart = /\{\{/ VariableEnd = /\}\}/ VariableIncompleteEnd = /\}\}?/ QuotedString = /"[^"]*"|'[^']*'/ QuotedFragment = /#{QuotedString}|(?:[^\s,\|'"]|#{QuotedString})+/o TagAttributes = /(\w[\w-]*)\s*\:\s*(#{QuotedFragment})/o AnyStartingTag = /#{TagStart}|#{VariableStart}/o PartialTemplateParser = /#{TagStart}.*?#{TagEnd}|#{VariableStart}.*?#{VariableIncompleteEnd}/om TemplateParser = /(#{PartialTemplateParser}|#{AnyStartingTag})/om VariableParser = /\[(?>[^\[\]]+|\g<0>)*\]|#{VariableSegment}+\??/o RAISE_EXCEPTION_LAMBDA = ->(_e) { raise } HAS_STRING_SCANNER_SCAN_BYTE = StringScanner.instance_methods.include?(:scan_byte) end require "liquid/version" require "liquid/deprecations" require "liquid/const" require 'liquid/standardfilters' require 'liquid/file_system' require 'liquid/parser_switching' require 'liquid/tag' require 'liquid/block' require 'liquid/parse_tree_visitor' require 'liquid/interrupts' require 'liquid/tags' require "liquid/environment" require 'liquid/lexer' require 'liquid/parser' require 'liquid/i18n' require 'liquid/drop' require 'liquid/tablerowloop_drop' require 'liquid/forloop_drop' require 'liquid/extensions' require 'liquid/errors' require 'liquid/interrupts' require 'liquid/strainer_template' require 'liquid/context' require 'liquid/tag' require 'liquid/block_body' require 'liquid/document' require 'liquid/variable' require 'liquid/variable_lookup' require 'liquid/range_lookup' require 'liquid/resource_limits' require 'liquid/expression' require 'liquid/template' require 'liquid/condition' require 'liquid/utils' require 'liquid/tokenizer' require 'liquid/parse_context' require 'liquid/partial_cache' require 'liquid/usage' require 'liquid/registers' require 'liquid/template_factory'
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tag.rb
lib/liquid/tag.rb
# frozen_string_literal: true require 'liquid/tag/disabler' require 'liquid/tag/disableable' module Liquid class Tag attr_reader :nodelist, :tag_name, :line_number, :parse_context alias_method :options, :parse_context include ParserSwitching class << self def parse(tag_name, markup, tokenizer, parse_context) tag = new(tag_name, markup, parse_context) tag.parse(tokenizer) tag end def disable_tags(*tag_names) tag_names += disabled_tags define_singleton_method(:disabled_tags) { tag_names } prepend(Disabler) end private :new protected def disabled_tags [] end end def initialize(tag_name, markup, parse_context) @tag_name = tag_name @markup = markup @parse_context = parse_context @line_number = parse_context.line_number end def parse(_tokens) end def raw "#{@tag_name} #{@markup}" end def name self.class.name.downcase end def render(_context) '' end # For backwards compatibility with custom tags. In a future release, the semantics # of the `render_to_output_buffer` method will become the default and the `render` # method will be removed. def render_to_output_buffer(context, output) render_result = render(context) output << render_result if render_result output end def blank? false end private def safe_parse_expression(parser) parse_context.safe_parse_expression(parser) end def parse_expression(markup, safe: false) parse_context.parse_expression(markup, safe: safe) end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/parse_tree_visitor.rb
lib/liquid/parse_tree_visitor.rb
# frozen_string_literal: true module Liquid class ParseTreeVisitor def self.for(node, callbacks = Hash.new(proc {})) if defined?(node.class::ParseTreeVisitor) node.class::ParseTreeVisitor else self end.new(node, callbacks) end def initialize(node, callbacks) @node = node @callbacks = callbacks end def add_callback_for(*classes, &block) callback = block callback = ->(node, _) { yield node } if block.arity.abs == 1 callback = ->(_, _) { yield } if block.arity.zero? classes.each { |klass| @callbacks[klass] = callback } self end def visit(context = nil) children.map do |node| item, new_context = @callbacks[node.class].call(node, context) [ item, ParseTreeVisitor.for(node, @callbacks).visit(new_context || context), ] end end protected def children @node.respond_to?(:nodelist) ? Array(@node.nodelist) : Const::EMPTY_ARRAY end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/interrupts.rb
lib/liquid/interrupts.rb
# frozen_string_literal: true module Liquid # An interrupt is any command that breaks processing of a block (ex: a for loop). class Interrupt attr_reader :message def initialize(message = nil) @message = message || "interrupt" end end # Interrupt that is thrown whenever a {% break %} is called. class BreakInterrupt < Interrupt; end # Interrupt that is thrown whenever a {% continue %} is called. class ContinueInterrupt < Interrupt; end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/version.rb
lib/liquid/version.rb
# encoding: utf-8 # frozen_string_literal: true module Liquid VERSION = "5.11.0" end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/usage.rb
lib/liquid/usage.rb
# frozen_string_literal: true module Liquid module Usage def self.increment(name) end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/extensions.rb
lib/liquid/extensions.rb
# frozen_string_literal: true require 'time' require 'date' class String # :nodoc: def to_liquid self end end class Symbol # :nodoc: def to_liquid to_s end end class Array # :nodoc: def to_liquid self end end class Hash # :nodoc: def to_liquid self end end class Numeric # :nodoc: def to_liquid self end end class Range # :nodoc: def to_liquid self end end class Time # :nodoc: def to_liquid self end end class DateTime < Date # :nodoc: def to_liquid self end end class Date # :nodoc: def to_liquid self end end class TrueClass def to_liquid # :nodoc: self end end class FalseClass def to_liquid # :nodoc: self end end class NilClass def to_liquid # :nodoc: self end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/standardfilters.rb
lib/liquid/standardfilters.rb
# frozen_string_literal: true require 'cgi' require 'base64' require 'bigdecimal' module Liquid module StandardFilters MAX_I32 = (1 << 31) - 1 private_constant :MAX_I32 MIN_I64 = -(1 << 63) MAX_I64 = (1 << 63) - 1 I64_RANGE = MIN_I64..MAX_I64 private_constant :MIN_I64, :MAX_I64, :I64_RANGE HTML_ESCAPE = { '&' => '&amp;', '>' => '&gt;', '<' => '&lt;', '"' => '&quot;', "'" => '&#39;', }.freeze HTML_ESCAPE_ONCE_REGEXP = /["><']|&(?!([a-zA-Z]+|(#\d+));)/ STRIP_HTML_BLOCKS = Regexp.union( %r{<script.*?</script>}m, /<!--.*?-->/m, %r{<style.*?</style>}m, ) STRIP_HTML_TAGS = /<.*?>/m class << self def try_coerce_encoding(input, encoding:) original_encoding = input.encoding if input.encoding != encoding input.force_encoding(encoding) unless input.valid_encoding? input.force_encoding(original_encoding) end end input end end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Returns the size of a string or array. # @liquid_description # The size of a string is the number of characters that the string includes. The size of an array is the number of items # in the array. # @liquid_syntax variable | size # @liquid_return [number] def size(input) input.respond_to?(:size) ? input.size : 0 end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Converts a string to all lowercase characters. # @liquid_syntax string | downcase # @liquid_return [string] def downcase(input) Utils.to_s(input).downcase end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Converts a string to all uppercase characters. # @liquid_syntax string | upcase # @liquid_return [string] def upcase(input) Utils.to_s(input).upcase end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Capitalizes the first word in a string and downcases the remaining characters. # @liquid_syntax string | capitalize # @liquid_return [string] def capitalize(input) Utils.to_s(input).capitalize end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Escapes special characters in HTML, such as `<>`, `'`, and `&`, and converts characters into escape sequences. The filter doesn't effect characters within the string that don’t have a corresponding escape sequence.". # @liquid_syntax string | escape # @liquid_return [string] def escape(input) CGI.escapeHTML(Utils.to_s(input)) unless input.nil? end alias_method :h, :escape # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Escapes a string without changing characters that have already been escaped. # @liquid_syntax string | escape_once # @liquid_return [string] def escape_once(input) Utils.to_s(input).gsub(HTML_ESCAPE_ONCE_REGEXP, HTML_ESCAPE) end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Converts any URL-unsafe characters in a string to the # [percent-encoded](https://developer.mozilla.org/en-US/docs/Glossary/percent-encoding) equivalent. # @liquid_description # > Note: # > Spaces are converted to a `+` character, instead of a percent-encoded character. # @liquid_syntax string | url_encode # @liquid_return [string] def url_encode(input) CGI.escape(Utils.to_s(input)) unless input.nil? end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Decodes any [percent-encoded](https://developer.mozilla.org/en-US/docs/Glossary/percent-encoding) characters # in a string. # @liquid_syntax string | url_decode # @liquid_return [string] def url_decode(input) return if input.nil? result = CGI.unescape(Utils.to_s(input)) raise Liquid::ArgumentError, "invalid byte sequence in #{result.encoding}" unless result.valid_encoding? result end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Encodes a string to [Base64 format](https://developer.mozilla.org/en-US/docs/Glossary/Base64). # @liquid_syntax string | base64_encode # @liquid_return [string] def base64_encode(input) Base64.strict_encode64(Utils.to_s(input)) end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Decodes a string in [Base64 format](https://developer.mozilla.org/en-US/docs/Glossary/Base64). # @liquid_syntax string | base64_decode # @liquid_return [string] def base64_decode(input) input = Utils.to_s(input) StandardFilters.try_coerce_encoding(Base64.strict_decode64(input), encoding: input.encoding) rescue ::ArgumentError raise Liquid::ArgumentError, "invalid base64 provided to base64_decode" end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Encodes a string to URL-safe [Base64 format](https://developer.mozilla.org/en-US/docs/Glossary/Base64). # @liquid_syntax string | base64_url_safe_encode # @liquid_return [string] def base64_url_safe_encode(input) Base64.urlsafe_encode64(Utils.to_s(input)) end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Decodes a string in URL-safe [Base64 format](https://developer.mozilla.org/en-US/docs/Glossary/Base64). # @liquid_syntax string | base64_url_safe_decode # @liquid_return [string] def base64_url_safe_decode(input) input = Utils.to_s(input) StandardFilters.try_coerce_encoding(Base64.urlsafe_decode64(input), encoding: input.encoding) rescue ::ArgumentError raise Liquid::ArgumentError, "invalid base64 provided to base64_url_safe_decode" end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Returns a substring or series of array items, starting at a given 0-based index. # @liquid_description # By default, the substring has a length of one character, and the array series has one array item. However, you can # provide a second parameter to specify the number of characters or array items. # @liquid_syntax string | slice # @liquid_return [string] def slice(input, offset, length = nil) offset = Utils.to_integer(offset) length = length ? Utils.to_integer(length) : 1 begin if input.is_a?(Array) input.slice(offset, length) || [] else Utils.to_s(input).slice(offset, length) || '' end rescue RangeError if I64_RANGE.cover?(length) && I64_RANGE.cover?(offset) raise # unexpected error end offset = offset.clamp(I64_RANGE) length = length.clamp(I64_RANGE) retry end end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Truncates a string down to a given number of characters. # @liquid_description # If the specified number of characters is less than the length of the string, then an ellipsis (`...`) is appended to # the truncated string. The ellipsis is included in the character count of the truncated string. # @liquid_syntax string | truncate: number # @liquid_return [string] def truncate(input, length = 50, truncate_string = "...") return if input.nil? input_str = Utils.to_s(input) length = Utils.to_integer(length) truncate_string_str = Utils.to_s(truncate_string) l = length - truncate_string_str.length l = 0 if l < 0 input_str.length > length ? input_str[0...l].concat(truncate_string_str) : input_str end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Truncates a string down to a given number of words. # @liquid_description # If the specified number of words is less than the number of words in the string, then an ellipsis (`...`) is appended to # the truncated string. # # > Caution: # > HTML tags are treated as words, so you should strip any HTML from truncated content. If you don't strip HTML, then # > closing HTML tags can be removed, which can result in unexpected behavior. # @liquid_syntax string | truncatewords: number # @liquid_return [string] def truncatewords(input, words = 15, truncate_string = "...") return if input.nil? input = Utils.to_s(input) words = Utils.to_integer(words) words = 1 if words <= 0 wordlist = begin input.split(" ", words + 1) rescue RangeError # integer too big for String#split, but we can semantically assume no truncation is needed return input if words + 1 > MAX_I32 raise # unexpected error end return input if wordlist.length <= words wordlist.pop truncate_string = Utils.to_s(truncate_string) wordlist.join(" ").concat(truncate_string) end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Splits a string into an array of substrings based on a given separator. # @liquid_syntax string | split: string # @liquid_return [array[string]] def split(input, pattern) pattern = Utils.to_s(pattern) input = Utils.to_s(input) input.split(pattern) end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Strips all whitespace from the left and right of a string. # @liquid_syntax string | strip # @liquid_return [string] def strip(input) input = Utils.to_s(input) input.strip end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Strips all whitespace from the left of a string. # @liquid_syntax string | lstrip # @liquid_return [string] def lstrip(input) input = Utils.to_s(input) input.lstrip end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Strips all whitespace from the right of a string. # @liquid_syntax string | rstrip # @liquid_return [string] def rstrip(input) input = Utils.to_s(input) input.rstrip end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Strips all HTML tags from a string. # @liquid_syntax string | strip_html # @liquid_return [string] def strip_html(input) input = Utils.to_s(input) empty = '' result = input.gsub(STRIP_HTML_BLOCKS, empty) result.gsub!(STRIP_HTML_TAGS, empty) result end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Strips all newline characters (line breaks) from a string. # @liquid_syntax string | strip_newlines # @liquid_return [string] def strip_newlines(input) input = Utils.to_s(input) input.gsub(/\r?\n/, '') end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Combines all of the items in an array into a single string, separated by a space. # @liquid_syntax array | join # @liquid_return [string] def join(input, glue = ' ') glue = Utils.to_s(glue) InputIterator.new(input, context).join(glue) end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Sorts the items in an array in case-sensitive alphabetical, or numerical, order. # @liquid_syntax array | sort # @liquid_return [array[untyped]] def sort(input, property = nil) ary = InputIterator.new(input, context) return [] if ary.empty? if property.nil? ary.sort do |a, b| nil_safe_compare(a, b) end elsif ary.all? { |el| el.respond_to?(:[]) } begin ary.sort { |a, b| nil_safe_compare(a[property], b[property]) } rescue TypeError raise_property_error(property) end end end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Sorts the items in an array in case-insensitive alphabetical order. # @liquid_description # > Caution: # > You shouldn't use the `sort_natural` filter to sort numerical values. When comparing items an array, each item is converted to a # > string, so sorting on numerical values can lead to unexpected results. # @liquid_syntax array | sort_natural # @liquid_return [array[untyped]] def sort_natural(input, property = nil) ary = InputIterator.new(input, context) return [] if ary.empty? if property.nil? ary.sort do |a, b| nil_safe_casecmp(a, b) end elsif ary.all? { |el| el.respond_to?(:[]) } begin ary.sort { |a, b| nil_safe_casecmp(a[property], b[property]) } rescue TypeError raise_property_error(property) end end end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Filters an array to include only items with a specific property value. # @liquid_description # This requires you to provide both the property name and the associated value. # @liquid_syntax array | where: string, string # @liquid_return [array[untyped]] def where(input, property, target_value = nil) filter_array(input, property, target_value) { |ary, &block| ary.select(&block) } end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Filters an array to exclude items with a specific property value. # @liquid_description # This requires you to provide both the property name and the associated value. # @liquid_syntax array | reject: string, string # @liquid_return [array[untyped]] def reject(input, property, target_value = nil) filter_array(input, property, target_value) { |ary, &block| ary.reject(&block) } end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Tests if any item in an array has a specific property value. # @liquid_description # This requires you to provide both the property name and the associated value. # @liquid_syntax array | has: string, string # @liquid_return [boolean] def has(input, property, target_value = nil) filter_array(input, property, target_value, false) { |ary, &block| ary.any?(&block) } end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Returns the first item in an array with a specific property value. # @liquid_description # This requires you to provide both the property name and the associated value. # @liquid_syntax array | find: string, string # @liquid_return [untyped] def find(input, property, target_value = nil) filter_array(input, property, target_value, nil) { |ary, &block| ary.find(&block) } end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Returns the index of the first item in an array with a specific property value. # @liquid_description # This requires you to provide both the property name and the associated value. # @liquid_syntax array | find_index: string, string # @liquid_return [number] def find_index(input, property, target_value = nil) filter_array(input, property, target_value, nil) { |ary, &block| ary.find_index(&block) } end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Removes any duplicate items in an array. # @liquid_syntax array | uniq # @liquid_return [array[untyped]] def uniq(input, property = nil) ary = InputIterator.new(input, context) if property.nil? ary.uniq elsif ary.empty? # The next two cases assume a non-empty array. [] else ary.uniq do |item| item[property] rescue TypeError raise_property_error(property) rescue NoMethodError return nil unless item.respond_to?(:[]) raise end end end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Reverses the order of the items in an array. # @liquid_syntax array | reverse # @liquid_return [array[untyped]] def reverse(input) ary = InputIterator.new(input, context) ary.reverse end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Creates an array of values from a specific property of the items in an array. # @liquid_syntax array | map: string # @liquid_return [array[untyped]] def map(input, property) InputIterator.new(input, context).map do |e| e = e.call if e.is_a?(Proc) if property == "to_liquid" e elsif e.respond_to?(:[]) r = e[property] r.is_a?(Proc) ? r.call : r end end rescue TypeError raise_property_error(property) end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Removes any `nil` items from an array. # @liquid_syntax array | compact # @liquid_return [array[untyped]] def compact(input, property = nil) ary = InputIterator.new(input, context) if property.nil? ary.compact elsif ary.empty? # The next two cases assume a non-empty array. [] else ary.reject do |item| item[property].nil? rescue TypeError raise_property_error(property) rescue NoMethodError return nil unless item.respond_to?(:[]) raise end end end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Replaces any instance of a substring inside a string with a given string. # @liquid_syntax string | replace: string, string # @liquid_return [string] def replace(input, string, replacement = '') string = Utils.to_s(string) replacement = Utils.to_s(replacement) input = Utils.to_s(input) input.gsub(string, replacement) end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Replaces the first instance of a substring inside a string with a given string. # @liquid_syntax string | replace_first: string, string # @liquid_return [string] def replace_first(input, string, replacement = '') string = Utils.to_s(string) replacement = Utils.to_s(replacement) input = Utils.to_s(input) input.sub(string, replacement) end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Replaces the last instance of a substring inside a string with a given string. # @liquid_syntax string | replace_last: string, string # @liquid_return [string] def replace_last(input, string, replacement) input = Utils.to_s(input) string = Utils.to_s(string) replacement = Utils.to_s(replacement) start_index = input.rindex(string) return input unless start_index output = input.dup output[start_index, string.length] = replacement output end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Removes any instance of a substring inside a string. # @liquid_syntax string | remove: string # @liquid_return [string] def remove(input, string) replace(input, string, '') end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Removes the first instance of a substring inside a string. # @liquid_syntax string | remove_first: string # @liquid_return [string] def remove_first(input, string) replace_first(input, string, '') end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Removes the last instance of a substring inside a string. # @liquid_syntax string | remove_last: string # @liquid_return [string] def remove_last(input, string) replace_last(input, string, '') end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Adds a given string to the end of a string. # @liquid_syntax string | append: string # @liquid_return [string] def append(input, string) input = Utils.to_s(input) string = Utils.to_s(string) input + string end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Concatenates (combines) two arrays. # @liquid_description # > Note: # > The `concat` filter won't filter out duplicates. If you want to remove duplicates, then you need to use the # > [`uniq` filter](/docs/api/liquid/filters/uniq). # @liquid_syntax array | concat: array # @liquid_return [array[untyped]] def concat(input, array) unless array.respond_to?(:to_ary) raise ArgumentError, "concat filter requires an array argument" end InputIterator.new(input, context).concat(array) end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Adds a given string to the beginning of a string. # @liquid_syntax string | prepend: string # @liquid_return [string] def prepend(input, string) input = Utils.to_s(input) string = Utils.to_s(string) string + input end # @liquid_public_docs # @liquid_type filter # @liquid_category string # @liquid_summary # Converts newlines (`\n`) in a string to HTML line breaks (`<br>`). # @liquid_syntax string | newline_to_br # @liquid_return [string] def newline_to_br(input) input = Utils.to_s(input) input.gsub(/\r?\n/, "<br />\n") end # @liquid_public_docs # @liquid_type filter # @liquid_category date # @liquid_summary # Formats a date according to a specified format string. # @liquid_description # This filter formats a date using various format specifiers. If the format string is empty, # the original input is returned. If the input cannot be converted to a date, the original input is returned. # # The following format specifiers can be used: # # %a - The abbreviated weekday name (``Sun'') # %A - The full weekday name (``Sunday'') # %b - The abbreviated month name (``Jan'') # %B - The full month name (``January'') # %c - The preferred local date and time representation # %d - Day of the month (01..31) # %H - Hour of the day, 24-hour clock (00..23) # %I - Hour of the day, 12-hour clock (01..12) # %j - Day of the year (001..366) # %m - Month of the year (01..12) # %M - Minute of the hour (00..59) # %p - Meridian indicator (``AM'' or ``PM'') # %s - Number of seconds since 1970-01-01 00:00:00 UTC. # %S - Second of the minute (00..60) # %U - Week number of the current year, # starting with the first Sunday as the first # day of the first week (00..53) # %W - Week number of the current year, # starting with the first Monday as the first # day of the first week (00..53) # %w - Day of the week (Sunday is 0, 0..6) # %x - Preferred representation for the date alone, no time # %X - Preferred representation for the time alone, no date # %y - Year without a century (00..99) # %Y - Year with century # %Z - Time zone name # %% - Literal ``%'' character # @liquid_syntax date | date: string # @liquid_return [string] def date(input, format) str_format = Utils.to_s(format) return input if str_format.empty? return input unless (date = Utils.to_date(input)) date.strftime(str_format) end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Returns the first item in an array. # @liquid_syntax array | first # @liquid_return [untyped] def first(array) # ActiveSupport returns "" for empty strings, not nil return array[0] || "" if array.is_a?(String) array.first if array.respond_to?(:first) end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Returns the last item in an array. # @liquid_syntax array | last # @liquid_return [untyped] def last(array) # ActiveSupport returns "" for empty strings, not nil return array[-1] || "" if array.is_a?(String) array.last if array.respond_to?(:last) end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Returns the absolute value of a number. # @liquid_syntax number | abs # @liquid_return [number] def abs(input) result = Utils.to_number(input).abs result.is_a?(BigDecimal) ? result.to_f : result end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Adds two numbers. # @liquid_syntax number | plus: number # @liquid_return [number] def plus(input, operand) apply_operation(input, operand, :+) end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Subtracts a given number from another number. # @liquid_syntax number | minus: number # @liquid_return [number] def minus(input, operand) apply_operation(input, operand, :-) end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Multiplies a number by a given number. # @liquid_syntax number | times: number # @liquid_return [number] def times(input, operand) apply_operation(input, operand, :*) end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Divides a number by a given number. The `divided_by` filter produces a result of the same type as the divisor. This means if you divide by an integer, the result will be an integer, and if you divide by a float, the result will be a float. # @liquid_syntax number | divided_by: number # @liquid_return [number] def divided_by(input, operand) apply_operation(input, operand, :/) rescue ::ZeroDivisionError => e raise Liquid::ZeroDivisionError, e.message end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Returns the remainder of dividing a number by a given number. # @liquid_syntax number | modulo: number # @liquid_return [number] def modulo(input, operand) apply_operation(input, operand, :%) rescue ::ZeroDivisionError => e raise Liquid::ZeroDivisionError, e.message end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Rounds a number to the nearest integer. # @liquid_syntax number | round # @liquid_return [number] def round(input, n = 0) result = Utils.to_number(input).round(Utils.to_number(n)) result = result.to_f if result.is_a?(BigDecimal) result = result.to_i if n == 0 result rescue ::FloatDomainError => e raise Liquid::FloatDomainError, e.message end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Rounds a number up to the nearest integer. # @liquid_syntax number | ceil # @liquid_return [number] def ceil(input) Utils.to_number(input).ceil.to_i rescue ::FloatDomainError => e raise Liquid::FloatDomainError, e.message end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Rounds a number down to the nearest integer. # @liquid_syntax number | floor # @liquid_return [number] def floor(input) Utils.to_number(input).floor.to_i rescue ::FloatDomainError => e raise Liquid::FloatDomainError, e.message end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Limits a number to a minimum value. # @liquid_syntax number | at_least # @liquid_return [number] def at_least(input, n) min_value = Utils.to_number(n) result = Utils.to_number(input) result = min_value if min_value > result result.is_a?(BigDecimal) ? result.to_f : result end # @liquid_public_docs # @liquid_type filter # @liquid_category math # @liquid_summary # Limits a number to a maximum value. # @liquid_syntax number | at_most # @liquid_return [number] def at_most(input, n) max_value = Utils.to_number(n) result = Utils.to_number(input) result = max_value if max_value < result result.is_a?(BigDecimal) ? result.to_f : result end # @liquid_public_docs # @liquid_type filter # @liquid_category default # @liquid_summary # Sets a default value for any variable whose value is one of the following: # # - [`empty`](/docs/api/liquid/basics#empty) # - [`false`](/docs/api/liquid/basics#truthy-and-falsy) # - [`nil`](/docs/api/liquid/basics#nil) # @liquid_syntax variable | default: variable # @liquid_return [untyped] # @liquid_optional_param allow_false: [boolean] Whether to use false values instead of the default. def default(input, default_value = '', options = {}) options = {} unless options.is_a?(Hash) false_check = options['allow_false'] ? input.nil? : !Liquid::Utils.to_liquid_value(input) false_check || (input.respond_to?(:empty?) && input.empty?) ? default_value : input end # @liquid_public_docs # @liquid_type filter # @liquid_category array # @liquid_summary # Returns the sum of all elements in an array. # @liquid_syntax array | sum # @liquid_return [number] def sum(input, property = nil) ary = InputIterator.new(input, context) return 0 if ary.empty? values_for_sum = ary.map do |item| if property.nil? item elsif item.respond_to?(:[]) item[property] else 0 end rescue TypeError raise_property_error(property) end result = InputIterator.new(values_for_sum, context).sum do |item| Utils.to_number(item) end result.is_a?(BigDecimal) ? result.to_f : result end private attr_reader :context def filter_array(input, property, target_value, default_value = [], &block) ary = InputIterator.new(input, context) return default_value if ary.empty? block.call(ary) do |item| if target_value.nil? item[property] else item[property] == target_value end rescue TypeError raise_property_error(property) rescue NoMethodError return nil unless item.respond_to?(:[]) raise end end def raise_property_error(property) raise Liquid::ArgumentError, "cannot select the property '#{Utils.to_s(property)}'" end def apply_operation(input, operand, operation) result = Utils.to_number(input).send(operation, Utils.to_number(operand)) result.is_a?(BigDecimal) ? result.to_f : result end def nil_safe_compare(a, b) result = a <=> b if result result
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
true
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/strainer_template.rb
lib/liquid/strainer_template.rb
# frozen_string_literal: true require 'set' module Liquid # StrainerTemplate is the computed class for the filters system. # New filters are mixed into the strainer class which is then instantiated for each liquid template render run. # # The Strainer only allows method calls defined in filters given to it via StrainerFactory.add_global_filter, # Context#add_filters or Template.register_filter class StrainerTemplate def initialize(context) @context = context end class << self def add_filter(filter) return if include?(filter) invokable_non_public_methods = (filter.private_instance_methods + filter.protected_instance_methods).select { |m| invokable?(m) } if invokable_non_public_methods.any? raise MethodOverrideError, "Filter overrides registered public methods as non public: #{invokable_non_public_methods.join(', ')}" end include(filter) filter_methods.merge(filter.public_instance_methods.map(&:to_s)) end def invokable?(method) filter_methods.include?(method.to_s) end def inherited(subclass) super subclass.instance_variable_set(:@filter_methods, @filter_methods.dup) end def filter_method_names filter_methods.map(&:to_s).to_a end private def filter_methods @filter_methods ||= Set.new end end def invoke(method, *args) if self.class.invokable?(method) send(method, *args) elsif @context.strict_filters raise Liquid::UndefinedFilter, "undefined filter #{method}" else args.first end rescue ::ArgumentError => e raise Liquid::ArgumentError, e.message, e.backtrace end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/environment.rb
lib/liquid/environment.rb
# frozen_string_literal: true module Liquid # The Environment is the container for all configuration options of Liquid, such as # the registered tags, filters, and the default error mode. class Environment # The default error mode for all templates. This can be overridden on a # per-template basis. attr_accessor :error_mode # The tags that are available to use in the template. attr_accessor :tags # The strainer template which is used to store filters that are available to # use in templates. attr_accessor :strainer_template # The exception renderer that is used to render exceptions that are raised # when rendering a template attr_accessor :exception_renderer # The default file system that is used to load templates from. attr_accessor :file_system # The default resource limits that are used to limit the resources that a # template can consume. attr_accessor :default_resource_limits class << self # Creates a new environment instance. # # @param tags [Hash] The tags that are available to use in # the template. # @param file_system The default file system that is used # to load templates from. # @param error_mode [Symbol] The default error mode for all templates # (either :strict2, :strict, :warn, or :lax). # @param exception_renderer [Proc] The exception renderer that is used to # render exceptions. # @yieldparam environment [Environment] The environment instance that is being built. # @return [Environment] The new environment instance. def build(tags: nil, file_system: nil, error_mode: nil, exception_renderer: nil) ret = new ret.tags = tags if tags ret.file_system = file_system if file_system ret.error_mode = error_mode if error_mode ret.exception_renderer = exception_renderer if exception_renderer yield ret if block_given? ret.freeze end # Returns the default environment instance. # # @return [Environment] The default environment instance. def default @default ||= new end # Sets the default environment instance for the duration of the block # # @param environment [Environment] The environment instance to use as the default for the # duration of the block. # @yield # @return [Object] The return value of the block. def dangerously_override(environment) original_default = @default @default = environment yield ensure @default = original_default end end # Initializes a new environment instance. # @api private def initialize @tags = Tags::STANDARD_TAGS.dup @error_mode = :lax @strainer_template = Class.new(StrainerTemplate).tap do |klass| klass.add_filter(StandardFilters) end @exception_renderer = ->(exception) { exception } @file_system = BlankFileSystem.new @default_resource_limits = Const::EMPTY_HASH @strainer_template_class_cache = {} end # Registers a new tag with the environment. # # @param name [String] The name of the tag. # @param klass [Liquid::Tag] The class that implements the tag. # @return [void] def register_tag(name, klass) @tags[name] = klass end # Registers a new filter with the environment. # # @param filter [Module] The module that contains the filter methods. # @return [void] def register_filter(filter) @strainer_template_class_cache.clear @strainer_template.add_filter(filter) end # Registers multiple filters with this environment. # # @param filters [Array<Module>] The modules that contain the filter methods. # @return [self] def register_filters(filters) @strainer_template_class_cache.clear filters.each { |f| @strainer_template.add_filter(f) } self end # Creates a new strainer instance with the given filters, caching the result # for faster lookup. # # @param context [Liquid::Context] The context that the strainer will be # used in. # @param filters [Array<Module>] The filters that the strainer will have # access to. # @return [Liquid::Strainer] The new strainer instance. def create_strainer(context, filters = Const::EMPTY_ARRAY) return @strainer_template.new(context) if filters.empty? strainer_template = @strainer_template_class_cache[filters] ||= begin klass = Class.new(@strainer_template) filters.each { |f| klass.add_filter(f) } klass end strainer_template.new(context) end # Returns the names of all the filter methods that are available to use in # the strainer template. # # @return [Array<String>] The names of all the filter methods. def filter_method_names @strainer_template.filter_method_names end # Returns the tag class for the given tag name. # # @param name [String] The name of the tag. # @return [Liquid::Tag] The tag class. def tag_for_name(name) @tags[name] end def freeze @tags.freeze # TODO: freeze the tags, currently this is not possible because of liquid-c # @strainer_template.freeze super end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/range_lookup.rb
lib/liquid/range_lookup.rb
# frozen_string_literal: true module Liquid class RangeLookup def self.parse(start_markup, end_markup, string_scanner, cache = nil) start_obj = Expression.parse(start_markup, string_scanner, cache) end_obj = Expression.parse(end_markup, string_scanner, cache) if start_obj.respond_to?(:evaluate) || end_obj.respond_to?(:evaluate) new(start_obj, end_obj) else begin start_obj.to_i..end_obj.to_i rescue NoMethodError invalid_expr = start_markup unless start_obj.respond_to?(:to_i) invalid_expr ||= end_markup unless end_obj.respond_to?(:to_i) if invalid_expr raise Liquid::SyntaxError, "Invalid expression type '#{invalid_expr}' in range expression" end raise end end end attr_reader :start_obj, :end_obj def initialize(start_obj, end_obj) @start_obj = start_obj @end_obj = end_obj end def evaluate(context) start_int = to_integer(context.evaluate(@start_obj)) end_int = to_integer(context.evaluate(@end_obj)) start_int..end_int end private def to_integer(input) case input when Integer input when NilClass, String input.to_i else Utils.to_integer(input) end end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children [@node.start_obj, @node.end_obj] end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/errors.rb
lib/liquid/errors.rb
# frozen_string_literal: true module Liquid class Error < ::StandardError attr_accessor :line_number attr_accessor :template_name attr_accessor :markup_context def to_s(with_prefix = true) str = +"" str << message_prefix if with_prefix str << super() if markup_context str << " " str << markup_context end str end private def message_prefix str = +"" str << if is_a?(SyntaxError) "Liquid syntax error" else "Liquid error" end if line_number str << " (" str << template_name << " " if template_name str << "line " << line_number.to_s << ")" end str << ": " str end end ArgumentError = Class.new(Error) ContextError = Class.new(Error) FileSystemError = Class.new(Error) StandardError = Class.new(Error) SyntaxError = Class.new(Error) StackLevelError = Class.new(Error) MemoryError = Class.new(Error) ZeroDivisionError = Class.new(Error) FloatDomainError = Class.new(Error) UndefinedVariable = Class.new(Error) UndefinedDropMethod = Class.new(Error) UndefinedFilter = Class.new(Error) MethodOverrideError = Class.new(Error) DisabledError = Class.new(Error) InternalError = Class.new(Error) TemplateEncodingError = Class.new(Error) end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/profiler.rb
lib/liquid/profiler.rb
# frozen_string_literal: true require 'liquid/profiler/hooks' module Liquid # Profiler enables support for profiling template rendering to help track down performance issues. # # To enable profiling, first require 'liquid/profiler'. # Then, to profile a parse/render cycle, pass the <tt>profile: true</tt> option to <tt>Liquid::Template.parse</tt>. # After <tt>Liquid::Template#render</tt> is called, the template object makes available an instance of this # class via the <tt>Liquid::Template#profiler</tt> method. # # template = Liquid::Template.parse(template_content, profile: true) # output = template.render # profile = template.profiler # # This object contains all profiling information, containing information on what tags were rendered, # where in the templates these tags live, and how long each tag took to render. # # This is a tree structure that is Enumerable all the way down, and keeps track of tags and rendering times # inside of <tt>{% include %}</tt> tags. # # profile.each do |node| # # Access to the node itself # node.code # # # Which template and line number of this node. # # The top-level template name is `nil` by default, but can be set in the Liquid::Context before rendering. # node.partial # node.line_number # # # Render time in seconds of this node # node.render_time # # # If the template used {% include %}, this node will also have children. # node.children.each do |child2| # # ... # end # end # # Profiler also exposes the total time of the template's render in <tt>Liquid::Profiler#total_render_time</tt>. # # All render times are in seconds. There is a small performance hit when profiling is enabled. # class Profiler include Enumerable class Timing attr_reader :code, :template_name, :line_number, :children attr_accessor :total_time alias_method :render_time, :total_time alias_method :partial, :template_name def initialize(code: nil, template_name: nil, line_number: nil) @code = code @template_name = template_name @line_number = line_number @children = [] end def self_time @self_time ||= begin total_children_time = 0.0 @children.each do |child| total_children_time += child.total_time end @total_time - total_children_time end end end attr_reader :total_time alias_method :total_render_time, :total_time def initialize @root_children = [] @current_children = nil @total_time = 0.0 end def profile(template_name, &block) # nested renders are done from a tag that already has a timing node return yield if @current_children root_children = @root_children render_idx = root_children.length begin @current_children = root_children profile_node(template_name, &block) ensure @current_children = nil if (timing = root_children[render_idx]) @total_time += timing.total_time end end end def children children = @root_children if children.length == 1 children.first.children else children end end def each(&block) children.each(&block) end def [](idx) children[idx] end def length children.length end def profile_node(template_name, code: nil, line_number: nil) timing = Timing.new(code: code, template_name: template_name, line_number: line_number) parent_children = @current_children start_time = monotonic_time begin @current_children = timing.children yield ensure @current_children = parent_children timing.total_time = monotonic_time - start_time parent_children << timing end end private def monotonic_time Process.clock_gettime(Process::CLOCK_MONOTONIC) end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/const.rb
lib/liquid/const.rb
# frozen_string_literal: true module Liquid module Const EMPTY_HASH = {}.freeze EMPTY_ARRAY = [].freeze end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/deprecations.rb
lib/liquid/deprecations.rb
# frozen_string_literal: true require "set" module Liquid class Deprecations class << self attr_accessor :warned Deprecations.warned = Set.new def warn(name, alternative) return if warned.include?(name) warned << name caller_location = caller_locations(2, 1).first Warning.warn("[DEPRECATION] #{name} is deprecated. Use #{alternative} instead. Called from #{caller_location}\n") end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tokenizer.rb
lib/liquid/tokenizer.rb
# frozen_string_literal: true require "strscan" module Liquid class Tokenizer attr_reader :line_number, :for_liquid_tag TAG_END = /%\}/ TAG_OR_VARIABLE_START = /\{[\{\%]/ NEWLINE = /\n/ OPEN_CURLEY = "{".ord CLOSE_CURLEY = "}".ord PERCENTAGE = "%".ord def initialize( source:, string_scanner:, line_numbers: false, line_number: nil, for_liquid_tag: false ) @line_number = line_number || (line_numbers ? 1 : nil) @for_liquid_tag = for_liquid_tag @source = source.to_s.to_str @offset = 0 @tokens = [] if @source @ss = string_scanner @ss.string = @source tokenize end end def shift token = @tokens[@offset] return unless token @offset += 1 if @line_number @line_number += @for_liquid_tag ? 1 : token.count("\n") end token end private def tokenize if @for_liquid_tag @tokens = @source.split("\n") else @tokens << shift_normal until @ss.eos? end @source = nil @ss = nil end def shift_normal token = next_token return unless token token end def next_token # possible states: :text, :tag, :variable byte_a = @ss.peek_byte if byte_a == OPEN_CURLEY @ss.scan_byte byte_b = @ss.peek_byte if byte_b == PERCENTAGE @ss.scan_byte return next_tag_token elsif byte_b == OPEN_CURLEY @ss.scan_byte return next_variable_token end @ss.pos -= 1 end next_text_token end def next_text_token start = @ss.pos unless @ss.skip_until(TAG_OR_VARIABLE_START) token = @ss.rest @ss.terminate return token end pos = @ss.pos -= 2 @source.byteslice(start, pos - start) rescue ::ArgumentError => e if e.message == "invalid byte sequence in #{@ss.string.encoding}" raise SyntaxError, "Invalid byte sequence in #{@ss.string.encoding}" else raise end end def next_variable_token start = @ss.pos - 2 byte_a = byte_b = @ss.scan_byte while byte_b byte_a = @ss.scan_byte while byte_a && byte_a != CLOSE_CURLEY && byte_a != OPEN_CURLEY break unless byte_a if @ss.eos? return byte_a == CLOSE_CURLEY ? @source.byteslice(start, @ss.pos - start) : "{{" end byte_b = @ss.scan_byte if byte_a == CLOSE_CURLEY if byte_b == CLOSE_CURLEY return @source.byteslice(start, @ss.pos - start) elsif byte_b != CLOSE_CURLEY @ss.pos -= 1 return @source.byteslice(start, @ss.pos - start) end elsif byte_a == OPEN_CURLEY && byte_b == PERCENTAGE return next_tag_token_with_start(start) end byte_a = byte_b end "{{" end def next_tag_token start = @ss.pos - 2 if (len = @ss.skip_until(TAG_END)) @source.byteslice(start, len + 2) else "{%" end end def next_tag_token_with_start(start) @ss.skip_until(TAG_END) @source.byteslice(start, @ss.pos - start) end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/utils.rb
lib/liquid/utils.rb
# frozen_string_literal: true module Liquid module Utils DECIMAL_REGEX = /\A-?\d+\.\d+\z/ UNIX_TIMESTAMP_REGEX = /\A\d+\z/ def self.slice_collection(collection, from, to) if (from != 0 || !to.nil?) && collection.respond_to?(:load_slice) collection.load_slice(from, to) else slice_collection_using_each(collection, from, to) end end def self.slice_collection_using_each(collection, from, to) segments = [] index = 0 # Maintains Ruby 1.8.7 String#each behaviour on 1.9 if collection.is_a?(String) return collection.empty? ? [] : [collection] end return [] unless collection.respond_to?(:each) collection.each do |item| if to && to <= index break end if from <= index segments << item end index += 1 end segments end def self.to_integer(num) return num if num.is_a?(Integer) num = num.to_s begin Integer(num) rescue ::ArgumentError raise Liquid::ArgumentError, "invalid integer" end end def self.to_number(obj) case obj when Float BigDecimal(obj.to_s) when Numeric obj when String DECIMAL_REGEX.match?(obj.strip) ? BigDecimal(obj) : obj.to_i else if obj.respond_to?(:to_number) obj.to_number else 0 end end end def self.to_date(obj) return obj if obj.respond_to?(:strftime) if obj.is_a?(String) return if obj.empty? obj = obj.downcase end case obj when 'now', 'today' Time.now when UNIX_TIMESTAMP_REGEX, Integer Time.at(obj.to_i) when String Time.parse(obj) end rescue ::ArgumentError nil end def self.to_liquid_value(obj) # Enable "obj" to represent itself as a primitive value like integer, string, or boolean return obj.to_liquid_value if obj.respond_to?(:to_liquid_value) # Otherwise return the object itself obj end def self.to_s(obj, seen = {}) case obj when BigDecimal obj.to_s("F") when Hash # If the custom hash implementation overrides `#to_s`, use their # custom implementation. Otherwise we use Liquid's default # implementation. if obj.class.instance_method(:to_s) == HASH_TO_S_METHOD hash_inspect(obj, seen) else obj.to_s end when Array array_inspect(obj, seen) else obj.to_s end end def self.inspect(obj, seen = {}) case obj when Hash # If the custom hash implementation overrides `#inspect`, use their # custom implementation. Otherwise we use Liquid's default # implementation. if obj.class.instance_method(:inspect) == HASH_INSPECT_METHOD hash_inspect(obj, seen) else obj.inspect end when Array array_inspect(obj, seen) else obj.inspect end end def self.array_inspect(arr, seen = {}) if seen[arr.object_id] return "[...]" end seen[arr.object_id] = true str = +"[" cursor = 0 len = arr.length while cursor < len if cursor > 0 str << ", " end item_str = inspect(arr[cursor], seen) str << item_str cursor += 1 end str << "]" str ensure seen.delete(arr.object_id) end def self.hash_inspect(hash, seen = {}) if seen[hash.object_id] return "{...}" end seen[hash.object_id] = true str = +"{" first = true hash.each do |key, value| if first first = false else str << ", " end key_str = inspect(key, seen) str << key_str str << "=>" value_str = inspect(value, seen) str << value_str end str << "}" str ensure seen.delete(hash.object_id) end HASH_TO_S_METHOD = Hash.instance_method(:to_s) private_constant :HASH_TO_S_METHOD HASH_INSPECT_METHOD = Hash.instance_method(:inspect) private_constant :HASH_INSPECT_METHOD end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/parser.rb
lib/liquid/parser.rb
# frozen_string_literal: true module Liquid class Parser def initialize(input) ss = input.is_a?(StringScanner) ? input : StringScanner.new(input) @tokens = Lexer.tokenize(ss) @p = 0 # pointer to current location end def jump(point) @p = point end def consume(type = nil) token = @tokens[@p] if type && token[0] != type raise SyntaxError, "Expected #{type} but found #{@tokens[@p].first}" end @p += 1 token[1] end # Only consumes the token if it matches the type # Returns the token's contents if it was consumed # or false otherwise. def consume?(type) token = @tokens[@p] return false unless token && token[0] == type @p += 1 token[1] end # Like consume? Except for an :id token of a certain name def id?(str) token = @tokens[@p] return false unless token && token[0] == :id return false unless token[1] == str @p += 1 token[1] end def look(type, ahead = 0) tok = @tokens[@p + ahead] return false unless tok tok[0] == type end def expression token = @tokens[@p] case token[0] when :id str = consume str << variable_lookups when :open_square str = consume.dup str << expression str << consume(:close_square) str << variable_lookups when :string, :number consume when :open_round consume first = expression consume(:dotdot) last = expression consume(:close_round) "(#{first}..#{last})" else raise SyntaxError, "#{token} is not a valid expression" end end def argument str = +"" # might be a keyword argument (identifier: expression) if look(:id) && look(:colon, 1) str << consume << consume << ' ' end str << expression str end def variable_lookups str = +"" loop do if look(:open_square) str << consume str << expression str << consume(:close_square) elsif look(:dot) str << consume str << consume(:id) else break end end str end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/lexer.rb
lib/liquid/lexer.rb
# frozen_string_literal: true module Liquid class Lexer CLOSE_ROUND = [:close_round, ")"].freeze CLOSE_SQUARE = [:close_square, "]"].freeze COLON = [:colon, ":"].freeze COMMA = [:comma, ","].freeze COMPARISION_NOT_EQUAL = [:comparison, "!="].freeze COMPARISON_CONTAINS = [:comparison, "contains"].freeze COMPARISON_EQUAL = [:comparison, "=="].freeze COMPARISON_GREATER_THAN = [:comparison, ">"].freeze COMPARISON_GREATER_THAN_OR_EQUAL = [:comparison, ">="].freeze COMPARISON_LESS_THAN = [:comparison, "<"].freeze COMPARISON_LESS_THAN_OR_EQUAL = [:comparison, "<="].freeze COMPARISON_NOT_EQUAL_ALT = [:comparison, "<>"].freeze DASH = [:dash, "-"].freeze DOT = [:dot, "."].freeze DOTDOT = [:dotdot, ".."].freeze DOT_ORD = ".".ord DOUBLE_STRING_LITERAL = /"[^\"]*"/ EOS = [:end_of_string].freeze IDENTIFIER = /[a-zA-Z_][\w-]*\??/ NUMBER_LITERAL = /-?\d+(\.\d+)?/ OPEN_ROUND = [:open_round, "("].freeze OPEN_SQUARE = [:open_square, "["].freeze PIPE = [:pipe, "|"].freeze QUESTION = [:question, "?"].freeze RUBY_WHITESPACE = [" ", "\t", "\r", "\n", "\f"].freeze SINGLE_STRING_LITERAL = /'[^\']*'/ WHITESPACE_OR_NOTHING = /\s*/ SINGLE_COMPARISON_TOKENS = [].tap do |table| table["<".ord] = COMPARISON_LESS_THAN table[">".ord] = COMPARISON_GREATER_THAN table.freeze end TWO_CHARS_COMPARISON_JUMP_TABLE = [].tap do |table| table["=".ord] = [].tap do |sub_table| sub_table["=".ord] = COMPARISON_EQUAL sub_table.freeze end table["!".ord] = [].tap do |sub_table| sub_table["=".ord] = COMPARISION_NOT_EQUAL sub_table.freeze end table.freeze end COMPARISON_JUMP_TABLE = [].tap do |table| table["<".ord] = [].tap do |sub_table| sub_table["=".ord] = COMPARISON_LESS_THAN_OR_EQUAL sub_table[">".ord] = COMPARISON_NOT_EQUAL_ALT sub_table.freeze end table[">".ord] = [].tap do |sub_table| sub_table["=".ord] = COMPARISON_GREATER_THAN_OR_EQUAL sub_table.freeze end table.freeze end NEXT_MATCHER_JUMP_TABLE = [].tap do |table| "a".upto("z") do |c| table[c.ord] = [:id, IDENTIFIER].freeze table[c.upcase.ord] = [:id, IDENTIFIER].freeze end table["_".ord] = [:id, IDENTIFIER].freeze "0".upto("9") do |c| table[c.ord] = [:number, NUMBER_LITERAL].freeze end table["-".ord] = [:number, NUMBER_LITERAL].freeze table["'".ord] = [:string, SINGLE_STRING_LITERAL].freeze table["\"".ord] = [:string, DOUBLE_STRING_LITERAL].freeze table.freeze end SPECIAL_TABLE = [].tap do |table| table["|".ord] = PIPE table[".".ord] = DOT table[":".ord] = COLON table[",".ord] = COMMA table["[".ord] = OPEN_SQUARE table["]".ord] = CLOSE_SQUARE table["(".ord] = OPEN_ROUND table[")".ord] = CLOSE_ROUND table["?".ord] = QUESTION table["-".ord] = DASH end NUMBER_TABLE = [].tap do |table| "0".upto("9") do |c| table[c.ord] = true end table.freeze end # rubocop:disable Metrics/BlockNesting class << self def tokenize(ss) output = [] until ss.eos? ss.skip(WHITESPACE_OR_NOTHING) break if ss.eos? start_pos = ss.pos peeked = ss.peek_byte if (special = SPECIAL_TABLE[peeked]) ss.scan_byte # Special case for ".." if special == DOT && ss.peek_byte == DOT_ORD ss.scan_byte output << DOTDOT elsif special == DASH # Special case for negative numbers if (peeked_byte = ss.peek_byte) && NUMBER_TABLE[peeked_byte] ss.pos -= 1 output << [:number, ss.scan(NUMBER_LITERAL)] else output << special end else output << special end elsif (sub_table = TWO_CHARS_COMPARISON_JUMP_TABLE[peeked]) ss.scan_byte if (peeked_byte = ss.peek_byte) && (found = sub_table[peeked_byte]) output << found ss.scan_byte else raise_syntax_error(start_pos, ss) end elsif (sub_table = COMPARISON_JUMP_TABLE[peeked]) ss.scan_byte if (peeked_byte = ss.peek_byte) && (found = sub_table[peeked_byte]) output << found ss.scan_byte else output << SINGLE_COMPARISON_TOKENS[peeked] end else type, pattern = NEXT_MATCHER_JUMP_TABLE[peeked] if type && (t = ss.scan(pattern)) # Special case for "contains" output << if type == :id && t == "contains" && output.last&.first != :dot COMPARISON_CONTAINS else [type, t] end else raise_syntax_error(start_pos, ss) end end end # rubocop:enable Metrics/BlockNesting output << EOS rescue ::ArgumentError => e if e.message == "invalid byte sequence in #{ss.string.encoding}" raise SyntaxError, "Invalid byte sequence in #{ss.string.encoding}" else raise end end def raise_syntax_error(start_pos, ss) ss.pos = start_pos # the character could be a UTF-8 character, use getch to get all the bytes raise SyntaxError, "Unexpected character #{ss.getch}" end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/drop.rb
lib/liquid/drop.rb
# frozen_string_literal: true require 'set' module Liquid # A drop in liquid is a class which allows you to export DOM like things to liquid. # Methods of drops are callable. # The main use for liquid drops is to implement lazy loaded objects. # If you would like to make data available to the web designers which you don't want loaded unless needed then # a drop is a great way to do that. # # Example: # # class ProductDrop < Liquid::Drop # def top_sales # Shop.current.products.find(:all, :order => 'sales', :limit => 10 ) # end # end # # tmpl = Liquid::Template.parse( ' {% for product in product.top_sales %} {{ product.name }} {%endfor%} ' ) # tmpl.render('product' => ProductDrop.new ) # will invoke top_sales query. # # Your drop can either implement the methods sans any parameters # or implement the liquid_method_missing(name) method which is a catch all. class Drop attr_writer :context def initialize @context = nil end # Catch all for the method def liquid_method_missing(method) return unless @context&.strict_variables raise Liquid::UndefinedDropMethod, "undefined method #{method}" end # called by liquid to invoke a drop def invoke_drop(method_or_key) if self.class.invokable?(method_or_key) send(method_or_key) else liquid_method_missing(method_or_key) end end def key?(_name) true end def inspect self.class.to_s end def to_liquid self end def to_s self.class.name end alias_method :[], :invoke_drop # Check for method existence without invoking respond_to?, which creates symbols def self.invokable?(method_name) invokable_methods.include?(method_name.to_s) end def self.invokable_methods @invokable_methods ||= begin blacklist = Liquid::Drop.public_instance_methods + [:each] if include?(Enumerable) blacklist += Enumerable.public_instance_methods blacklist -= [:sort, :count, :first, :min, :max] end whitelist = [:to_liquid] + (public_instance_methods - blacklist) Set.new(whitelist.map(&:to_s)) end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/parse_context.rb
lib/liquid/parse_context.rb
# frozen_string_literal: true module Liquid class ParseContext attr_accessor :locale, :line_number, :trim_whitespace, :depth attr_reader :partial, :warnings, :error_mode, :environment def initialize(options = Const::EMPTY_HASH) @environment = options.fetch(:environment, Environment.default) @template_options = options ? options.dup : {} @locale = @template_options[:locale] ||= I18n.new @warnings = [] # constructing new StringScanner in Lexer, Tokenizer, etc is expensive # This StringScanner will be shared by all of them @string_scanner = StringScanner.new("") @expression_cache = if options[:expression_cache].nil? {} elsif options[:expression_cache].respond_to?(:[]) && options[:expression_cache].respond_to?(:[]=) options[:expression_cache] elsif options[:expression_cache] {} end self.depth = 0 self.partial = false end def [](option_key) @options[option_key] end def new_block_body Liquid::BlockBody.new end def new_parser(input) @string_scanner.string = input Parser.new(@string_scanner) end def new_tokenizer(source, start_line_number: nil, for_liquid_tag: false) Tokenizer.new( source: source, string_scanner: @string_scanner, line_number: start_line_number, for_liquid_tag: for_liquid_tag, ) end def safe_parse_expression(parser) Expression.safe_parse(parser, @string_scanner, @expression_cache) end def parse_expression(markup, safe: false) if !safe && @error_mode == :strict2 # parse_expression is a widely used API. To maintain backward # compatibility while raising awareness about strict2 parser standards, # the safe flag supports API users make a deliberate decision. # # In strict2 mode, markup MUST come from a string returned by the parser # (e.g., parser.expression). We're not calling the parser here to # prevent redundant parser overhead. raise Liquid::InternalError, "unsafe parse_expression cannot be used in strict2 mode" end Expression.parse(markup, @string_scanner, @expression_cache) end def partial=(value) @partial = value @options = value ? partial_options : @template_options @error_mode = @options[:error_mode] || @environment.error_mode end def partial_options @partial_options ||= begin dont_pass = @template_options[:include_options_blacklist] if dont_pass == true { locale: locale } elsif dont_pass.is_a?(Array) @template_options.reject { |k, _v| dont_pass.include?(k) } else @template_options end end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/i18n.rb
lib/liquid/i18n.rb
# frozen_string_literal: true require 'yaml' module Liquid class I18n DEFAULT_LOCALE = File.join(File.expand_path(__dir__), "locales", "en.yml") TranslationError = Class.new(StandardError) attr_reader :path def initialize(path = DEFAULT_LOCALE) @path = path end def translate(name, vars = {}) interpolate(deep_fetch_translation(name), vars) end alias_method :t, :translate def locale @locale ||= YAML.load_file(@path) end private def interpolate(name, vars) name.gsub(/%\{(\w+)\}/) do # raise TranslationError, "Undefined key #{$1} for interpolation in translation #{name}" unless vars[$1.to_sym] vars[Regexp.last_match(1).to_sym].to_s end end def deep_fetch_translation(name) name.split('.').reduce(locale) do |level, cur| level[cur] || raise(TranslationError, "Translation for #{name} does not exist in locale #{path}") end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/resource_limits.rb
lib/liquid/resource_limits.rb
# frozen_string_literal: true module Liquid class ResourceLimits attr_accessor :render_length_limit, :render_score_limit, :assign_score_limit attr_reader :render_score, :assign_score def initialize(limits) @render_length_limit = limits[:render_length_limit] @render_score_limit = limits[:render_score_limit] @assign_score_limit = limits[:assign_score_limit] reset end def increment_render_score(amount) @render_score += amount raise_limits_reached if @render_score_limit && @render_score > @render_score_limit end def increment_assign_score(amount) @assign_score += amount raise_limits_reached if @assign_score_limit && @assign_score > @assign_score_limit end # update either render_length or assign_score based on whether or not the writes are captured def increment_write_score(output) if (last_captured = @last_capture_length) captured = output.bytesize increment = captured - last_captured @last_capture_length = captured increment_assign_score(increment) elsif @render_length_limit && output.bytesize > @render_length_limit raise_limits_reached end end def raise_limits_reached @reached_limit = true raise MemoryError, "Memory limits exceeded" end def reached? @reached_limit end def reset @reached_limit = false @last_capture_length = nil @render_score = @assign_score = 0 end def with_capture old_capture_length = @last_capture_length begin @last_capture_length = 0 yield ensure @last_capture_length = old_capture_length end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/template.rb
lib/liquid/template.rb
# frozen_string_literal: true module Liquid # Templates are central to liquid. # Interpreting templates is a two step process. First you compile the # source code you got. During compile time some extensive error checking is performed. # your code should expect to get some SyntaxErrors. # # After you have a compiled template you can then <tt>render</tt> it. # You can use a compiled template over and over again and keep it cached. # # Example: # # template = Liquid::Template.parse(source) # template.render('user_name' => 'bob') # class Template attr_accessor :root, :name attr_reader :resource_limits, :warnings attr_reader :profiler class << self # Sets how strict the parser should be. # :lax acts like liquid 2.5 and silently ignores malformed tags in most cases. # :warn is the default and will give deprecation warnings when invalid syntax is used. # :strict enforces correct syntax for most tags # :strict2 enforces correct syntax for all tags def error_mode=(mode) Deprecations.warn("Template.error_mode=", "Environment#error_mode=") Environment.default.error_mode = mode end def error_mode Environment.default.error_mode end def default_exception_renderer=(renderer) Deprecations.warn("Template.default_exception_renderer=", "Environment#exception_renderer=") Environment.default.exception_renderer = renderer end def default_exception_renderer Environment.default.exception_renderer end def file_system=(file_system) Deprecations.warn("Template.file_system=", "Environment#file_system=") Environment.default.file_system = file_system end def file_system Environment.default.file_system end def tags Environment.default.tags end def register_tag(name, klass) Deprecations.warn("Template.register_tag", "Environment#register_tag") Environment.default.register_tag(name, klass) end # Pass a module with filter methods which should be available # to all liquid views. Good for registering the standard library def register_filter(mod) Deprecations.warn("Template.register_filter", "Environment#register_filter") Environment.default.register_filter(mod) end private def default_resource_limits=(limits) Deprecations.warn("Template.default_resource_limits=", "Environment#default_resource_limits=") Environment.default.default_resource_limits = limits end def default_resource_limits Environment.default.default_resource_limits end # creates a new <tt>Template</tt> object from liquid source code # To enable profiling, pass in <tt>profile: true</tt> as an option. # See Liquid::Profiler for more information def parse(source, options = {}) environment = options[:environment] || Environment.default new(environment: environment).parse(source, options) end end def initialize(environment: Environment.default) @environment = environment @rethrow_errors = false @resource_limits = ResourceLimits.new(environment.default_resource_limits) end # Parse source code. # Returns self for easy chaining def parse(source, options = {}) parse_context = configure_options(options) source = source.to_s.to_str unless source.valid_encoding? raise TemplateEncodingError, parse_context.locale.t("errors.syntax.invalid_template_encoding") end tokenizer = parse_context.new_tokenizer(source, start_line_number: @line_numbers && 1) @root = Document.parse(tokenizer, parse_context) self end def registers @registers ||= {} end def assigns @assigns ||= {} end def instance_assigns @instance_assigns ||= {} end def errors @errors ||= [] end # Render takes a hash with local variables. # # if you use the same filters over and over again consider registering them globally # with <tt>Template.register_filter</tt> # # if profiling was enabled in <tt>Template#parse</tt> then the resulting profiling information # will be available via <tt>Template#profiler</tt> # # Following options can be passed: # # * <tt>filters</tt> : array with local filters # * <tt>registers</tt> : hash with register variables. Those can be accessed from # filters and tags and might be useful to integrate liquid more with its host application # def render(*args) return '' if @root.nil? context = case args.first when Liquid::Context c = args.shift if @rethrow_errors c.exception_renderer = Liquid::RAISE_EXCEPTION_LAMBDA end c when Liquid::Drop drop = args.shift drop.context = Context.new([drop, assigns], instance_assigns, registers, @rethrow_errors, @resource_limits, {}, @environment) when Hash Context.new([args.shift, assigns], instance_assigns, registers, @rethrow_errors, @resource_limits, {}, @environment) when nil Context.new(assigns, instance_assigns, registers, @rethrow_errors, @resource_limits, {}, @environment) else raise ArgumentError, "Expected Hash or Liquid::Context as parameter" end output = nil case args.last when Hash options = args.pop output = options[:output] if options[:output] static_registers = context.registers.static options[:registers]&.each do |key, register| static_registers[key] = register end apply_options_to_context(context, options) when Module, Array context.add_filters(args.pop) end # Retrying a render resets resource usage context.resource_limits.reset if @profiling && context.profiler.nil? @profiler = context.profiler = Liquid::Profiler.new end context.template_name ||= name begin # render the nodelist. @root.render_to_output_buffer(context, output || +'') rescue Liquid::MemoryError => e context.handle_error(e) ensure @errors = context.errors end end def render!(*args) @rethrow_errors = true render(*args) end def render_to_output_buffer(context, output) render(context, output: output) end private def configure_options(options) if (profiling = options[:profile]) raise "Profiler not loaded, require 'liquid/profiler' first" unless defined?(Liquid::Profiler) end @options = options @profiling = profiling @line_numbers = options[:line_numbers] || @profiling parse_context = if options.is_a?(ParseContext) options else opts = options.key?(:environment) ? options : options.merge(environment: @environment) ParseContext.new(opts) end @warnings = parse_context.warnings parse_context end def apply_options_to_context(context, options) context.add_filters(options[:filters]) if options[:filters] context.global_filter = options[:global_filter] if options[:global_filter] context.exception_renderer = options[:exception_renderer] if options[:exception_renderer] context.strict_variables = options[:strict_variables] if options[:strict_variables] context.strict_filters = options[:strict_filters] if options[:strict_filters] end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/block_body.rb
lib/liquid/block_body.rb
# frozen_string_literal: true require 'English' module Liquid class BlockBody LiquidTagToken = /\A\s*(#{TagName})\s*(.*?)\z/o FullToken = /\A#{TagStart}#{WhitespaceControl}?(\s*)(#{TagName})(\s*)(.*?)#{WhitespaceControl}?#{TagEnd}\z/om FullTokenPossiblyInvalid = /\A(.*)#{TagStart}#{WhitespaceControl}?\s*(\w+)\s*(.*)?#{WhitespaceControl}?#{TagEnd}\z/om ContentOfVariable = /\A#{VariableStart}#{WhitespaceControl}?(.*?)#{WhitespaceControl}?#{VariableEnd}\z/om WhitespaceOrNothing = /\A\s*\z/ TAGSTART = "{%" VARSTART = "{{" attr_reader :nodelist def initialize @nodelist = [] @blank = true end def parse(tokenizer, parse_context, &block) raise FrozenError, "can't modify frozen Liquid::BlockBody" if frozen? parse_context.line_number = tokenizer.line_number if tokenizer.for_liquid_tag parse_for_liquid_tag(tokenizer, parse_context, &block) else parse_for_document(tokenizer, parse_context, &block) end end def freeze @nodelist.freeze super end private def parse_for_liquid_tag(tokenizer, parse_context) while (token = tokenizer.shift) unless token.empty? || token.match?(WhitespaceOrNothing) unless token =~ LiquidTagToken # line isn't empty but didn't match tag syntax, yield and let the # caller raise a syntax error return yield token, token end tag_name = Regexp.last_match(1) markup = Regexp.last_match(2) if tag_name == 'liquid' parse_context.line_number -= 1 next parse_liquid_tag(markup, parse_context) end unless (tag = parse_context.environment.tag_for_name(tag_name)) # end parsing if we reach an unknown tag and let the caller decide # determine how to proceed return yield tag_name, markup end new_tag = tag.parse(tag_name, markup, tokenizer, parse_context) @blank &&= new_tag.blank? @nodelist << new_tag end parse_context.line_number = tokenizer.line_number end yield nil, nil end # @api private def self.unknown_tag_in_liquid_tag(tag, parse_context) Block.raise_unknown_tag(tag, 'liquid', '%}', parse_context) end # @api private def self.raise_missing_tag_terminator(token, parse_context) raise SyntaxError, parse_context.locale.t("errors.syntax.tag_termination", token: token, tag_end: TagEnd.inspect) end # @api private def self.raise_missing_variable_terminator(token, parse_context) raise SyntaxError, parse_context.locale.t("errors.syntax.variable_termination", token: token, tag_end: VariableEnd.inspect) end # @api private def self.render_node(context, output, node) node.render_to_output_buffer(context, output) rescue => exc blank_tag = !node.instance_of?(Variable) && node.blank? rescue_render_node(context, output, node.line_number, exc, blank_tag) end # @api private def self.rescue_render_node(context, output, line_number, exc, blank_tag) case exc when MemoryError raise when UndefinedVariable, UndefinedDropMethod, UndefinedFilter context.handle_error(exc, line_number) else error_message = context.handle_error(exc, line_number) unless blank_tag # conditional for backwards compatibility output << error_message end end end private def parse_liquid_tag(markup, parse_context) liquid_tag_tokenizer = parse_context.new_tokenizer( markup, start_line_number: parse_context.line_number, for_liquid_tag: true ) parse_for_liquid_tag(liquid_tag_tokenizer, parse_context) do |end_tag_name, _end_tag_markup| if end_tag_name BlockBody.unknown_tag_in_liquid_tag(end_tag_name, parse_context) end end end private def handle_invalid_tag_token(token, parse_context) if token.end_with?('%}') yield token, token else BlockBody.raise_missing_tag_terminator(token, parse_context) end end private def parse_for_document(tokenizer, parse_context, &block) while (token = tokenizer.shift) next if token.empty? case when token.start_with?(TAGSTART) whitespace_handler(token, parse_context) unless token =~ FullToken return handle_invalid_tag_token(token, parse_context, &block) end tag_name = Regexp.last_match(2) markup = Regexp.last_match(4) if parse_context.line_number # newlines inside the tag should increase the line number, # particularly important for multiline {% liquid %} tags parse_context.line_number += Regexp.last_match(1).count("\n") + Regexp.last_match(3).count("\n") end if tag_name == 'liquid' parse_liquid_tag(markup, parse_context) next end unless (tag = parse_context.environment.tag_for_name(tag_name)) # end parsing if we reach an unknown tag and let the caller decide # determine how to proceed return yield tag_name, markup end new_tag = tag.parse(tag_name, markup, tokenizer, parse_context) @blank &&= new_tag.blank? @nodelist << new_tag when token.start_with?(VARSTART) whitespace_handler(token, parse_context) @nodelist << create_variable(token, parse_context) @blank = false else if parse_context.trim_whitespace token.lstrip! end parse_context.trim_whitespace = false @nodelist << token @blank &&= token.match?(WhitespaceOrNothing) end parse_context.line_number = tokenizer.line_number end yield nil, nil end def whitespace_handler(token, parse_context) if token[2] == WhitespaceControl previous_token = @nodelist.last if previous_token.is_a?(String) first_byte = previous_token.getbyte(0) previous_token.rstrip! if previous_token.empty? && parse_context[:bug_compatible_whitespace_trimming] && first_byte previous_token << first_byte end end end parse_context.trim_whitespace = (token[-3] == WhitespaceControl) end def blank? @blank end # Remove blank strings in the block body for a control flow tag (e.g. `if`, `for`, `case`, `unless`) # with a blank body. # # For example, in a conditional assignment like the following # # ``` # {% if size > max_size %} # {% assign size = max_size %} # {% endif %} # ``` # # we assume the intention wasn't to output the blank spaces in the `if` tag's block body, so this method # will remove them to reduce the render output size. # # Note that it is now preferred to use the `liquid` tag for this use case. def remove_blank_strings raise "remove_blank_strings only support being called on a blank block body" unless @blank @nodelist.reject! { |node| node.instance_of?(String) } end def render(context) render_to_output_buffer(context, +'') end def render_to_output_buffer(context, output) freeze unless frozen? context.resource_limits.increment_render_score(@nodelist.length) idx = 0 while (node = @nodelist[idx]) if node.instance_of?(String) output << node else render_node(context, output, node) # If we get an Interrupt that means the block must stop processing. An # Interrupt is any command that stops block execution such as {% break %} # or {% continue %}. These tags may also occur through Block or Include tags. break if context.interrupt? # might have happened in a for-block end idx += 1 context.resource_limits.increment_write_score(output) end output end private def render_node(context, output, node) BlockBody.render_node(context, output, node) end def create_variable(token, parse_context) if token.end_with?("}}") i = 2 i = 3 if token[i] == "-" parse_end = token.length - 3 parse_end -= 1 if token[parse_end] == "-" markup_end = parse_end - i + 1 markup = markup_end <= 0 ? "" : token.slice(i, markup_end) return Variable.new(markup, parse_context) end BlockBody.raise_missing_variable_terminator(token, parse_context) end # @deprecated Use {.raise_missing_tag_terminator} instead def raise_missing_tag_terminator(token, parse_context) BlockBody.raise_missing_tag_terminator(token, parse_context) end # @deprecated Use {.raise_missing_variable_terminator} instead def raise_missing_variable_terminator(token, parse_context) BlockBody.raise_missing_variable_terminator(token, parse_context) end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/variable_lookup.rb
lib/liquid/variable_lookup.rb
# frozen_string_literal: true module Liquid class VariableLookup COMMAND_METHODS = ['size', 'first', 'last'].freeze attr_reader :name, :lookups def self.parse(markup, string_scanner = StringScanner.new(""), cache = nil) new(markup, string_scanner, cache) end def initialize(markup, string_scanner = StringScanner.new(""), cache = nil) lookups = markup.scan(VariableParser) name = lookups.shift if name&.start_with?('[') && name&.end_with?(']') name = Expression.parse( name[1..-2], string_scanner, cache, ) end @name = name @lookups = lookups @command_flags = 0 @lookups.each_index do |i| lookup = lookups[i] if lookup&.start_with?('[') && lookup&.end_with?(']') lookups[i] = Expression.parse( lookup[1..-2], string_scanner, cache, ) elsif COMMAND_METHODS.include?(lookup) @command_flags |= 1 << i end end end def lookup_command?(lookup_index) @command_flags & (1 << lookup_index) != 0 end def evaluate(context) name = context.evaluate(@name) object = context.find_variable(name) @lookups.each_index do |i| key = context.evaluate(@lookups[i]) # Cast "key" to its liquid value to enable it to act as a primitive value key = Liquid::Utils.to_liquid_value(key) # If object is a hash- or array-like object we look for the # presence of the key and if its available we return it if object.respond_to?(:[]) && ((object.respond_to?(:key?) && object.key?(key)) || (object.respond_to?(:fetch) && key.is_a?(Integer))) # if its a proc we will replace the entry with the proc res = context.lookup_and_evaluate(object, key) object = res.to_liquid # Some special cases. If the part wasn't in square brackets and # no key with the same name was found we interpret following calls # as commands and call them on the current object elsif lookup_command?(i) && object.respond_to?(key) object = object.send(key).to_liquid # Handle string first/last like ActiveSupport does (returns first/last character) # ActiveSupport returns "" for empty strings, not nil elsif lookup_command?(i) && object.is_a?(String) && (key == "first" || key == "last") object = key == "first" ? (object[0] || "") : (object[-1] || "") # No key was present with the desired value and it wasn't one of the directly supported # keywords either. The only thing we got left is to return nil or # raise an exception if `strict_variables` option is set to true else return nil unless context.strict_variables raise Liquid::UndefinedVariable, "undefined variable #{key}" end # If we are dealing with a drop here we have to object.context = context if object.respond_to?(:context=) end object end def ==(other) self.class == other.class && state == other.state end protected def state [@name, @lookups, @command_flags] end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children @node.lookups end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/variable.rb
lib/liquid/variable.rb
# frozen_string_literal: true module Liquid # Holds variables. Variables are only loaded "just in time" # and are not evaluated as part of the render stage # # {{ monkey }} # {{ user.name }} # # Variables can be combined with filters: # # {{ user | link }} # class Variable FilterMarkupRegex = /#{FilterSeparator}\s*(.*)/om FilterParser = /(?:\s+|#{QuotedFragment}|#{ArgumentSeparator})+/o FilterArgsRegex = /(?:#{FilterArgumentSeparator}|#{ArgumentSeparator})\s*((?:\w+\s*\:\s*)?#{QuotedFragment})/o JustTagAttributes = /\A#{TagAttributes}\z/o MarkupWithQuotedFragment = /(#{QuotedFragment})(.*)/om attr_accessor :filters, :name, :line_number attr_reader :parse_context alias_method :options, :parse_context include ParserSwitching def initialize(markup, parse_context) @markup = markup @name = nil @parse_context = parse_context @line_number = parse_context.line_number strict_parse_with_error_mode_fallback(markup) end def raw @markup end def markup_context(markup) "in \"{{#{markup}}}\"" end def lax_parse(markup) @filters = [] return unless markup =~ MarkupWithQuotedFragment name_markup = Regexp.last_match(1) filter_markup = Regexp.last_match(2) @name = parse_context.parse_expression(name_markup) if filter_markup =~ FilterMarkupRegex filters = Regexp.last_match(1).scan(FilterParser) filters.each do |f| next unless f =~ /\w+/ filtername = Regexp.last_match(0) filterargs = f.scan(FilterArgsRegex).flatten @filters << lax_parse_filter_expressions(filtername, filterargs) end end end def strict_parse(markup) @filters = [] p = @parse_context.new_parser(markup) return if p.look(:end_of_string) @name = parse_context.safe_parse_expression(p) while p.consume?(:pipe) filtername = p.consume(:id) filterargs = p.consume?(:colon) ? parse_filterargs(p) : Const::EMPTY_ARRAY @filters << lax_parse_filter_expressions(filtername, filterargs) end p.consume(:end_of_string) end def strict2_parse(markup) @filters = [] p = @parse_context.new_parser(markup) return if p.look(:end_of_string) @name = parse_context.safe_parse_expression(p) @filters << strict2_parse_filter_expressions(p) while p.consume?(:pipe) p.consume(:end_of_string) end def parse_filterargs(p) # first argument filterargs = [p.argument] # followed by comma separated others filterargs << p.argument while p.consume?(:comma) filterargs end def render(context) obj = context.evaluate(@name) @filters.each do |filter_name, filter_args, filter_kwargs| filter_args = evaluate_filter_expressions(context, filter_args, filter_kwargs) obj = context.invoke(filter_name, obj, *filter_args) end context.apply_global_filter(obj) end def render_to_output_buffer(context, output) obj = render(context) render_obj_to_output(obj, output) output end def render_obj_to_output(obj, output) case obj when NilClass # Do nothing when Array obj.each do |o| render_obj_to_output(o, output) end else output << Liquid::Utils.to_s(obj) end end def disabled?(_context) false end def disabled_tags [] end private def lax_parse_filter_expressions(filter_name, unparsed_args) filter_args = [] keyword_args = nil unparsed_args.each do |a| if (matches = a.match(JustTagAttributes)) keyword_args ||= {} keyword_args[matches[1]] = parse_context.parse_expression(matches[2]) else filter_args << parse_context.parse_expression(a) end end result = [filter_name, filter_args] result << keyword_args if keyword_args result end # Surprisingly, positional and keyword arguments can be mixed. # # filter = filtername [":" filterargs?] # filterargs = argument ("," argument)* # argument = (positional_argument | keyword_argument) # positional_argument = expression # keyword_argument = id ":" expression def strict2_parse_filter_expressions(p) filtername = p.consume(:id) filter_args = [] keyword_args = {} if p.consume?(:colon) # Parse first argument (no leading comma) argument(p, filter_args, keyword_args) unless end_of_arguments?(p) # Parse remaining arguments (with leading commas) and optional trailing comma argument(p, filter_args, keyword_args) while p.consume?(:comma) && !end_of_arguments?(p) end result = [filtername, filter_args] result << keyword_args unless keyword_args.empty? result end def argument(p, positional_arguments, keyword_arguments) if p.look(:id) && p.look(:colon, 1) key = p.consume(:id) p.consume(:colon) value = parse_context.safe_parse_expression(p) keyword_arguments[key] = value else positional_arguments << parse_context.safe_parse_expression(p) end end def end_of_arguments?(p) p.look(:pipe) || p.look(:end_of_string) end def evaluate_filter_expressions(context, filter_args, filter_kwargs) parsed_args = filter_args.map { |expr| context.evaluate(expr) } if filter_kwargs parsed_kwargs = {} filter_kwargs.each do |key, expr| parsed_kwargs[key] = context.evaluate(expr) end parsed_args << parsed_kwargs end parsed_args end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children [@node.name] + @node.filters.flatten end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/forloop_drop.rb
lib/liquid/forloop_drop.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type object # @liquid_name forloop # @liquid_summary # Information about a parent [`for` loop](/docs/api/liquid/tags/for). class ForloopDrop < Drop def initialize(name, length, parentloop) @name = name @length = length @parentloop = parentloop @index = 0 end # @liquid_public_docs # @liquid_name length # @liquid_summary # The total number of iterations in the loop. # @liquid_return [number] attr_reader :length # @liquid_public_docs # @liquid_name parentloop # @liquid_summary # The parent `forloop` object. # @liquid_description # If the current `for` loop isn't nested inside another `for` loop, then `nil` is returned. # @liquid_return [forloop] attr_reader :parentloop attr_reader :name # @liquid_public_docs # @liquid_summary # The 1-based index of the current iteration. # @liquid_return [number] def index @index + 1 end # @liquid_public_docs # @liquid_summary # The 0-based index of the current iteration. # @liquid_return [number] def index0 @index end # @liquid_public_docs # @liquid_summary # The 1-based index of the current iteration, in reverse order. # @liquid_return [number] def rindex @length - @index end # @liquid_public_docs # @liquid_summary # The 0-based index of the current iteration, in reverse order. # @liquid_return [number] def rindex0 @length - @index - 1 end # @liquid_public_docs # @liquid_summary # Returns `true` if the current iteration is the first. Returns `false` if not. # @liquid_return [boolean] def first @index == 0 end # @liquid_public_docs # @liquid_summary # Returns `true` if the current iteration is the last. Returns `false` if not. # @liquid_return [boolean] def last @index == @length - 1 end protected def increment! @index += 1 end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/file_system.rb
lib/liquid/file_system.rb
# frozen_string_literal: true module Liquid # A Liquid file system is a way to let your templates retrieve other templates for use with the include tag. # # You can implement subclasses that retrieve templates from the database, from the file system using a different # path structure, you can provide them as hard-coded inline strings, or any manner that you see fit. # # You can add additional instance variables, arguments, or methods as needed. # # Example: # # Liquid::Template.file_system = Liquid::LocalFileSystem.new(template_path) # liquid = Liquid::Template.parse(template) # # This will parse the template with a LocalFileSystem implementation rooted at 'template_path'. class BlankFileSystem # Called by Liquid to retrieve a template file def read_template_file(_template_path) raise FileSystemError, "This liquid context does not allow includes." end end # This implements an abstract file system which retrieves template files named in a manner similar to Rails partials, # ie. with the template name prefixed with an underscore. The extension ".liquid" is also added. # # For security reasons, template paths are only allowed to contain letters, numbers, and underscore. # # Example: # # file_system = Liquid::LocalFileSystem.new("/some/path") # # file_system.full_path("mypartial") # => "/some/path/_mypartial.liquid" # file_system.full_path("dir/mypartial") # => "/some/path/dir/_mypartial.liquid" # # Optionally in the second argument you can specify a custom pattern for template filenames. # The Kernel::sprintf format specification is used. # Default pattern is "_%s.liquid". # # Example: # # file_system = Liquid::LocalFileSystem.new("/some/path", "%s.html") # # file_system.full_path("index") # => "/some/path/index.html" # class LocalFileSystem attr_accessor :root def initialize(root, pattern = "_%s.liquid") @root = root @pattern = pattern end def read_template_file(template_path) full_path = full_path(template_path) raise FileSystemError, "No such template '#{template_path}'" unless File.exist?(full_path) File.read(full_path) end def full_path(template_path) raise FileSystemError, "Illegal template name '#{template_path}'" unless %r{\A[^./][a-zA-Z0-9_/]+\z}.match?(template_path) full_path = if template_path.include?('/') File.join(root, File.dirname(template_path), @pattern % File.basename(template_path)) else File.join(root, @pattern % template_path) end raise FileSystemError, "Illegal template path '#{File.expand_path(full_path)}'" unless File.expand_path(full_path).start_with?(File.expand_path(root)) full_path end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/context.rb
lib/liquid/context.rb
# frozen_string_literal: true module Liquid # Context keeps the variable stack and resolves variables, as well as keywords # # context['variable'] = 'testing' # context['variable'] #=> 'testing' # context['true'] #=> true # context['10.2232'] #=> 10.2232 # # context.stack do # context['bob'] = 'bobsen' # end # # context['bob'] #=> nil class Context class Context attr_reader :scopes, :errors, :registers, :environments, :resource_limits, :static_registers, :static_environments attr_accessor :exception_renderer, :template_name, :partial, :global_filter, :strict_variables, :strict_filters, :environment # rubocop:disable Metrics/ParameterLists def self.build(environment: Environment.default, environments: {}, outer_scope: {}, registers: {}, rethrow_errors: false, resource_limits: nil, static_environments: {}, &block) new(environments, outer_scope, registers, rethrow_errors, resource_limits, static_environments, environment, &block) end def initialize(environments = {}, outer_scope = {}, registers = {}, rethrow_errors = false, resource_limits = nil, static_environments = {}, environment = Environment.default) @environment = environment @environments = [environments] @environments.flatten! @static_environments = [static_environments].flatten(1).freeze @scopes = [outer_scope || {}] @registers = registers.is_a?(Registers) ? registers : Registers.new(registers) @errors = [] @partial = false @strict_variables = false @resource_limits = resource_limits || ResourceLimits.new(environment.default_resource_limits) @base_scope_depth = 0 @interrupts = [] @filters = [] @global_filter = nil @disabled_tags = {} # Instead of constructing new StringScanner objects for each Expression parse, # we recycle the same one. @string_scanner = StringScanner.new("") @registers.static[:cached_partials] ||= {} @registers.static[:file_system] ||= environment.file_system @registers.static[:template_factory] ||= Liquid::TemplateFactory.new self.exception_renderer = environment.exception_renderer if rethrow_errors self.exception_renderer = Liquid::RAISE_EXCEPTION_LAMBDA end yield self if block_given? # Do this last, since it could result in this object being passed to a Proc in the environment squash_instance_assigns_with_environments end # rubocop:enable Metrics/ParameterLists def warnings @warnings ||= [] end def strainer @strainer ||= @environment.create_strainer(self, @filters) end # Adds filters to this context. # # Note that this does not register the filters with the main Template object. see <tt>Template.register_filter</tt> # for that def add_filters(filters) filters = [filters].flatten.compact @filters += filters @strainer = nil end def apply_global_filter(obj) global_filter.nil? ? obj : global_filter.call(obj) end # are there any not handled interrupts? def interrupt? !@interrupts.empty? end # push an interrupt to the stack. this interrupt is considered not handled. def push_interrupt(e) @interrupts.push(e) end # pop an interrupt from the stack def pop_interrupt @interrupts.pop end def handle_error(e, line_number = nil) e = internal_error unless e.is_a?(Liquid::Error) e.template_name ||= template_name e.line_number ||= line_number errors.push(e) exception_renderer.call(e).to_s end def invoke(method, *args) strainer.invoke(method, *args).to_liquid end # Push new local scope on the stack. use <tt>Context#stack</tt> instead def push(new_scope = {}) @scopes.unshift(new_scope) check_overflow end # Merge a hash of variables in the current local scope def merge(new_scopes) @scopes[0].merge!(new_scopes) end # Pop from the stack. use <tt>Context#stack</tt> instead def pop raise ContextError if @scopes.size == 1 @scopes.shift end # Pushes a new local scope on the stack, pops it at the end of the block # # Example: # context.stack do # context['var'] = 'hi' # end # # context['var'] #=> nil def stack(new_scope = {}) push(new_scope) yield ensure pop end # Creates a new context inheriting resource limits, filters, environment etc., # but with an isolated scope. def new_isolated_subcontext check_overflow self.class.build( environment: @environment, resource_limits: resource_limits, static_environments: static_environments, registers: Registers.new(registers), ).tap do |subcontext| subcontext.base_scope_depth = base_scope_depth + 1 subcontext.exception_renderer = exception_renderer subcontext.filters = @filters subcontext.strainer = nil subcontext.errors = errors subcontext.warnings = warnings subcontext.disabled_tags = @disabled_tags end end def clear_instance_assigns @scopes[0] = {} end # Only allow String, Numeric, Hash, Array, Proc, Boolean or <tt>Liquid::Drop</tt> def []=(key, value) @scopes[0][key] = value end # Look up variable, either resolve directly after considering the name. We can directly handle # Strings, digits, floats and booleans (true,false). # If no match is made we lookup the variable in the current scope and # later move up to the parent blocks to see if we can resolve the variable somewhere up the tree. # Some special keywords return symbols. Those symbols are to be called on the rhs object in expressions # # Example: # products == empty #=> products.empty? def [](expression) evaluate(Expression.parse(expression, @string_scanner)) end def key?(key) find_variable(key, raise_on_not_found: false) != nil end def evaluate(object) object.respond_to?(:evaluate) ? object.evaluate(self) : object end # Fetches an object starting at the local scope and then moving up the hierachy def find_variable(key, raise_on_not_found: true) # This was changed from find() to find_index() because this is a very hot # path and find_index() is optimized in MRI to reduce object allocation index = @scopes.find_index { |s| s.key?(key) } variable = if index lookup_and_evaluate(@scopes[index], key, raise_on_not_found: raise_on_not_found) else try_variable_find_in_environments(key, raise_on_not_found: raise_on_not_found) end # update variable's context before invoking #to_liquid variable.context = self if variable.respond_to?(:context=) liquid_variable = variable.to_liquid liquid_variable.context = self if variable != liquid_variable && liquid_variable.respond_to?(:context=) liquid_variable end def lookup_and_evaluate(obj, key, raise_on_not_found: true) if @strict_variables && raise_on_not_found && obj.respond_to?(:key?) && !obj.key?(key) raise Liquid::UndefinedVariable, "undefined variable #{key}" end value = obj[key] if value.is_a?(Proc) && obj.respond_to?(:[]=) obj[key] = value.arity == 0 ? value.call : value.call(self) else value end end def with_disabled_tags(tag_names) tag_names.each do |name| @disabled_tags[name] = @disabled_tags.fetch(name, 0) + 1 end yield ensure tag_names.each do |name| @disabled_tags[name] -= 1 end end def tag_disabled?(tag_name) @disabled_tags.fetch(tag_name, 0) > 0 end protected attr_writer :base_scope_depth, :warnings, :errors, :strainer, :filters, :disabled_tags private attr_reader :base_scope_depth def try_variable_find_in_environments(key, raise_on_not_found:) @environments.each do |environment| found_variable = lookup_and_evaluate(environment, key, raise_on_not_found: raise_on_not_found) if !found_variable.nil? || @strict_variables && raise_on_not_found return found_variable end end @static_environments.each do |environment| found_variable = lookup_and_evaluate(environment, key, raise_on_not_found: raise_on_not_found) if !found_variable.nil? || @strict_variables && raise_on_not_found return found_variable end end nil end def check_overflow raise StackLevelError, "Nesting too deep" if overflow? end def overflow? base_scope_depth + @scopes.length > Block::MAX_DEPTH end def internal_error # raise and catch to set backtrace and cause on exception raise Liquid::InternalError, 'internal' rescue Liquid::InternalError => exc exc end def squash_instance_assigns_with_environments @scopes.last.each_key do |k| @environments.each do |env| if env.key?(k) scopes.last[k] = lookup_and_evaluate(env, k) break end end end end # squash_instance_assigns_with_environments end # Context end # Liquid
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/expression.rb
lib/liquid/expression.rb
# frozen_string_literal: true module Liquid class Expression LITERALS = { nil => nil, 'nil' => nil, 'null' => nil, '' => nil, 'true' => true, 'false' => false, 'blank' => '', 'empty' => '', # in lax mode, minus sign can be a VariableLookup # For simplicity and performace, we treat it like a literal '-' => VariableLookup.parse("-", nil).freeze, }.freeze DOT = ".".ord ZERO = "0".ord NINE = "9".ord DASH = "-".ord # Use an atomic group (?>...) to avoid pathological backtracing from # malicious input as described in https://github.com/Shopify/liquid/issues/1357 RANGES_REGEX = /\A\(\s*(?>(\S+)\s*\.\.)\s*(\S+)\s*\)\z/ INTEGER_REGEX = /\A(-?\d+)\z/ FLOAT_REGEX = /\A(-?\d+)\.\d+\z/ class << self def safe_parse(parser, ss = StringScanner.new(""), cache = nil) parse(parser.expression, ss, cache) end def parse(markup, ss = StringScanner.new(""), cache = nil) return unless markup markup = markup.strip # markup can be a frozen string if (markup.start_with?('"') && markup.end_with?('"')) || (markup.start_with?("'") && markup.end_with?("'")) return markup[1..-2] elsif LITERALS.key?(markup) return LITERALS[markup] end # Cache only exists during parsing if cache return cache[markup] if cache.key?(markup) cache[markup] = inner_parse(markup, ss, cache).freeze else inner_parse(markup, ss, nil).freeze end end def inner_parse(markup, ss, cache) if markup.start_with?("(") && markup.end_with?(")") && markup =~ RANGES_REGEX return RangeLookup.parse( Regexp.last_match(1), Regexp.last_match(2), ss, cache, ) end if (num = parse_number(markup, ss)) num else VariableLookup.parse(markup, ss, cache) end end def parse_number(markup, ss) # check if the markup is simple integer or float case markup when INTEGER_REGEX return Integer(markup, 10) when FLOAT_REGEX return markup.to_f end ss.string = markup # the first byte must be a digit or a dash byte = ss.scan_byte return false if byte != DASH && (byte < ZERO || byte > NINE) if byte == DASH peek_byte = ss.peek_byte # if it starts with a dash, the next byte must be a digit return false if peek_byte.nil? || !(peek_byte >= ZERO && peek_byte <= NINE) end # The markup could be a float with multiple dots first_dot_pos = nil num_end_pos = nil while (byte = ss.scan_byte) return false if byte != DOT && (byte < ZERO || byte > NINE) # we found our number and now we are just scanning the rest of the string next if num_end_pos if byte == DOT if first_dot_pos.nil? first_dot_pos = ss.pos else # we found another dot, so we know that the number ends here num_end_pos = ss.pos - 1 end end end num_end_pos = markup.length if ss.eos? if num_end_pos # number ends with a number "123.123" markup.byteslice(0, num_end_pos).to_f else # number ends with a dot "123." markup.byteslice(0, first_dot_pos).to_f end end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tablerowloop_drop.rb
lib/liquid/tablerowloop_drop.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type object # @liquid_name tablerowloop # @liquid_summary # Information about a parent [`tablerow` loop](/docs/api/liquid/tags/tablerow). class TablerowloopDrop < Drop def initialize(length, cols) @length = length @row = 1 @col = 1 @cols = cols @index = 0 end # @liquid_public_docs # @liquid_summary # The total number of iterations in the loop. # @liquid_return [number] attr_reader :length # @liquid_public_docs # @liquid_summary # The 1-based index of the current column. # @liquid_return [number] attr_reader :col # @liquid_public_docs # @liquid_summary # The 1-based index of current row. # @liquid_return [number] attr_reader :row # @liquid_public_docs # @liquid_summary # The 1-based index of the current iteration. # @liquid_return [number] def index @index + 1 end # @liquid_public_docs # @liquid_summary # The 0-based index of the current iteration. # @liquid_return [number] def index0 @index end # @liquid_public_docs # @liquid_summary # The 0-based index of the current column. # @liquid_return [number] def col0 @col - 1 end # @liquid_public_docs # @liquid_summary # The 1-based index of the current iteration, in reverse order. # @liquid_return [number] def rindex @length - @index end # @liquid_public_docs # @liquid_summary # The 0-based index of the current iteration, in reverse order. # @liquid_return [number] def rindex0 @length - @index - 1 end # @liquid_public_docs # @liquid_summary # Returns `true` if the current iteration is the first. Returns `false` if not. # @liquid_return [boolean] def first @index == 0 end # @liquid_public_docs # @liquid_summary # Returns `true` if the current iteration is the last. Returns `false` if not. # @liquid_return [boolean] def last @index == @length - 1 end # @liquid_public_docs # @liquid_summary # Returns `true` if the current column is the first in the row. Returns `false` if not. # @liquid_return [boolean] def col_first @col == 1 end # @liquid_public_docs # @liquid_summary # Returns `true` if the current column is the last in the row. Returns `false` if not. # @liquid_return [boolean] def col_last @col == @cols end protected def increment! @index += 1 if @col == @cols @col = 1 @row += 1 else @col += 1 end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/registers.rb
lib/liquid/registers.rb
# frozen_string_literal: true module Liquid class Registers attr_reader :static def initialize(registers = {}) @static = registers.is_a?(Registers) ? registers.static : registers @changes = {} end def []=(key, value) @changes[key] = value end def [](key) if @changes.key?(key) @changes[key] else @static[key] end end def delete(key) @changes.delete(key) end UNDEFINED = Object.new def fetch(key, default = UNDEFINED, &block) if @changes.key?(key) @changes.fetch(key) elsif default != UNDEFINED if block_given? @static.fetch(key, &block) else @static.fetch(key, default) end else @static.fetch(key, &block) end end def key?(key) @changes.key?(key) || @static.key?(key) end end # Alias for backwards compatibility StaticRegisters = Registers end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/parser_switching.rb
lib/liquid/parser_switching.rb
# frozen_string_literal: true module Liquid module ParserSwitching # Do not use this. # # It's basically doing the same thing the {#parse_with_selected_parser}, # except this will try the strict parser regardless of the error mode, # and fall back to the lax parser if the error mode is lax or warn, # except when in strict2 mode where it uses the strict2 parser. # # @deprecated Use {#parse_with_selected_parser} instead. def strict_parse_with_error_mode_fallback(markup) return strict2_parse_with_error_context(markup) if strict2_mode? strict_parse_with_error_context(markup) rescue SyntaxError => e case parse_context.error_mode when :rigid rigid_warn raise when :strict2 raise when :strict raise when :warn parse_context.warnings << e end lax_parse(markup) end def parse_with_selected_parser(markup) case parse_context.error_mode when :rigid then rigid_warn && strict2_parse_with_error_context(markup) when :strict2 then strict2_parse_with_error_context(markup) when :strict then strict_parse_with_error_context(markup) when :lax then lax_parse(markup) when :warn begin strict2_parse_with_error_context(markup) rescue SyntaxError => e parse_context.warnings << e lax_parse(markup) end end end def strict2_mode? parse_context.error_mode == :strict2 || parse_context.error_mode == :rigid end private def rigid_warn Deprecations.warn(':rigid', ':strict2') end def strict2_parse_with_error_context(markup) strict2_parse(markup) rescue SyntaxError => e e.line_number = line_number e.markup_context = markup_context(markup) raise e end def strict_parse_with_error_context(markup) strict_parse(markup) rescue SyntaxError => e e.line_number = line_number e.markup_context = markup_context(markup) raise e end def markup_context(markup) "in \"#{markup.strip}\"" end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/partial_cache.rb
lib/liquid/partial_cache.rb
# frozen_string_literal: true module Liquid class PartialCache def self.load(template_name, context:, parse_context:) cached_partials = context.registers[:cached_partials] cache_key = "#{template_name}:#{parse_context.error_mode}" cached = cached_partials[cache_key] return cached if cached file_system = context.registers[:file_system] source = file_system.read_template_file(template_name) parse_context.partial = true template_factory = context.registers[:template_factory] template = template_factory.for(template_name) begin partial = template.parse(source, parse_context) rescue Liquid::Error => e e.template_name = template&.name || template_name raise e end partial.name ||= template_name cached_partials[cache_key] = partial ensure parse_context.partial = false end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/document.rb
lib/liquid/document.rb
# frozen_string_literal: true module Liquid class Document def self.parse(tokens, parse_context) doc = new(parse_context) doc.parse(tokens, parse_context) doc end attr_reader :parse_context, :body def initialize(parse_context) @parse_context = parse_context @body = new_body end def nodelist @body.nodelist end def parse(tokenizer, parse_context) while parse_body(tokenizer) end @body.freeze rescue SyntaxError => e e.line_number ||= parse_context.line_number raise end def unknown_tag(tag, _markup, _tokenizer) case tag when 'else', 'end' raise SyntaxError, parse_context.locale.t("errors.syntax.unexpected_outer_tag", tag: tag) else raise SyntaxError, parse_context.locale.t("errors.syntax.unknown_tag", tag: tag) end end def render_to_output_buffer(context, output) @body.render_to_output_buffer(context, output) end def render(context) render_to_output_buffer(context, +'') end private def new_body parse_context.new_block_body end def parse_body(tokenizer) @body.parse(tokenizer, parse_context) do |unknown_tag_name, unknown_tag_markup| if unknown_tag_name unknown_tag(unknown_tag_name, unknown_tag_markup, tokenizer) true else false end end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/template_factory.rb
lib/liquid/template_factory.rb
# frozen_string_literal: true module Liquid class TemplateFactory def for(_template_name) Liquid::Template.new end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags.rb
lib/liquid/tags.rb
# frozen_string_literal: true require_relative "tags/table_row" require_relative "tags/echo" require_relative "tags/if" require_relative "tags/break" require_relative "tags/inline_comment" require_relative "tags/for" require_relative "tags/assign" require_relative "tags/ifchanged" require_relative "tags/case" require_relative "tags/include" require_relative "tags/continue" require_relative "tags/capture" require_relative "tags/decrement" require_relative "tags/unless" require_relative "tags/increment" require_relative "tags/comment" require_relative "tags/raw" require_relative "tags/render" require_relative "tags/cycle" require_relative "tags/doc" module Liquid module Tags STANDARD_TAGS = { 'cycle' => Cycle, 'render' => Render, 'raw' => Raw, 'comment' => Comment, 'increment' => Increment, 'unless' => Unless, 'decrement' => Decrement, 'capture' => Capture, 'continue' => Continue, 'include' => Include, 'case' => Case, 'ifchanged' => Ifchanged, 'assign' => Assign, 'for' => For, '#' => InlineComment, 'break' => Break, 'if' => If, 'echo' => Echo, 'tablerow' => TableRow, 'doc' => Doc, }.freeze end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/condition.rb
lib/liquid/condition.rb
# frozen_string_literal: true module Liquid # Container for liquid nodes which conveniently wraps decision making logic # # Example: # # c = Condition.new(1, '==', 1) # c.evaluate #=> true # class Condition # :nodoc: @@operators = { '==' => ->(cond, left, right) { cond.send(:equal_variables, left, right) }, '!=' => ->(cond, left, right) { !cond.send(:equal_variables, left, right) }, '<>' => ->(cond, left, right) { !cond.send(:equal_variables, left, right) }, '<' => :<, '>' => :>, '>=' => :>=, '<=' => :<=, 'contains' => lambda do |_cond, left, right| if left && right && left.respond_to?(:include?) right = right.to_s if left.is_a?(String) left.include?(right) else false end rescue Encoding::CompatibilityError # "✅".b.include?("✅") raises Encoding::CompatibilityError despite being materially equal left.b.include?(right.b) end, } class MethodLiteral attr_reader :method_name, :to_s def initialize(method_name, to_s) @method_name = method_name @to_s = to_s end end @@method_literals = { 'blank' => MethodLiteral.new(:blank?, '').freeze, 'empty' => MethodLiteral.new(:empty?, '').freeze, } def self.operators @@operators end def self.parse_expression(parse_context, markup, safe: false) @@method_literals[markup] || parse_context.parse_expression(markup, safe: safe) end attr_reader :attachment, :child_condition attr_accessor :left, :operator, :right def initialize(left = nil, operator = nil, right = nil) @left = left @operator = operator @right = right @child_relation = nil @child_condition = nil end def evaluate(context = deprecated_default_context) condition = self result = nil loop do result = interpret_condition(condition.left, condition.right, condition.operator, context) case condition.child_relation when :or break if Liquid::Utils.to_liquid_value(result) when :and break unless Liquid::Utils.to_liquid_value(result) else break end condition = condition.child_condition end result end def or(condition) @child_relation = :or @child_condition = condition end def and(condition) @child_relation = :and @child_condition = condition end def attach(attachment) @attachment = attachment end def else? false end def inspect "#<Condition #{[@left, @operator, @right].compact.join(' ')}>" end protected attr_reader :child_relation private def equal_variables(left, right) if left.is_a?(MethodLiteral) return call_method_literal(left, right) end if right.is_a?(MethodLiteral) return call_method_literal(right, left) end left == right end def call_method_literal(literal, value) method_name = literal.method_name # If the object responds to the method, use it if value.respond_to?(method_name) return value.send(method_name) end # Implement blank?/empty? for common types that don't have it # (ActiveSupport adds these, but Liquid should work without it) case method_name when :blank? liquid_blank?(value) when :empty? liquid_empty?(value) end end # Implement blank? semantics matching ActiveSupport def liquid_blank?(value) case value when NilClass, FalseClass true when TrueClass, Numeric false when String # Blank if empty or whitespace only value.empty? || value.match?(/\A\s*\z/) when Array, Hash value.empty? else # Fall back to empty? if available, otherwise false value.respond_to?(:empty?) ? value.empty? : false end end # Implement empty? semantics # Note: nil is NOT empty (but IS blank). empty? checks if a collection has zero elements. def liquid_empty?(value) case value when String, Array, Hash value.empty? else value.respond_to?(:empty?) ? value.empty? : false end end def interpret_condition(left, right, op, context) # If the operator is empty this means that the decision statement is just # a single variable. We can just poll this variable from the context and # return this as the result. return context.evaluate(left) if op.nil? left = Liquid::Utils.to_liquid_value(context.evaluate(left)) right = Liquid::Utils.to_liquid_value(context.evaluate(right)) operation = self.class.operators[op] || raise(Liquid::ArgumentError, "Unknown operator #{op}") if operation.respond_to?(:call) operation.call(self, left, right) elsif left.respond_to?(operation) && right.respond_to?(operation) && !left.is_a?(Hash) && !right.is_a?(Hash) begin left.send(operation, right) rescue ::ArgumentError => e raise Liquid::ArgumentError, e.message end end end def deprecated_default_context warn("DEPRECATION WARNING: Condition#evaluate without a context argument is deprecated " \ "and will be removed from Liquid 6.0.0.") Context.new end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children [ @node.left, @node.right, @node.child_condition, @node.attachment ].compact end end end class ElseCondition < Condition def else? true end def evaluate(_context) true end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/block.rb
lib/liquid/block.rb
# frozen_string_literal: true module Liquid class Block < Tag MAX_DEPTH = 100 def initialize(tag_name, markup, options) super @blank = true end def parse(tokens) @body = new_body while parse_body(@body, tokens) end @body.freeze end # For backwards compatibility def render(context) @body.render(context) end def blank? @blank end def nodelist @body.nodelist end def unknown_tag(tag_name, _markup, _tokenizer) Block.raise_unknown_tag(tag_name, block_name, block_delimiter, parse_context) end # @api private def self.raise_unknown_tag(tag, block_name, block_delimiter, parse_context) if tag == 'else' raise SyntaxError, parse_context.locale.t( "errors.syntax.unexpected_else", block_name: block_name, ) elsif tag.start_with?('end') raise SyntaxError, parse_context.locale.t( "errors.syntax.invalid_delimiter", tag: tag, block_name: block_name, block_delimiter: block_delimiter, ) else raise SyntaxError, parse_context.locale.t("errors.syntax.unknown_tag", tag: tag) end end def raise_tag_never_closed(block_name) raise SyntaxError, parse_context.locale.t("errors.syntax.tag_never_closed", block_name: block_name) end def block_name @tag_name end def block_delimiter @block_delimiter ||= "end#{block_name}" end private # @api public def new_body parse_context.new_block_body end # @api public def parse_body(body, tokens) if parse_context.depth >= MAX_DEPTH raise StackLevelError, "Nesting too deep" end parse_context.depth += 1 begin body.parse(tokens, parse_context) do |end_tag_name, end_tag_params| @blank &&= body.blank? return false if end_tag_name == block_delimiter raise_tag_never_closed(block_name) unless end_tag_name # this tag is not registered with the system # pass it to the current block for special handling or error reporting unknown_tag(end_tag_name, end_tag_params, tokens) end ensure parse_context.depth -= 1 end true end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/profiler/hooks.rb
lib/liquid/profiler/hooks.rb
# frozen_string_literal: true module Liquid module BlockBodyProfilingHook def render_node(context, output, node) if (profiler = context.profiler) profiler.profile_node(context.template_name, code: node.raw, line_number: node.line_number) do super end else super end end end BlockBody.prepend(BlockBodyProfilingHook) module DocumentProfilingHook def render_to_output_buffer(context, output) return super unless context.profiler context.profiler.profile(context.template_name) { super } end end Document.prepend(DocumentProfilingHook) module ContextProfilingHook attr_accessor :profiler def new_isolated_subcontext new_context = super new_context.profiler = profiler new_context end end Context.prepend(ContextProfilingHook) end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/assign.rb
lib/liquid/tags/assign.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category variable # @liquid_name assign # @liquid_summary # Creates a new variable. # @liquid_description # You can create variables of any [basic type](/docs/api/liquid/basics#types), [object](/docs/api/liquid/objects), or object property. # # > Caution: # > Predefined Liquid objects can be overridden by variables with the same name. # > To make sure that you can access all Liquid objects, make sure that your variable name doesn't match a predefined object's name. # @liquid_syntax # {% assign variable_name = value %} # @liquid_syntax_keyword variable_name The name of the variable being created. # @liquid_syntax_keyword value The value you want to assign to the variable. class Assign < Tag Syntax = /(#{VariableSignature}+)\s*=\s*(.*)\s*/om # @api private def self.raise_syntax_error(parse_context) raise Liquid::SyntaxError, parse_context.locale.t('errors.syntax.assign') end attr_reader :to, :from def initialize(tag_name, markup, parse_context) super if markup =~ Syntax @to = Regexp.last_match(1) @from = Variable.new(Regexp.last_match(2), parse_context) else self.class.raise_syntax_error(parse_context) end end def render_to_output_buffer(context, output) val = @from.render(context) context.scopes.last[@to] = val context.resource_limits.increment_assign_score(assign_score_of(val)) output end def blank? true end private def assign_score_of(val) if val.instance_of?(String) val.bytesize elsif val.instance_of?(Array) sum = 1 # Uses #each to avoid extra allocations. val.each { |child| sum += assign_score_of(child) } sum elsif val.instance_of?(Hash) sum = 1 val.each do |key, entry_value| sum += assign_score_of(key) sum += assign_score_of(entry_value) end sum else 1 end end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children [@node.from] end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/for.rb
lib/liquid/tags/for.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category iteration # @liquid_name for # @liquid_summary # Renders an expression for every item in an array. # @liquid_description # You can do a maximum of 50 iterations with a `for` loop. If you need to iterate over more than 50 items, then use the # [`paginate` tag](/docs/api/liquid/tags/paginate) to split the items over multiple pages. # # > Tip: # > Every `for` loop has an associated [`forloop` object](/docs/api/liquid/objects/forloop) with information about the loop. # @liquid_syntax # {% for variable in array %} # expression # {% endfor %} # @liquid_syntax_keyword variable The current item in the array. # @liquid_syntax_keyword array The array to iterate over. # @liquid_syntax_keyword expression The expression to render for each iteration. # @liquid_optional_param limit: [number] The number of iterations to perform. # @liquid_optional_param offset: [number] The 1-based index to start iterating at. # @liquid_optional_param range [untyped] A custom numeric range to iterate over. # @liquid_optional_param reversed [untyped] Iterate in reverse order. class For < Block Syntax = /\A(#{VariableSegment}+)\s+in\s+(#{QuotedFragment}+)\s*(reversed)?/o attr_reader :collection_name, :variable_name, :limit, :from def initialize(tag_name, markup, options) super @from = @limit = nil parse_with_selected_parser(markup) @for_block = new_body @else_block = nil end def parse(tokens) if parse_body(@for_block, tokens) parse_body(@else_block, tokens) end if blank? @else_block&.remove_blank_strings @for_block.remove_blank_strings end @else_block&.freeze @for_block.freeze end def nodelist @else_block ? [@for_block, @else_block] : [@for_block] end def unknown_tag(tag, markup, tokens) return super unless tag == 'else' @else_block = new_body end def render_to_output_buffer(context, output) segment = collection_segment(context) if segment.empty? render_else(context, output) else render_segment(context, output, segment) end output end protected def lax_parse(markup) if markup =~ Syntax @variable_name = Regexp.last_match(1) collection_name = Regexp.last_match(2) @reversed = !!Regexp.last_match(3) @name = "#{@variable_name}-#{collection_name}" @collection_name = parse_expression(collection_name) markup.scan(TagAttributes) do |key, value| set_attribute(key, value) end else raise SyntaxError, options[:locale].t("errors.syntax.for") end end def strict_parse(markup) p = @parse_context.new_parser(markup) @variable_name = p.consume(:id) raise SyntaxError, options[:locale].t("errors.syntax.for_invalid_in") unless p.id?('in') collection_name = p.expression @collection_name = parse_expression(collection_name, safe: true) @name = "#{@variable_name}-#{collection_name}" @reversed = p.id?('reversed') while p.look(:comma) || p.look(:id) p.consume?(:comma) unless (attribute = p.id?('limit') || p.id?('offset')) raise SyntaxError, options[:locale].t("errors.syntax.for_invalid_attribute") end p.consume(:colon) set_attribute(attribute, p.expression, safe: true) end p.consume(:end_of_string) end private def strict2_parse(markup) strict_parse(markup) end def collection_segment(context) offsets = context.registers[:for] ||= {} from = if @from == :continue offsets[@name].to_i else from_value = context.evaluate(@from) if from_value.nil? 0 else Utils.to_integer(from_value) end end collection = context.evaluate(@collection_name) collection = collection.to_a if collection.is_a?(Range) limit_value = context.evaluate(@limit) to = if limit_value.nil? nil else Utils.to_integer(limit_value) + from end segment = Utils.slice_collection(collection, from, to) segment.reverse! if @reversed offsets[@name] = from + segment.length segment end def render_segment(context, output, segment) for_stack = context.registers[:for_stack] ||= [] length = segment.length context.stack do loop_vars = Liquid::ForloopDrop.new(@name, length, for_stack[-1]) for_stack.push(loop_vars) begin context['forloop'] = loop_vars segment.each do |item| context[@variable_name] = item @for_block.render_to_output_buffer(context, output) loop_vars.send(:increment!) # Handle any interrupts if they exist. next unless context.interrupt? interrupt = context.pop_interrupt break if interrupt.is_a?(BreakInterrupt) next if interrupt.is_a?(ContinueInterrupt) end ensure for_stack.pop end end output end def set_attribute(key, expr, safe: false) case key when 'offset' @from = if expr == 'continue' :continue else parse_expression(expr, safe: safe) end when 'limit' @limit = parse_expression(expr, safe: safe) end end def render_else(context, output) if @else_block @else_block.render_to_output_buffer(context, output) else output end end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children (super + [@node.limit, @node.from, @node.collection_name]).compact end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/include.rb
lib/liquid/tags/include.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category theme # @liquid_name include # @liquid_summary # Renders a [snippet](/themes/architecture/snippets). # @liquid_description # Inside the snippet, you can access and alter variables that are [created](/docs/api/liquid/tags/variable-tags) outside of the # snippet. # @liquid_syntax # {% include 'filename' %} # @liquid_syntax_keyword filename The name of the snippet to render, without the `.liquid` extension. # @liquid_deprecated # Deprecated because the way that variables are handled reduces performance and makes code harder to both read and maintain. # # The `include` tag has been replaced by [`render`](/docs/api/liquid/tags/render). class Include < Tag prepend Tag::Disableable SYNTAX = /(#{QuotedFragment}+)(\s+(?:with|for)\s+(#{QuotedFragment}+))?(\s+(?:as)\s+(#{VariableSegment}+))?/o Syntax = SYNTAX attr_reader :template_name_expr, :variable_name_expr, :attributes def initialize(tag_name, markup, options) super parse_with_selected_parser(markup) end def parse(_tokens) end def render_to_output_buffer(context, output) template_name = context.evaluate(@template_name_expr) raise ArgumentError, options[:locale].t("errors.argument.include") unless template_name.is_a?(String) partial = PartialCache.load( template_name, context: context, parse_context: parse_context, ) context_variable_name = @alias_name || template_name.split('/').last variable = if @variable_name_expr context.evaluate(@variable_name_expr) else context.find_variable(template_name, raise_on_not_found: false) end old_template_name = context.template_name old_partial = context.partial begin context.template_name = partial.name context.partial = true context.stack do @attributes.each do |key, value| context[key] = context.evaluate(value) end if variable.is_a?(Array) variable.each do |var| context[context_variable_name] = var partial.render_to_output_buffer(context, output) end else context[context_variable_name] = variable partial.render_to_output_buffer(context, output) end end ensure context.template_name = old_template_name context.partial = old_partial end output end alias_method :parse_context, :options private :parse_context def strict2_parse(markup) p = @parse_context.new_parser(markup) @template_name_expr = safe_parse_expression(p) @variable_name_expr = safe_parse_expression(p) if p.id?("for") || p.id?("with") @alias_name = p.consume(:id) if p.id?("as") p.consume?(:comma) @attributes = {} while p.look(:id) key = p.consume p.consume(:colon) @attributes[key] = safe_parse_expression(p) p.consume?(:comma) end p.consume(:end_of_string) end def strict_parse(markup) lax_parse(markup) end def lax_parse(markup) if markup =~ SYNTAX template_name = Regexp.last_match(1) variable_name = Regexp.last_match(3) @alias_name = Regexp.last_match(5) @variable_name_expr = variable_name ? parse_expression(variable_name) : nil @template_name_expr = parse_expression(template_name) @attributes = {} markup.scan(TagAttributes) do |key, value| @attributes[key] = parse_expression(value) end else raise SyntaxError, options[:locale].t("errors.syntax.include") end end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children [ @node.template_name_expr, @node.variable_name_expr, ] + @node.attributes.values end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/unless.rb
lib/liquid/tags/unless.rb
# frozen_string_literal: true require_relative 'if' module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category conditional # @liquid_name unless # @liquid_summary # Renders an expression unless a specific condition is `true`. # @liquid_description # > Tip: # > Similar to the [`if` tag](/docs/api/liquid/tags/if), you can use `elsif` to add more conditions to an `unless` tag. # @liquid_syntax # {% unless condition %} # expression # {% endunless %} # @liquid_syntax_keyword condition The condition to evaluate. # @liquid_syntax_keyword expression The expression to render unless the condition is met. class Unless < If def render_to_output_buffer(context, output) # First condition is interpreted backwards ( if not ) first_block = @blocks.first result = Liquid::Utils.to_liquid_value( first_block.evaluate(context), ) unless result return first_block.attachment.render_to_output_buffer(context, output) end # After the first condition unless works just like if @blocks[1..-1].each do |block| result = Liquid::Utils.to_liquid_value( block.evaluate(context), ) if result return block.attachment.render_to_output_buffer(context, output) end end output end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/capture.rb
lib/liquid/tags/capture.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category variable # @liquid_name capture # @liquid_summary # Creates a new variable with a string value. # @liquid_description # You can create complex strings with Liquid logic and variables. # # > Caution: # > Predefined Liquid objects can be overridden by variables with the same name. # > To make sure that you can access all Liquid objects, make sure that your variable name doesn't match a predefined object's name. # @liquid_syntax # {% capture variable %} # value # {% endcapture %} # @liquid_syntax_keyword variable The name of the variable being created. # @liquid_syntax_keyword value The value you want to assign to the variable. class Capture < Block Syntax = /(#{VariableSignature}+)/o def initialize(tag_name, markup, options) super if markup =~ Syntax @to = Regexp.last_match(1) else raise SyntaxError, options[:locale].t("errors.syntax.capture") end end def render_to_output_buffer(context, output) context.resource_limits.with_capture do capture_output = render(context) context.scopes.last[@to] = capture_output end output end def blank? true end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/echo.rb
lib/liquid/tags/echo.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category syntax # @liquid_name echo # @liquid_summary # Outputs an expression. # @liquid_description # Using the `echo` tag is the same as wrapping an expression in curly brackets (`{{` and `}}`). However, unlike the curly # bracket method, you can use the `echo` tag inside [`liquid` tags](/docs/api/liquid/tags/liquid). # # > Tip: # > You can use [filters](/docs/api/liquid/filters) on expressions inside `echo` tags. # @liquid_syntax # {% liquid # echo expression # %} # @liquid_syntax_keyword expression The expression to be output. class Echo < Tag attr_reader :variable def initialize(tag_name, markup, parse_context) super @variable = Variable.new(markup, parse_context) end def render(context) @variable.render_to_output_buffer(context, +'') end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children [@node.variable] end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/doc.rb
lib/liquid/tags/doc.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category syntax # @liquid_name doc # @liquid_summary # Documents template elements with annotations. # @liquid_description # The `doc` tag allows developers to include documentation within Liquid # templates. Any content inside `doc` tags is not rendered or outputted. # Liquid code inside will be parsed but not executed. This facilitates # tooling support for features like code completion, linting, and inline # documentation. # # For detailed documentation syntax and examples, see the # [`LiquidDoc` reference](/docs/storefronts/themes/tools/liquid-doc). # # @liquid_syntax # {% doc %} # Renders a message. # # @param {string} foo - A string value. # @param {string} [bar] - An optional string value. # # @example # {% render 'message', foo: 'Hello', bar: 'World' %} # {% enddoc %} class Doc < Block NO_UNEXPECTED_ARGS = /\A\s*\z/ def initialize(tag_name, markup, parse_context) super ensure_valid_markup(tag_name, markup, parse_context) end def parse(tokens) @body = +"" while (token = tokens.shift) tag_name = token =~ BlockBody::FullTokenPossiblyInvalid && Regexp.last_match(2) raise_nested_doc_error if tag_name == @tag_name if tag_name == block_delimiter parse_context.trim_whitespace = (token[-3] == WhitespaceControl) @body << Regexp.last_match(1) if Regexp.last_match(1) != "" return end @body << token unless token.empty? end raise_tag_never_closed(block_name) end def render_to_output_buffer(_context, output) output end def blank? @body.empty? end def nodelist [@body] end private def ensure_valid_markup(tag_name, markup, parse_context) unless NO_UNEXPECTED_ARGS.match?(markup) raise SyntaxError, parse_context.locale.t("errors.syntax.block_tag_unexpected_args", tag: tag_name) end end def raise_nested_doc_error raise SyntaxError, parse_context.locale.t("errors.syntax.doc_invalid_nested") end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/cycle.rb
lib/liquid/tags/cycle.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category iteration # @liquid_name cycle # @liquid_summary # Loops through a group of strings and outputs them one at a time for each iteration of a [`for` loop](/docs/api/liquid/tags/for). # @liquid_description # The `cycle` tag must be used inside a `for` loop. # # > Tip: # > Use the `cycle` tag to output text in a predictable pattern. For example, to apply odd/even classes to rows in a table. # @liquid_syntax # {% cycle string, string, ... %} class Cycle < Tag SimpleSyntax = /\A#{QuotedFragment}+/o NamedSyntax = /\A(#{QuotedFragment})\s*\:\s*(.*)/om UNNAMED_CYCLE_PATTERN = /\w+:0x\h{8}/ attr_reader :variables def initialize(tag_name, markup, options) super parse_with_selected_parser(markup) end def named? @is_named end def render_to_output_buffer(context, output) context.registers[:cycle] ||= {} key = context.evaluate(@name) iteration = context.registers[:cycle][key].to_i val = context.evaluate(@variables[iteration]) if val.is_a?(Array) val = val.join elsif !val.is_a?(String) val = val.to_s end output << val iteration += 1 iteration = 0 if iteration >= @variables.size context.registers[:cycle][key] = iteration output end private # cycle [name:] expression(, expression)* def strict2_parse(markup) p = @parse_context.new_parser(markup) @variables = [] raise SyntaxError, options[:locale].t("errors.syntax.cycle") if p.look(:end_of_string) first_expression = safe_parse_expression(p) if p.look(:colon) # cycle name: expr1, expr2, ... @name = first_expression @is_named = true p.consume(:colon) # After the colon, parse the first variable (required for named cycles) @variables << maybe_dup_lookup(safe_parse_expression(p)) else # cycle expr1, expr2, ... @variables << maybe_dup_lookup(first_expression) end # Parse remaining comma-separated expressions while p.consume?(:comma) break if p.look(:end_of_string) @variables << maybe_dup_lookup(safe_parse_expression(p)) end p.consume(:end_of_string) unless @is_named @name = @variables.to_s @is_named = !@name.match?(UNNAMED_CYCLE_PATTERN) end end def strict_parse(markup) lax_parse(markup) end def lax_parse(markup) case markup when NamedSyntax @variables = variables_from_string(Regexp.last_match(2)) @name = parse_expression(Regexp.last_match(1)) @is_named = true when SimpleSyntax @variables = variables_from_string(markup) @name = @variables.to_s @is_named = !@name.match?(UNNAMED_CYCLE_PATTERN) else raise SyntaxError, options[:locale].t("errors.syntax.cycle") end end def variables_from_string(markup) markup.split(',').collect do |var| var =~ /\s*(#{QuotedFragment})\s*/o next unless Regexp.last_match(1) var = parse_expression(Regexp.last_match(1)) maybe_dup_lookup(var) end.compact end # For backwards compatibility, whenever a lookup is used in an unnamed cycle, # we make it so that the @variables.to_s produces different strings for cycles # called with the same arguments (since @variables.to_s is used as the cycle counter key) # This makes it so {% cycle a, b %} and {% cycle a, b %} have independent counters even if a and b share value. # This is not true for literal values, {% cycle "a", "b" %} and {% cycle "a", "b" %} share the same counter. # I was really scratching my head about this one, but migrating away from this would be more headache # than it's worth. So we're keeping this quirk for now. def maybe_dup_lookup(var) var.is_a?(VariableLookup) ? var.dup : var end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children Array(@node.variables) end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/raw.rb
lib/liquid/tags/raw.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category syntax # @liquid_name raw # @liquid_summary # Outputs any Liquid code as text instead of rendering it. # @liquid_syntax # {% raw %} # expression # {% endraw %} # @liquid_syntax_keyword expression The expression to be output without being rendered. class Raw < Block Syntax = /\A\s*\z/ def initialize(tag_name, markup, parse_context) super ensure_valid_markup(tag_name, markup, parse_context) end def parse(tokens) @body = +'' while (token = tokens.shift) if token =~ BlockBody::FullTokenPossiblyInvalid && block_delimiter == Regexp.last_match(2) parse_context.trim_whitespace = (token[-3] == WhitespaceControl) @body << Regexp.last_match(1) if Regexp.last_match(1) != "" return end @body << token unless token.empty? end raise_tag_never_closed(block_name) end def render_to_output_buffer(_context, output) output << @body output end def nodelist [@body] end def blank? @body.empty? end protected def ensure_valid_markup(tag_name, markup, parse_context) unless Syntax.match?(markup) raise SyntaxError, parse_context.locale.t("errors.syntax.tag_unexpected_args", tag: tag_name) end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/render.rb
lib/liquid/tags/render.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category theme # @liquid_name render # @liquid_summary # Renders a [snippet](/themes/architecture/snippets) or [app block](/themes/architecture/sections/section-schema#render-app-blocks). # @liquid_description # Inside snippets and app blocks, you can't directly access variables that are [created](/docs/api/liquid/tags/variable-tags) outside # of the snippet or app block. However, you can [specify variables as parameters](/docs/api/liquid/tags/render#render-passing-variables-to-a-snippet) # to pass outside variables to snippets. # # While you can't directly access created variables, you can access global objects, as well as any objects that are # directly accessible outside the snippet or app block. For example, a snippet or app block inside the [product template](/themes/architecture/templates/product) # can access the [`product` object](/docs/api/liquid/objects/product), and a snippet or app block inside a [section](/themes/architecture/sections) # can access the [`section` object](/docs/api/liquid/objects/section). # # Outside a snippet or app block, you can't access variables created inside the snippet or app block. # # > Note: # > When you render a snippet using the `render` tag, you can't use the [`include` tag](/docs/api/liquid/tags/include) # > inside the snippet. # @liquid_syntax # {% render 'filename' %} # @liquid_syntax_keyword filename The name of the snippet to render, without the `.liquid` extension. class Render < Tag FOR = 'for' SYNTAX = /(#{QuotedString}+)(\s+(with|#{FOR})\s+(#{QuotedFragment}+))?(\s+(?:as)\s+(#{VariableSegment}+))?/o disable_tags "include" attr_reader :template_name_expr, :variable_name_expr, :attributes, :alias_name def initialize(tag_name, markup, options) super parse_with_selected_parser(markup) end def for_loop? @is_for_loop end def render_to_output_buffer(context, output) render_tag(context, output) end def render_tag(context, output) # The expression should be a String literal, which parses to a String object template_name = @template_name_expr raise ::ArgumentError unless template_name.is_a?(String) partial = PartialCache.load( template_name, context: context, parse_context: parse_context, ) context_variable_name = @alias_name || template_name.split('/').last render_partial_func = ->(var, forloop) { inner_context = context.new_isolated_subcontext inner_context.template_name = partial.name inner_context.partial = true inner_context['forloop'] = forloop if forloop @attributes.each do |key, value| inner_context[key] = context.evaluate(value) end inner_context[context_variable_name] = var unless var.nil? partial.render_to_output_buffer(inner_context, output) forloop&.send(:increment!) } variable = @variable_name_expr ? context.evaluate(@variable_name_expr) : nil if @is_for_loop && variable.respond_to?(:each) && variable.respond_to?(:count) forloop = Liquid::ForloopDrop.new(template_name, variable.count, nil) variable.each { |var| render_partial_func.call(var, forloop) } else render_partial_func.call(variable, nil) end output end # render (string) (with|for expression)? (as id)? (key: value)* def strict2_parse(markup) p = @parse_context.new_parser(markup) @template_name_expr = parse_expression(strict2_template_name(p), safe: true) with_or_for = p.id?("for") || p.id?("with") @variable_name_expr = safe_parse_expression(p) if with_or_for @alias_name = p.consume(:id) if p.id?("as") @is_for_loop = (with_or_for == FOR) p.consume?(:comma) @attributes = {} while p.look(:id) key = p.consume p.consume(:colon) @attributes[key] = safe_parse_expression(p) p.consume?(:comma) end p.consume(:end_of_string) end def strict2_template_name(p) p.consume(:string) end def strict_parse(markup) lax_parse(markup) end def lax_parse(markup) raise SyntaxError, options[:locale].t("errors.syntax.render") unless markup =~ SYNTAX template_name = Regexp.last_match(1) with_or_for = Regexp.last_match(3) variable_name = Regexp.last_match(4) @alias_name = Regexp.last_match(6) @variable_name_expr = variable_name ? parse_expression(variable_name) : nil @template_name_expr = parse_expression(template_name) @is_for_loop = (with_or_for == FOR) @attributes = {} markup.scan(TagAttributes) do |key, value| @attributes[key] = parse_expression(value) end end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children [ @node.template_name_expr, @node.variable_name_expr, ] + @node.attributes.values end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/comment.rb
lib/liquid/tags/comment.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category syntax # @liquid_name comment # @liquid_summary # Prevents an expression from being rendered or output. # @liquid_description # Any text inside `comment` tags won't be output, and any Liquid code will be parsed, but not executed. # @liquid_syntax # {% comment %} # content # {% endcomment %} # @liquid_syntax_keyword content The content of the comment. class Comment < Block def render_to_output_buffer(_context, output) output end def unknown_tag(_tag, _markup, _tokens) end def blank? true end private def parse_body(body, tokenizer) if parse_context.depth >= MAX_DEPTH raise StackLevelError, "Nesting too deep" end parse_context.depth += 1 comment_tag_depth = 1 begin # Consume tokens without creating child nodes. # The children tag doesn't require to be a valid Liquid except the comment and raw tag. # The child comment and raw tag must be closed. while (token = tokenizer.send(:shift)) tag_name = if tokenizer.for_liquid_tag next if token.empty? || token.match?(BlockBody::WhitespaceOrNothing) tag_name_match = BlockBody::LiquidTagToken.match(token) next if tag_name_match.nil? tag_name_match[1] else token =~ BlockBody::FullToken Regexp.last_match(2) end case tag_name when "raw" parse_raw_tag_body(tokenizer) when "comment" comment_tag_depth += 1 when "endcomment" comment_tag_depth -= 1 end if comment_tag_depth.zero? parse_context.trim_whitespace = (token[-3] == WhitespaceControl) unless tokenizer.for_liquid_tag return false end end raise_tag_never_closed(block_name) ensure parse_context.depth -= 1 end false end def parse_raw_tag_body(tokenizer) while (token = tokenizer.send(:shift)) return if token =~ BlockBody::FullTokenPossiblyInvalid && "endraw" == Regexp.last_match(2) end raise_tag_never_closed("raw") end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/case.rb
lib/liquid/tags/case.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category conditional # @liquid_name case # @liquid_summary # Renders a specific expression depending on the value of a specific variable. # @liquid_syntax # {% case variable %} # {% when first_value %} # first_expression # {% when second_value %} # second_expression # {% else %} # third_expression # {% endcase %} # @liquid_syntax_keyword variable The name of the variable you want to base your case statement on. # @liquid_syntax_keyword first_value A specific value to check for. # @liquid_syntax_keyword second_value A specific value to check for. # @liquid_syntax_keyword first_expression An expression to be rendered when the variable's value matches `first_value`. # @liquid_syntax_keyword second_expression An expression to be rendered when the variable's value matches `second_value`. # @liquid_syntax_keyword third_expression An expression to be rendered when the variable's value has no match. class Case < Block Syntax = /(#{QuotedFragment})/o WhenSyntax = /(#{QuotedFragment})(?:(?:\s+or\s+|\s*\,\s*)(#{QuotedFragment}.*))?/om attr_reader :blocks, :left def initialize(tag_name, markup, options) super @blocks = [] parse_with_selected_parser(markup) end def parse(tokens) body = case_body = new_body body = @blocks.last.attachment while parse_body(body, tokens) @blocks.reverse_each do |condition| body = condition.attachment unless body.frozen? body.remove_blank_strings if blank? body.freeze end end case_body.freeze end def nodelist @blocks.map(&:attachment) end def unknown_tag(tag, markup, tokens) case tag when 'when' record_when_condition(markup) when 'else' record_else_condition(markup) else super end end def render_to_output_buffer(context, output) execute_else_block = true @blocks.each do |block| if block.else? block.attachment.render_to_output_buffer(context, output) if execute_else_block next end result = Liquid::Utils.to_liquid_value( block.evaluate(context), ) if result execute_else_block = false block.attachment.render_to_output_buffer(context, output) end end output end private def strict2_parse(markup) parser = @parse_context.new_parser(markup) @left = safe_parse_expression(parser) parser.consume(:end_of_string) end def strict_parse(markup) lax_parse(markup) end def lax_parse(markup) if markup =~ Syntax @left = parse_expression(Regexp.last_match(1)) else raise SyntaxError, options[:locale].t("errors.syntax.case") end end def record_when_condition(markup) body = new_body if strict2_mode? parse_strict2_when(markup, body) else parse_lax_when(markup, body) end end def parse_strict2_when(markup, body) parser = @parse_context.new_parser(markup) loop do expr = Condition.parse_expression(parse_context, parser.expression, safe: true) block = Condition.new(@left, '==', expr) block.attach(body) @blocks << block break unless parser.id?('or') || parser.consume?(:comma) end parser.consume(:end_of_string) end def parse_lax_when(markup, body) while markup unless markup =~ WhenSyntax raise SyntaxError, options[:locale].t("errors.syntax.case_invalid_when") end markup = Regexp.last_match(2) block = Condition.new(@left, '==', Condition.parse_expression(parse_context, Regexp.last_match(1))) block.attach(body) @blocks << block end end def record_else_condition(markup) unless markup.strip.empty? raise SyntaxError, options[:locale].t("errors.syntax.case_invalid_else") end block = ElseCondition.new block.attach(new_body) @blocks << block end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children [@node.left] + @node.blocks end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/table_row.rb
lib/liquid/tags/table_row.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category iteration # @liquid_name tablerow # @liquid_summary # Generates HTML table rows for every item in an array. # @liquid_description # The `tablerow` tag must be wrapped in HTML `<table>` and `</table>` tags. # # > Tip: # > Every `tablerow` loop has an associated [`tablerowloop` object](/docs/api/liquid/objects/tablerowloop) with information about the loop. # @liquid_syntax # {% tablerow variable in array %} # expression # {% endtablerow %} # @liquid_syntax_keyword variable The current item in the array. # @liquid_syntax_keyword array The array to iterate over. # @liquid_syntax_keyword expression The expression to render. # @liquid_optional_param cols: [number] The number of columns that the table should have. # @liquid_optional_param limit: [number] The number of iterations to perform. # @liquid_optional_param offset: [number] The 1-based index to start iterating at. # @liquid_optional_param range [untyped] A custom numeric range to iterate over. class TableRow < Block Syntax = /(\w+)\s+in\s+(#{QuotedFragment}+)/o ALLOWED_ATTRIBUTES = ['cols', 'limit', 'offset', 'range'].freeze attr_reader :variable_name, :collection_name, :attributes def initialize(tag_name, markup, options) super parse_with_selected_parser(markup) end def strict2_parse(markup) p = @parse_context.new_parser(markup) @variable_name = p.consume(:id) unless p.id?("in") raise SyntaxError, options[:locale].t("errors.syntax.for_invalid_in") end @collection_name = safe_parse_expression(p) p.consume?(:comma) @attributes = {} while p.look(:id) key = p.consume unless ALLOWED_ATTRIBUTES.include?(key) raise SyntaxError, options[:locale].t("errors.syntax.table_row_invalid_attribute", attribute: key) end p.consume(:colon) @attributes[key] = safe_parse_expression(p) p.consume?(:comma) end p.consume(:end_of_string) end def strict_parse(markup) lax_parse(markup) end def lax_parse(markup) if markup =~ Syntax @variable_name = Regexp.last_match(1) @collection_name = parse_expression(Regexp.last_match(2)) @attributes = {} markup.scan(TagAttributes) do |key, value| @attributes[key] = parse_expression(value) end else raise SyntaxError, options[:locale].t("errors.syntax.table_row") end end def render_to_output_buffer(context, output) (collection = context.evaluate(@collection_name)) || (return '') from = @attributes.key?('offset') ? to_integer(context.evaluate(@attributes['offset'])) : 0 to = @attributes.key?('limit') ? from + to_integer(context.evaluate(@attributes['limit'])) : nil collection = Utils.slice_collection(collection, from, to) length = collection.length cols = @attributes.key?('cols') ? to_integer(context.evaluate(@attributes['cols'])) : length output << "<tr class=\"row1\">\n" context.stack do tablerowloop = Liquid::TablerowloopDrop.new(length, cols) context['tablerowloop'] = tablerowloop collection.each do |item| context[@variable_name] = item output << "<td class=\"col#{tablerowloop.col}\">" super output << '</td>' # Handle any interrupts if they exist. if context.interrupt? interrupt = context.pop_interrupt break if interrupt.is_a?(BreakInterrupt) end if tablerowloop.col_last && !tablerowloop.last output << "</tr>\n<tr class=\"row#{tablerowloop.row + 1}\">" end tablerowloop.send(:increment!) end end output << "</tr>\n" output end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children super + @node.attributes.values + [@node.collection_name] end end private def to_integer(value) value.to_i rescue NoMethodError raise Liquid::ArgumentError, "invalid integer" end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/increment.rb
lib/liquid/tags/increment.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category variable # @liquid_name increment # @liquid_summary # Creates a new variable, with a default value of 0, that's increased by 1 with each subsequent call. # # > Caution: # > Predefined Liquid objects can be overridden by variables with the same name. # > To make sure that you can access all Liquid objects, make sure that your variable name doesn't match a predefined object's name. # @liquid_description # Variables that are declared with `increment` are unique to the [layout](/themes/architecture/layouts), [template](/themes/architecture/templates), # or [section](/themes/architecture/sections) file that they're created in. However, the variable is shared across # [snippets](/themes/architecture/snippets) included in the file. # # Similarly, variables that are created with `increment` are independent from those created with [`assign`](/docs/api/liquid/tags/assign) # and [`capture`](/docs/api/liquid/tags/capture). However, `increment` and [`decrement`](/docs/api/liquid/tags/decrement) share # variables. # @liquid_syntax # {% increment variable_name %} # @liquid_syntax_keyword variable_name The name of the variable being incremented. class Increment < Tag attr_reader :variable_name def initialize(tag_name, markup, options) super @variable_name = markup.strip end def render_to_output_buffer(context, output) counter_environment = context.environments.first value = counter_environment[@variable_name] || 0 counter_environment[@variable_name] = value + 1 output << value.to_s output end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/continue.rb
lib/liquid/tags/continue.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category iteration # @liquid_name continue # @liquid_summary # Causes a [`for` loop](/docs/api/liquid/tags/for) to skip to the next iteration. # @liquid_syntax # {% continue %} class Continue < Tag INTERRUPT = ContinueInterrupt.new.freeze def render_to_output_buffer(context, output) context.push_interrupt(INTERRUPT) output end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/inline_comment.rb
lib/liquid/tags/inline_comment.rb
# frozen_string_literal: true module Liquid class InlineComment < Tag def initialize(tag_name, markup, options) super # Semantically, a comment should only ignore everything after it on the line. # Currently, this implementation doesn't support mixing a comment with another tag # but we need to reserve future support for this and prevent the introduction # of inline comments from being backward incompatible change. # # As such, we're forcing users to put a # symbol on every line otherwise this # tag will throw an error. if markup.match?(/\n\s*[^#\s]/) raise SyntaxError, options[:locale].t("errors.syntax.inline_comment_invalid") end end def render_to_output_buffer(_context, output) output end def blank? true end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/ifchanged.rb
lib/liquid/tags/ifchanged.rb
# frozen_string_literal: true module Liquid class Ifchanged < Block def render_to_output_buffer(context, output) block_output = +'' super(context, block_output) if block_output != context.registers[:ifchanged] context.registers[:ifchanged] = block_output output << block_output end output end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/decrement.rb
lib/liquid/tags/decrement.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category variable # @liquid_name decrement # @liquid_summary # Creates a new variable, with a default value of -1, that's decreased by 1 with each subsequent call. # # > Caution: # > Predefined Liquid objects can be overridden by variables with the same name. # > To make sure that you can access all Liquid objects, make sure that your variable name doesn't match a predefined object's name. # @liquid_description # Variables that are declared with `decrement` are unique to the [layout](/themes/architecture/layouts), [template](/themes/architecture/templates), # or [section](/themes/architecture/sections) file that they're created in. However, the variable is shared across # [snippets](/themes/architecture/snippets) included in the file. # # Similarly, variables that are created with `decrement` are independent from those created with [`assign`](/docs/api/liquid/tags/assign) # and [`capture`](/docs/api/liquid/tags/capture). However, `decrement` and [`increment`](/docs/api/liquid/tags/increment) share # variables. # @liquid_syntax # {% decrement variable_name %} # @liquid_syntax_keyword variable_name The name of the variable being decremented. class Decrement < Tag attr_reader :variable_name def initialize(tag_name, markup, options) super @variable_name = markup.strip end def render_to_output_buffer(context, output) counter_environment = context.environments.first value = counter_environment[@variable_name] || 0 value -= 1 counter_environment[@variable_name] = value output << value.to_s output end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/if.rb
lib/liquid/tags/if.rb
# frozen_string_literal: true module Liquid # @liquid_public_docs # @liquid_type tag # @liquid_category conditional # @liquid_name if # @liquid_summary # Renders an expression if a specific condition is `true`. # @liquid_syntax # {% if condition %} # expression # {% endif %} # @liquid_syntax_keyword condition The condition to evaluate. # @liquid_syntax_keyword expression The expression to render if the condition is met. class If < Block Syntax = /(#{QuotedFragment})\s*([=!<>a-z_]+)?\s*(#{QuotedFragment})?/o ExpressionsAndOperators = /(?:\b(?:\s?and\s?|\s?or\s?)\b|(?:\s*(?!\b(?:\s?and\s?|\s?or\s?)\b)(?:#{QuotedFragment}|\S+)\s*)+)/o BOOLEAN_OPERATORS = %w(and or).freeze attr_reader :blocks def initialize(tag_name, markup, options) super @blocks = [] push_block('if', markup) end def nodelist @blocks.map(&:attachment) end def parse(tokens) while parse_body(@blocks.last.attachment, tokens) end @blocks.reverse_each do |block| block.attachment.remove_blank_strings if blank? block.attachment.freeze end end ELSE_TAG_NAMES = ['elsif', 'else'].freeze private_constant :ELSE_TAG_NAMES def unknown_tag(tag, markup, tokens) if ELSE_TAG_NAMES.include?(tag) push_block(tag, markup) else super end end def render_to_output_buffer(context, output) @blocks.each do |block| result = Liquid::Utils.to_liquid_value( block.evaluate(context), ) if result return block.attachment.render_to_output_buffer(context, output) end end output end private def strict2_parse(markup) strict_parse(markup) end def push_block(tag, markup) block = if tag == 'else' ElseCondition.new else parse_with_selected_parser(markup) end @blocks.push(block) block.attach(new_body) end def parse_expression(markup, safe: false) Condition.parse_expression(parse_context, markup, safe: safe) end def lax_parse(markup) expressions = markup.scan(ExpressionsAndOperators) raise SyntaxError, options[:locale].t("errors.syntax.if") unless expressions.pop =~ Syntax condition = Condition.new(parse_expression(Regexp.last_match(1)), Regexp.last_match(2), parse_expression(Regexp.last_match(3))) until expressions.empty? operator = expressions.pop.to_s.strip raise SyntaxError, options[:locale].t("errors.syntax.if") unless expressions.pop.to_s =~ Syntax new_condition = Condition.new(parse_expression(Regexp.last_match(1)), Regexp.last_match(2), parse_expression(Regexp.last_match(3))) raise SyntaxError, options[:locale].t("errors.syntax.if") unless BOOLEAN_OPERATORS.include?(operator) new_condition.send(operator, condition) condition = new_condition end condition end def strict_parse(markup) p = @parse_context.new_parser(markup) condition = parse_binary_comparisons(p) p.consume(:end_of_string) condition end def parse_binary_comparisons(p) condition = parse_comparison(p) first_condition = condition while (op = p.id?('and') || p.id?('or')) child_condition = parse_comparison(p) condition.send(op, child_condition) condition = child_condition end first_condition end def parse_comparison(p) a = parse_expression(p.expression, safe: true) if (op = p.consume?(:comparison)) b = parse_expression(p.expression, safe: true) Condition.new(a, op, b) else Condition.new(a) end end class ParseTreeVisitor < Liquid::ParseTreeVisitor def children @node.blocks end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tags/break.rb
lib/liquid/tags/break.rb
# frozen_string_literal: true module Liquid # Break tag to be used to break out of a for loop. # # == Basic Usage: # {% for item in collection %} # {% if item.condition %} # {% break %} # {% endif %} # {% endfor %} # # @liquid_public_docs # @liquid_type tag # @liquid_category iteration # @liquid_name break # @liquid_summary # Stops a [`for` loop](/docs/api/liquid/tags/for) from iterating. # @liquid_syntax # {% break %} class Break < Tag INTERRUPT = BreakInterrupt.new.freeze def render_to_output_buffer(context, output) context.push_interrupt(INTERRUPT) output end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tag/disabler.rb
lib/liquid/tag/disabler.rb
# frozen_string_literal: true module Liquid class Tag module Disabler def render_to_output_buffer(context, output) context.with_disabled_tags(self.class.disabled_tags) do super end end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
Shopify/liquid
https://github.com/Shopify/liquid/blob/a4a29f3e0836cfd04c1b55b52e92d36914424e7d/lib/liquid/tag/disableable.rb
lib/liquid/tag/disableable.rb
# frozen_string_literal: true module Liquid class Tag module Disableable def render_to_output_buffer(context, output) if context.tag_disabled?(tag_name) output << disabled_error(context) return end super end def disabled_error(context) # raise then rescue the exception so that the Context#exception_renderer can re-raise it raise DisabledError, "#{tag_name} #{parse_context[:locale].t('errors.disabled.tag')}" rescue DisabledError => exc context.handle_error(exc, line_number) end end end end
ruby
MIT
a4a29f3e0836cfd04c1b55b52e92d36914424e7d
2026-01-04T15:37:46.392600Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/spec_helper.rb
rack-protection/spec/spec_helper.rb
# frozen_string_literal: true require 'rack/protection' require 'rack/test' require 'rack' Dir[File.expand_path('support/**/*.rb', __dir__)].sort.each { |f| require f } # This file was generated by the `rspec --init` command. Conventionally, all # specs live under a `spec` directory, which RSpec adds to the `$LOAD_PATH`. # The generated `.rspec` file contains `--require spec_helper` which will cause this # file to always be loaded, without a need to explicitly require it in any files. # # Given that it is always loaded, you are encouraged to keep this file as # light-weight as possible. Requiring heavyweight dependencies from this file # will add to the boot time of your test suite on EVERY test run, even for an # individual file that may not need all of that loaded. Instead, make a # separate helper file that requires this one and then use it only in the specs # that actually need it. # # The `.rspec` file also contains a few flags that are not defaults but that # users commonly want. # # See https://rubydoc.info/gems/rspec-core/RSpec/Core/Configuration RSpec.configure do |config| # The settings below are suggested to provide a good initial experience # with RSpec, but feel free to customize to your heart's content. config.disable_monkey_patching! # These two settings work together to allow you to limit a spec run # to individual examples or groups you care about by tagging them with # `:focus` metadata. When nothing is tagged with `:focus`, all examples # get run. config.filter_run :focus config.run_all_when_everything_filtered = true # Many RSpec users commonly either run the entire suite or an individual # file, and it's useful to allow more verbose output when running an # individual spec file. if config.files_to_run.one? # Use the documentation formatter for detailed output, # unless a formatter has already been configured # (e.g. via a command-line flag). config.default_formatter = 'doc' end # Print the 10 slowest examples and example groups at the # end of the spec run, to help surface which specs are running # particularly slow. config.profile_examples = 5 # Run specs in random order to surface order dependencies. If you find an # order dependency and want to debug it, you can fix the order by providing # the seed, which is printed after each run. # --seed 1234 config.order = :random # Seed global randomization in this process using the `--seed` CLI option. # Setting this allows you to use `--seed` to deterministically reproduce # test failures related to randomization by passing the same `--seed` value # as the one that triggered the failure. Kernel.srand config.seed # rspec-expectations config goes here. You can use an alternate # assertion/expectation library such as wrong or the stdlib/minitest # assertions if you prefer. config.expect_with :rspec do |expectations| # Enable only the newer, non-monkey-patching expect syntax. # For more details, see: # - http://myronmars.to/n/dev-blog/2012/06/rspecs-new-expectation-syntax expectations.syntax = :expect end # rspec-mocks config goes here. You can use an alternate test double # library (such as bogus or mocha) by changing the `mock_with` option here. config.mock_with :rspec do |mocks| # Enable only the newer, non-monkey-patching expect syntax. # For more details, see: # - http://teaisaweso.me/blog/2013/05/27/rspecs-new-message-expectation-syntax/ mocks.syntax = :expect # Prevents you from mocking or stubbing a method that does not exist on # a real object. This is generally recommended. mocks.verify_partial_doubles = true end config.include Rack::Test::Methods config.include SpecHelpers end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/support/spec_helpers.rb
rack-protection/spec/support/spec_helpers.rb
# frozen_string_literal: true require 'forwardable' module SpecHelpers extend Forwardable def_delegators :last_response, :body, :headers, :status, :errors def_delegators :current_session, :env_for attr_writer :app def app @app ||= nil @app || mock_app(DummyApp) end def mock_app(app = nil, lint: true, &block) app = block if app.nil? && (block.arity == 1) if app klass = described_class mock_app do use Rack::Head use(Rack::Config) { |e| e['rack.session'] ||= {} } use klass run app end elsif lint @app = Rack::Lint.new Rack::Builder.new(&block).to_app else @app = Rack::Builder.new(&block).to_app end end def with_headers(headers) proc { [200, { 'content-type' => 'text/plain' }.merge(headers), ['ok']] } end def env Thread.current[:last_env] end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/support/not_implemented_as_pending.rb
rack-protection/spec/support/not_implemented_as_pending.rb
# frozen_string_literal: true # see http://blog.101ideas.cz/posts/pending-examples-via-not-implemented-error-in-rspec.html module NotImplementedAsPending def self.included(base) base.class_eval do alias_method :__finish__, :finish remove_method :finish end end def finish(reporter) if @exception.is_a?(NotImplementedError) from = @exception.backtrace[0] message = "#{@exception.message} (from #{from})" @pending_declared_in_example = message metadata[:pending] = true @exception = nil end __finish__(reporter) end RSpec::Core::Example.send :include, self end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/support/dummy_app.rb
rack-protection/spec/support/dummy_app.rb
# frozen_string_literal: true module DummyApp def self.call(env) Thread.current[:last_env] = env body = (env['REQUEST_METHOD'] == 'HEAD' ? '' : 'ok') [200, { 'content-type' => env['wants'] || 'text/plain' }, [body]] end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/support/shared_examples.rb
rack-protection/spec/support/shared_examples.rb
# frozen_string_literal: true RSpec.shared_examples_for 'any rack application' do it 'should not interfere with normal get requests' do expect(get('/')).to be_ok expect(body).to eq('ok') end it 'should not interfere with normal head requests' do expect(head('/')).to be_ok end it 'should not leak changes to env' do klass = described_class detector = Struct.new(:app) do def call(env) was = env.dup res = app.call(env) was.each do |k, v| next if env[k] == v raise "env[#{k.inspect}] changed from #{v.inspect} to #{env[k].inspect}" end res end end mock_app do use Rack::Head use(Rack::Config) { |e| e['rack.session'] ||= {} } use detector use klass run DummyApp end expect(get('/..', foo: '<bar>')).to be_ok end it 'allows passing on values in env' do klass = described_class changer = Struct.new(:app) do def call(env) env['foo.bar'] = 42 app.call(env) end end detector = Struct.new(:app) do def call(env) app.call(env) end end expect_any_instance_of(detector).to receive(:call).with( hash_including('foo.bar' => 42) ).and_call_original mock_app do use Rack::Head use(Rack::Config) { |e| e['rack.session'] ||= {} } use changer use klass use detector run DummyApp end expect(get('/')).to be_ok end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/form_token_spec.rb
rack-protection/spec/lib/rack/protection/form_token_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::FormToken do let(:token) { described_class.random_token } let(:masked_token) { described_class.token(session) } let(:bad_token) { Base64.strict_encode64('badtoken') } let(:session) { { csrf: token } } it_behaves_like 'any rack application' it 'denies post requests without any token' do expect(post('/')).not_to be_ok end it 'accepts post requests with correct X-CSRF-Token header' do post('/', {}, 'rack.session' => session, 'HTTP_X_CSRF_TOKEN' => token) expect(last_response).to be_ok end it 'accepts post requests with masked X-CSRF-Token header' do post('/', {}, 'rack.session' => session, 'HTTP_X_CSRF_TOKEN' => masked_token) expect(last_response).to be_ok end it 'denies post requests with wrong X-CSRF-Token header' do post('/', {}, 'rack.session' => session, 'HTTP_X_CSRF_TOKEN' => bad_token) expect(last_response).not_to be_ok end it 'accepts post form requests with correct authenticity_token field' do post('/', { 'authenticity_token' => token }, 'rack.session' => session) expect(last_response).to be_ok end it 'accepts post form requests with masked authenticity_token field' do post('/', { 'authenticity_token' => masked_token }, 'rack.session' => session) expect(last_response).to be_ok end it 'denies post form requests with wrong authenticity_token field' do post('/', { 'authenticity_token' => bad_token }, 'rack.session' => session) expect(last_response).not_to be_ok end it 'accepts ajax requests without a valid token' do expect(post('/', {}, 'HTTP_X_REQUESTED_WITH' => 'XMLHttpRequest')).to be_ok end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/ip_spoofing_spec.rb
rack-protection/spec/lib/rack/protection/ip_spoofing_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::IPSpoofing do it_behaves_like 'any rack application' it 'accepts requests without X-Forward-For header' do get('/', {}, 'HTTP_CLIENT_IP' => '1.2.3.4', 'HTTP_X_REAL_IP' => '4.3.2.1') expect(last_response).to be_ok end it 'accepts requests with proper X-Forward-For header' do get('/', {}, 'HTTP_CLIENT_IP' => '1.2.3.4', 'HTTP_X_FORWARDED_FOR' => '192.168.1.20, 1.2.3.4, 127.0.0.1') expect(last_response).to be_ok end it 'denies requests where the client spoofs X-Forward-For but not the IP' do get('/', {}, 'HTTP_CLIENT_IP' => '1.2.3.4', 'HTTP_X_FORWARDED_FOR' => '1.2.3.5') expect(last_response).not_to be_ok end it 'denies requests where the client spoofs the IP but not X-Forward-For' do get('/', {}, 'HTTP_CLIENT_IP' => '1.2.3.5', 'HTTP_X_FORWARDED_FOR' => '192.168.1.20, 1.2.3.4, 127.0.0.1') expect(last_response).not_to be_ok end it 'denies requests where IP and X-Forward-For are spoofed but not X-Real-IP' do get('/', {}, 'HTTP_CLIENT_IP' => '1.2.3.5', 'HTTP_X_FORWARDED_FOR' => '1.2.3.5', 'HTTP_X_REAL_IP' => '1.2.3.4') expect(last_response).not_to be_ok end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/xss_header_spec.rb
rack-protection/spec/lib/rack/protection/xss_header_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::XSSHeader do it_behaves_like 'any rack application' it 'should set the X-XSS-Protection' do expect(get('/', {}, 'wants' => 'text/html;charset=utf-8').headers['X-XSS-Protection']).to eq('1; mode=block') end it 'should set the X-XSS-Protection for XHTML' do expect(get('/', {}, 'wants' => 'application/xhtml+xml').headers['X-XSS-Protection']).to eq('1; mode=block') end it 'should not set the X-XSS-Protection for other content types' do expect(get('/', {}, 'wants' => 'application/foo').headers['X-XSS-Protection']).to be_nil end it 'should allow changing the protection mode' do # I have no clue what other modes are available mock_app do use Rack::Protection::XSSHeader, xss_mode: :foo run DummyApp end expect(get('/', {}, 'wants' => 'application/xhtml').headers['X-XSS-Protection']).to eq('1; mode=foo') end it 'should not override the header if already set' do mock_app with_headers('x-xss-protection' => '0') expect(get('/', {}, 'wants' => 'text/html').headers['X-XSS-Protection']).to eq('0') end it 'should set the X-Content-Type-Options' do expect(get('/', {}, 'wants' => 'text/html').headers['X-Content-Type-Options']).to eq('nosniff') end it 'should set the X-Content-Type-Options for other content types' do expect(get('/', {}, 'wants' => 'application/foo').headers['X-Content-Type-Options']).to eq('nosniff') end it 'should allow changing the nosniff-mode off' do mock_app do use Rack::Protection::XSSHeader, nosniff: false run DummyApp end expect(get('/').headers['X-Content-Type-Options']).to be_nil end it 'should not override the header if already set X-Content-Type-Options' do mock_app with_headers('x-content-type-options' => 'sniff') expect(get('/', {}, 'wants' => 'text/html').headers['X-Content-Type-Options']).to eq('sniff') end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/cookie_tossing_spec.rb
rack-protection/spec/lib/rack/protection/cookie_tossing_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::CookieTossing do it_behaves_like 'any rack application' context 'with default reaction' do before(:each) do mock_app do use Rack::Protection::CookieTossing run DummyApp end end it 'accepts requests with a single session cookie' do get '/', {}, 'HTTP_COOKIE' => 'rack.session=SESSION_TOKEN' expect(last_response).to be_ok end it 'denies requests with duplicate session cookies' do get '/', {}, 'HTTP_COOKIE' => 'rack.session=EVIL_SESSION_TOKEN; rack.session=SESSION_TOKEN' expect(last_response).not_to be_ok end it 'denies requests with sneaky encoded session cookies' do get '/', {}, 'HTTP_COOKIE' => 'rack.session=EVIL_SESSION_TOKEN; rack.%73ession=SESSION_TOKEN' expect(last_response).not_to be_ok end it 'adds the correct Set-Cookie header' do get '/some/path', {}, 'HTTP_COOKIE' => 'rack.%73ession=EVIL_SESSION_TOKEN; rack.session=EVIL_SESSION_TOKEN; rack.session=SESSION_TOKEN' # Rack no longer URI encodes the % in the cookie in Rack 3.1+ # https://github.com/sinatra/sinatra/issues/2017 cookie_key = if Rack::RELEASE < "3.1" "rack.%2573ession" else "rack.%73ession" end expected_header = <<-END.chomp.split("\n") #{cookie_key}=; domain=example.org; path=/; expires=Thu, 01 Jan 1970 00:00:00 GMT #{cookie_key}=; domain=example.org; path=/some; expires=Thu, 01 Jan 1970 00:00:00 GMT #{cookie_key}=; domain=example.org; path=/some/path; expires=Thu, 01 Jan 1970 00:00:00 GMT rack.session=; domain=example.org; path=/; expires=Thu, 01 Jan 1970 00:00:00 GMT rack.session=; domain=example.org; path=/some; expires=Thu, 01 Jan 1970 00:00:00 GMT rack.session=; domain=example.org; path=/some/path; expires=Thu, 01 Jan 1970 00:00:00 GMT END expect(last_response.headers['Set-Cookie']).to eq(expected_header) end end context 'with redirect reaction' do before(:each) do mock_app do use Rack::Protection::CookieTossing, reaction: :redirect run DummyApp end end it 'redirects requests with duplicate session cookies' do get '/', {}, 'HTTP_COOKIE' => 'rack.session=EVIL_SESSION_TOKEN; rack.session=SESSION_TOKEN' expect(last_response).to be_redirect expect(last_response.location).to eq('/') end it 'redirects requests with sneaky encoded session cookies' do get '/path', {}, 'HTTP_COOKIE' => 'rack.%73ession=EVIL_SESSION_TOKEN; rack.session=SESSION_TOKEN' expect(last_response).to be_redirect expect(last_response.location).to eq('/path') end end context 'with custom session key' do it 'denies requests with duplicate session cookies' do mock_app do use Rack::Protection::CookieTossing, session_key: '_session' run DummyApp end get '/', {}, 'HTTP_COOKIE' => '_session=EVIL_SESSION_TOKEN; _session=SESSION_TOKEN' expect(last_response).not_to be_ok end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/authenticity_token_spec.rb
rack-protection/spec/lib/rack/protection/authenticity_token_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::AuthenticityToken do let(:token) { described_class.random_token } let(:masked_token) { described_class.token(session) } let(:bad_token) { Base64.strict_encode64('badtoken') } let(:session) { { csrf: token } } it_behaves_like 'any rack application' it 'denies post requests without any token' do expect(post('/')).not_to be_ok end it 'accepts post requests with correct X-CSRF-Token header' do post('/', {}, 'rack.session' => session, 'HTTP_X_CSRF_TOKEN' => token) expect(last_response).to be_ok end it 'accepts post requests with masked X-CSRF-Token header' do post('/', {}, 'rack.session' => session, 'HTTP_X_CSRF_TOKEN' => masked_token) expect(last_response).to be_ok end it 'denies post requests with wrong X-CSRF-Token header' do post('/', {}, 'rack.session' => session, 'HTTP_X_CSRF_TOKEN' => bad_token) expect(last_response).not_to be_ok end it 'accepts post form requests with correct authenticity_token field' do post('/', { 'authenticity_token' => token }, 'rack.session' => session) expect(last_response).to be_ok end it 'accepts post form requests with masked authenticity_token field' do post('/', { 'authenticity_token' => masked_token }, 'rack.session' => session) expect(last_response).to be_ok end it 'denies post form requests with wrong authenticity_token field' do post('/', { 'authenticity_token' => bad_token }, 'rack.session' => session) expect(last_response).not_to be_ok end it 'accepts post form requests with a valid per form token' do token = Rack::Protection::AuthenticityToken.token(session, path: '/foo') post('/foo', { 'authenticity_token' => token }, 'rack.session' => session) expect(last_response).to be_ok end it 'denies post form requests with an invalid per form token' do token = Rack::Protection::AuthenticityToken.token(session, path: '/foo') post('/bar', { 'authenticity_token' => token }, 'rack.session' => session) expect(last_response).not_to be_ok end it 'prevents ajax requests without a valid token' do expect(post('/', {}, 'HTTP_X_REQUESTED_WITH' => 'XMLHttpRequest')).not_to be_ok end it 'allows for a custom authenticity token param' do mock_app do use Rack::Protection::AuthenticityToken, authenticity_param: 'csrf_param' run proc { |_e| [200, { 'content-type' => 'text/plain' }, ['hi']] } end post('/', { 'csrf_param' => token }, 'rack.session' => { csrf: token }) expect(last_response).to be_ok end it "sets a new csrf token for the session in env, even after a 'safe' request" do get('/', {}, {}) expect(env['rack.session'][:csrf]).not_to be_nil end it 'allows for a custom token session key' do mock_app do use(Rack::Config) { |e| e['rack.session'] ||= {} } use Rack::Protection::AuthenticityToken, key: :_csrf run DummyApp end get '/' expect(env['rack.session'][:_csrf]).not_to be_nil end describe '.token' do it 'returns a unique masked version of the authenticity token' do expect(Rack::Protection::AuthenticityToken.token(session)).not_to eq(masked_token) end it 'sets a session authenticity token if one does not exist' do session = {} allow(Rack::Protection::AuthenticityToken).to receive(:random_token).and_return(token) allow_any_instance_of(Rack::Protection::AuthenticityToken).to receive(:mask_token).and_return(masked_token) Rack::Protection::AuthenticityToken.token(session) expect(session[:csrf]).to eq(token) end end describe '.random_token' do it 'generates a base64 encoded 32 character string' do expect(Base64.urlsafe_decode64(token).length).to eq(32) end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/escaped_params_spec.rb
rack-protection/spec/lib/rack/protection/escaped_params_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::EscapedParams do it_behaves_like 'any rack application' context 'escaping' do it 'escapes html entities' do mock_app do |env| request = Rack::Request.new(env) [200, { 'content-type' => 'text/plain' }, [request.params['foo']]] end get '/', foo: '<bar>' expect(body).to eq('&lt;bar&gt;') end it 'leaves normal params untouched' do mock_app do |env| request = Rack::Request.new(env) [200, { 'content-type' => 'text/plain' }, [request.params['foo']]] end get '/', foo: 'bar' expect(body).to eq('bar') end it 'copes with nested arrays' do mock_app do |env| request = Rack::Request.new(env) [200, { 'content-type' => 'text/plain' }, [request.params['foo']['bar']]] end get '/', foo: { bar: '<bar>' } expect(body).to eq('&lt;bar&gt;') end it 'leaves cache-breaker params untouched' do mock_app do |_env| [200, { 'content-type' => 'text/plain' }, ['hi']] end get '/?95df8d9bf5237ad08df3115ee74dcb10' expect(body).to eq('hi') end it 'leaves TempFiles untouched' do mock_app do |env| request = Rack::Request.new(env) [200, { 'content-type' => 'text/plain' }, ["#{request.params['file'][:filename]}\n#{request.params['file'][:tempfile].read}\n#{request.params['other']}"]] end temp_file = File.open('_escaped_params_tmp_file', 'w') begin temp_file.write('hello world') temp_file.close post '/', file: Rack::Test::UploadedFile.new(temp_file.path), other: '<bar>' expect(body).to eq("_escaped_params_tmp_file\nhello world\n&lt;bar&gt;") ensure File.unlink(temp_file.path) end end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/remote_referrer_spec.rb
rack-protection/spec/lib/rack/protection/remote_referrer_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::RemoteReferrer do it_behaves_like 'any rack application' it 'accepts post requests with no referrer' do expect(post('/')).to be_ok end it 'does not accept post requests with no referrer if allow_empty_referrer is false' do mock_app do use Rack::Protection::RemoteReferrer, allow_empty_referrer: false run DummyApp end expect(post('/')).not_to be_ok end it 'should allow post request with a relative referrer' do expect(post('/', {}, 'HTTP_REFERER' => '/')).to be_ok end it 'accepts post requests with the same host in the referrer' do post('/', {}, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.com') expect(last_response).to be_ok end it 'denies post requests with a remote referrer' do post('/', {}, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.org') expect(last_response).not_to be_ok end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/frame_options_spec.rb
rack-protection/spec/lib/rack/protection/frame_options_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::FrameOptions do it_behaves_like 'any rack application' it 'should set the X-Frame-Options' do expect(get('/', {}, 'wants' => 'text/html').headers['X-Frame-Options']).to eq('SAMEORIGIN') end it 'should not set the X-Frame-Options for other content types' do expect(get('/', {}, 'wants' => 'text/foo').headers['X-Frame-Options']).to be_nil end it 'should allow changing the protection mode' do # I have no clue what other modes are available mock_app do use Rack::Protection::FrameOptions, frame_options: :deny run DummyApp end expect(get('/', {}, 'wants' => 'text/html').headers['X-Frame-Options']).to eq('DENY') end it 'should allow changing the protection mode to a string' do # I have no clue what other modes are available mock_app do use Rack::Protection::FrameOptions, frame_options: 'ALLOW-FROM foo' run DummyApp end expect(get('/', {}, 'wants' => 'text/html').headers['X-Frame-Options']).to eq('ALLOW-FROM foo') end it 'should not override the header if already set' do mock_app with_headers('x-frame-options' => 'allow') expect(get('/', {}, 'wants' => 'text/html').headers['X-Frame-Options']).to eq('allow') end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/json_csrf_spec.rb
rack-protection/spec/lib/rack/protection/json_csrf_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::JsonCsrf do it_behaves_like 'any rack application' module DummyAppWithBody module Closeable def close @closed = true end def closed? @closed end end def self.body @body ||= begin body = ['ok'] body.extend(Closeable) body end end def self.call(env) Thread.current[:last_env] = env [200, { 'content-type' => 'application/json' }, body] end end describe 'json response' do before do mock_app { |_e| [200, { 'content-type' => 'application/json' }, []] } end it 'denies get requests with json responses with a remote referrer' do expect(get('/', {}, 'HTTP_REFERER' => 'http://evil.com')).not_to be_ok end it 'closes the body returned by the app if it denies the get request' do mock_app DummyAppWithBody do |_e| [200, { 'content-type' => 'application/json' }, []] end get('/', {}, 'HTTP_REFERER' => 'http://evil.com') expect(DummyAppWithBody.body).to be_closed end it 'accepts requests with json responses with a remote referrer when allow_if is true' do mock_app do use Rack::Protection::JsonCsrf, allow_if: ->(env) { env['HTTP_REFERER'] == 'http://good.com' } run proc { |_e| [200, { 'content-type' => 'application/json' }, []] } end expect(get('/', {}, 'HTTP_REFERER' => 'http://good.com')).to be_ok end it "accepts requests with json responses with a remote referrer when there's an origin header set" do expect(get('/', {}, 'HTTP_REFERER' => 'http://good.com', 'HTTP_ORIGIN' => 'http://good.com')).to be_ok end it "accepts requests with json responses with a remote referrer when there's an x-origin header set" do expect(get('/', {}, 'HTTP_REFERER' => 'http://good.com', 'HTTP_X_ORIGIN' => 'http://good.com')).to be_ok end it 'accepts get requests with json responses with a local referrer' do expect(get('/', {}, 'HTTP_REFERER' => '/')).to be_ok end it 'accepts get requests with json responses with no referrer' do expect(get('/', {})).to be_ok end it 'accepts XHR requests' do expect(get('/', {}, 'HTTP_REFERER' => 'http://evil.com', 'HTTP_X_REQUESTED_WITH' => 'XMLHttpRequest')).to be_ok end end describe 'not json response' do it 'accepts get requests with 304 headers' do mock_app { |_e| [304, {}, []] } expect(get('/', {}).status).to eq(304) end end describe 'with drop_session as default reaction' do it 'still denies' do mock_app do use Rack::Protection, reaction: :drop_session run proc { |_e| [200, { 'content-type' => 'application/json' }, []] } end session = { foo: :bar } get('/', {}, 'HTTP_REFERER' => 'http://evil.com', 'rack.session' => session) expect(last_response).not_to be_ok end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/session_hijacking_spec.rb
rack-protection/spec/lib/rack/protection/session_hijacking_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::SessionHijacking do it_behaves_like 'any rack application' it 'accepts a session without changes to tracked parameters' do session = { foo: :bar } get '/', {}, 'rack.session' => session get '/', {}, 'rack.session' => session expect(session[:foo]).to eq(:bar) end it 'denies requests with a changing User-Agent header' do session = { foo: :bar } get '/', {}, 'rack.session' => session, 'HTTP_USER_AGENT' => 'a' get '/', {}, 'rack.session' => session, 'HTTP_USER_AGENT' => 'b' expect(session).to be_empty end it 'accepts requests with a changing Accept-Encoding header' do # this is tested because previously it led to clearing the session session = { foo: :bar } get '/', {}, 'rack.session' => session, 'HTTP_ACCEPT_ENCODING' => 'a' get '/', {}, 'rack.session' => session, 'HTTP_ACCEPT_ENCODING' => 'b' expect(session).not_to be_empty end it 'accepts requests with a changing Version header' do session = { foo: :bar } get '/', {}, 'rack.session' => session, 'SERVER_PROTOCOL' => 'HTTP/1.0' get '/', {}, 'rack.session' => session, 'SERVER_PROTOCOL' => 'HTTP/1.1' expect(session[:foo]).to eq(:bar) end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/strict_transport_spec.rb
rack-protection/spec/lib/rack/protection/strict_transport_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::StrictTransport do it_behaves_like 'any rack application' it 'should set the Strict-Transport-Security header' do expect(get('/', {}, 'wants' => 'text/html').headers['Strict-Transport-Security']).to eq('max-age=31536000') end it 'should allow changing the max-age option' do mock_app do use Rack::Protection::StrictTransport, max_age: 16_070_400 run DummyApp end expect(get('/', {}, 'wants' => 'text/html').headers['Strict-Transport-Security']).to eq('max-age=16070400') end it 'should allow switching on the include_subdomains option' do mock_app do use Rack::Protection::StrictTransport, include_subdomains: true run DummyApp end expect(get('/', {}, 'wants' => 'text/html').headers['Strict-Transport-Security']).to eq('max-age=31536000; includeSubDomains') end it 'should allow switching on the preload option' do mock_app do use Rack::Protection::StrictTransport, preload: true run DummyApp end expect(get('/', {}, 'wants' => 'text/html').headers['Strict-Transport-Security']).to eq('max-age=31536000; preload') end it 'should allow switching on all the options' do mock_app do use Rack::Protection::StrictTransport, preload: true, include_subdomains: true run DummyApp end expect(get('/', {}, 'wants' => 'text/html').headers['Strict-Transport-Security']).to eq('max-age=31536000; includeSubDomains; preload') end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/base_spec.rb
rack-protection/spec/lib/rack/protection/base_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::Base do subject { described_class.new(-> {}) } describe '#random_string' do it 'outputs a string of 32 characters' do expect(subject.random_string.length).to eq(32) end end describe '#referrer' do it 'Reads referrer from Referer header' do env = { 'HTTP_HOST' => 'foo.com', 'HTTP_REFERER' => 'http://bar.com/valid' } expect(subject.referrer(env)).to eq('bar.com') end it 'Reads referrer from Host header when Referer header is relative' do env = { 'HTTP_HOST' => 'foo.com', 'HTTP_REFERER' => '/valid' } expect(subject.referrer(env)).to eq('foo.com') end it 'Reads referrer from Host header when Referer header is missing' do env = { 'HTTP_HOST' => 'foo.com' } expect(subject.referrer(env)).to eq('foo.com') end it 'Returns nil when Referer header is missing and allow_empty_referrer is false' do env = { 'HTTP_HOST' => 'foo.com' } subject.options[:allow_empty_referrer] = false expect(subject.referrer(env)).to be_nil end it 'Returns nil when Referer header is invalid' do env = { 'HTTP_HOST' => 'foo.com', 'HTTP_REFERER' => 'http://bar.com/bad|uri' } expect(subject.referrer(env)).to be_nil end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/path_traversal_spec.rb
rack-protection/spec/lib/rack/protection/path_traversal_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::PathTraversal do it_behaves_like 'any rack application' context 'escaping' do before do mock_app { |e| [200, { 'content-type' => 'text/plain' }, [e['PATH_INFO']]] } end %w[/foo/bar /foo/bar/ / /.f /a.x].each do |path| it("does not touch #{path.inspect}") { expect(get(path).body).to eq(path) } end { # yes, this is ugly, feel free to change that '/..' => '/', '/a/../b' => '/b', '/a/../b/' => '/b/', '/a/.' => '/a/', '/%2e.' => '/', '/a/%2E%2e/b' => '/b', '/a%2f%2E%2e%2Fb/' => '/b/', '//' => '/', '/%2fetc%2Fpasswd' => '/etc/passwd' }.each do |a, b| it("replaces #{a.inspect} with #{b.inspect}") { expect(get(a).body).to eq(b) } end it 'should be able to deal with PATH_INFO = nil (fcgi?)' do app = Rack::Protection::PathTraversal.new(proc { 42 }) expect(app.call({})).to eq(42) end end context "PATH_INFO's encoding" do before do @app = Rack::Protection::PathTraversal.new(proc { |e| [200, { 'content-type' => 'text/plain' }, [e['PATH_INFO'].encoding.to_s]] }) end it 'should remain unchanged as ASCII-8BIT' do body = @app.call({ 'PATH_INFO' => '/'.encode('ASCII-8BIT') })[2][0] expect(body).to eq('ASCII-8BIT') end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/host_authorization_spec.rb
rack-protection/spec/lib/rack/protection/host_authorization_spec.rb
# frozen_string_literal: true require 'stringio' RSpec.describe Rack::Protection::HostAuthorization do it_behaves_like 'any rack application' def assert_response(outcome:, headers:, last_response:) fail_message = "Expected outcome '#{outcome}' for headers '#{headers}' " \ "last_response.status '#{last_response.status}'" case outcome when :allowed expect(last_response).to be_ok, fail_message when :stopped expect(last_response.status).to eq(403), fail_message expect(last_response.body).to eq('Host not permitted'), fail_message end end # we always specify HTTP_HOST because when HTTP_HOST is not set in env, # requests are made with env { HTTP_HOST => Rack::Test::DEFAULT_HOST } describe 'when subdomains under .test and .example.com are permitted' do requests = lambda do [ { 'HTTP_HOST' => 'foo.test' }, { 'HTTP_HOST' => 'example.com' }, { 'HTTP_HOST' => 'foo.example.com' }, { 'HTTP_HOST' => 'foo.bar.example.com' }, { 'HTTP_HOST' => 'foo.test', 'HTTP_X_FORWARDED_HOST' => 'bar.baz.example.com' }, { 'HTTP_HOST' => 'foo.test', 'HTTP_X_FORWARDED_HOST' => 'bar.test, baz.test' }, { 'HTTP_HOST' => 'foo.test', 'HTTP_FORWARDED' => %(host="baz.test") }, { 'HTTP_HOST' => 'foo.test', 'HTTP_FORWARDED' => %(host="baz.test" host="baz.example.com") } ] end requests.call.each do |headers| it "allows the request with headers '#{headers}'" do permitted_hosts = ['.test', '.example.com'] mock_app do use Rack::Protection::HostAuthorization, permitted_hosts: permitted_hosts run DummyApp end get('/', {}, headers) assert_response(outcome: :allowed, headers: headers, last_response: last_response) end end end describe "when hosts under 'allowed.org' are permitted" do bad_requests = lambda do [ [{ 'HTTP_HOST' => '.allowed.org' }, true], [{ 'HTTP_HOST' => 'attacker.com#x.allowed.org' }, false] ] end bad_requests.call.each do |(headers, lint)| it "stops the request with headers '#{headers}'" do permitted_hosts = ['.allowed.org'] mock_app(lint: lint) do use Rack::Protection::HostAuthorization, permitted_hosts: permitted_hosts run DummyApp end get('/', {}, headers) assert_response(outcome: :stopped, headers: headers, last_response: last_response) end end end describe 'requests with bogus values in headers' do requests = lambda do |allowed_host| [ { 'HTTP_HOST' => '::1' }, { 'HTTP_HOST' => '[0]' }, { 'HTTP_HOST' => allowed_host, 'HTTP_X_FORWARDED_HOST' => '[0]' }, { 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => 'host=::1' }, { 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => 'host=[0]' }, { 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => 'host="::1"' }, { 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => 'host="[0]"' } ] end requests.call('allowed.org').each do |headers| it "stops the request with headers '#{headers}'" do permitted_hosts = [IPAddr.new('0.0.0.0/0'), IPAddr.new('::/0'), 'allowed.org'] mock_app(nil, lint: false) do use Rack::Protection::HostAuthorization, permitted_hosts: permitted_hosts run DummyApp end get('/', {}, headers) assert_response(outcome: :stopped, headers: headers, last_response: last_response) end end end describe 'when permitted hosts include IPAddr instance for 0.0.0.0/0' do good_requests = lambda do [ { 'HTTP_HOST' => '127.0.0.1' }, { 'HTTP_HOST' => '127.0.0.1:3000' }, { 'HTTP_HOST' => '127.0.0.1', 'HTTP_X_FORWARDED_HOST' => '127.0.0.1' }, { 'HTTP_HOST' => '127.0.0.1:3000', 'HTTP_X_FORWARDED_HOST' => '127.0.0.1:3000' }, { 'HTTP_HOST' => '127.0.0.1', 'HTTP_X_FORWARDED_HOST' => 'example.com, 127.0.0.1' }, { 'HTTP_HOST' => '127.0.0.1:3000', 'HTTP_X_FORWARDED_HOST' => 'example.com, 127.0.0.1:3000' }, { 'HTTP_HOST' => '127.0.0.1', 'HTTP_FORWARDED' => 'host=127.0.0.1' }, { 'HTTP_HOST' => '127.0.0.1', 'HTTP_FORWARDED' => 'host=example.com; host=127.0.0.1' }, { 'HTTP_HOST' => '127.0.0.1:3000', 'HTTP_FORWARDED' => 'host=example.com; host=127.0.0.1:3000' } ] end good_requests.call.each do |headers| it "allows the request with headers '#{headers}'" do permitted_hosts = [IPAddr.new('0.0.0.0/0')] mock_app do use Rack::Protection::HostAuthorization, permitted_hosts: permitted_hosts run DummyApp end get('/', {}, headers) assert_response(outcome: :allowed, headers: headers, last_response: last_response) end end end describe 'when permitted hosts include IPAddr instance for ::/0' do good_requests = lambda do [ { 'HTTP_HOST' => '[::1]' }, { 'HTTP_HOST' => '[::1]:3000' }, { 'HTTP_HOST' => '[::1]', 'HTTP_X_FORWARDED_HOST' => '::1' }, { 'HTTP_HOST' => '[::1]', 'HTTP_X_FORWARDED_HOST' => '[::1]' }, { 'HTTP_HOST' => '[::1]:3000', 'HTTP_X_FORWARDED_HOST' => '[::1]:3000' }, { 'HTTP_HOST' => '[::1]', 'HTTP_X_FORWARDED_HOST' => 'example.com, [::1]' }, { 'HTTP_HOST' => '[::1]:3000', 'HTTP_X_FORWARDED_HOST' => 'example.com, [::1]:3000' }, { 'HTTP_HOST' => '[::1]', 'HTTP_FORWARDED' => 'host=[::1]' }, { 'HTTP_HOST' => '[::1]', 'HTTP_FORWARDED' => 'host=example.com; host=[::1]' }, { 'HTTP_HOST' => '[::1]:3000', 'HTTP_FORWARDED' => 'host=example.com; host=[::1]:3000' } ] end good_requests.call.each do |headers| it "allows the request with headers '#{headers}'" do permitted_hosts = [IPAddr.new('::/0')] mock_app do use Rack::Protection::HostAuthorization, permitted_hosts: permitted_hosts run DummyApp end get('/', {}, headers) assert_response(outcome: :allowed, headers: headers, last_response: last_response) end end end describe 'when permitted hosts include IPAddr instance for 192.168.0.1/32' do bad_requests = lambda do [ { 'HTTP_HOST' => '127.0.0.1' }, { 'HTTP_HOST' => '127.0.0.1:3000' }, { 'HTTP_HOST' => 'example.com' }, { 'HTTP_HOST' => '192.168.0.1', 'HTTP_X_FORWARDED_HOST' => '127.0.0.1' }, { 'HTTP_HOST' => '192.168.0.1:3000', 'HTTP_X_FORWARDED_HOST' => '127.0.0.1:3000' }, { 'HTTP_HOST' => '192.168.0.1', 'HTTP_X_FORWARDED_HOST' => 'example.com' }, { 'HTTP_HOST' => '192.168.0.1', 'HTTP_X_FORWARDED_HOST' => 'example.com, 127.0.0.1' }, { 'HTTP_HOST' => '192.168.0.1:3000', 'HTTP_X_FORWARDED_HOST' => 'example.com, 127.0.0.1:3000' }, { 'HTTP_HOST' => '192.168.0.1', 'HTTP_FORWARDED' => 'host=127.0.0.1' }, { 'HTTP_HOST' => '192.168.0.1', 'HTTP_FORWARDED' => 'host=example.com' }, { 'HTTP_HOST' => '192.168.0.1', 'HTTP_FORWARDED' => 'host=example.com; host=127.0.0.1' }, { 'HTTP_HOST' => '192.168.0.1:3000', 'HTTP_FORWARDED' => 'host=example.com; host=127.0.0.1:3000' } ] end bad_requests.call.each do |headers| it "stops the request with headers '#{headers}'" do permitted_hosts = [IPAddr.new('192.168.0.1')] mock_app do use Rack::Protection::HostAuthorization, permitted_hosts: permitted_hosts run DummyApp end get('/', {}, headers) assert_response(outcome: :stopped, headers: headers, last_response: last_response) end end end describe "when the permitted hosts are ['allowed.org']" do good_requests = lambda do |allowed_host| [ { 'HTTP_HOST' => allowed_host }, { 'HTTP_HOST' => "#{allowed_host}:3000" }, { 'HTTP_HOST' => allowed_host, 'HTTP_X_FORWARDED_HOST' => allowed_host }, { 'HTTP_HOST' => allowed_host, 'HTTP_X_FORWARDED_HOST' => "example.com, #{allowed_host}" }, { 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => "host=#{allowed_host}" }, { 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => "host=example.com; host=#{allowed_host}" } ] end good_requests.call('allowed.org').each do |headers| it "allows the request with headers '#{headers}'" do permitted_hosts = ['allowed.org'] mock_app do use Rack::Protection::HostAuthorization, permitted_hosts: permitted_hosts run DummyApp end get('/', {}, headers) assert_response(outcome: :allowed, headers: headers, last_response: last_response) end end bad_requests = lambda do |allowed_host, bad_host| [ [{ 'HTTP_HOST' => bad_host }, true], [{ 'HTTP_HOST' => "#{bad_host}##{allowed_host}" }, false], [{ 'HTTP_HOST' => allowed_host, 'HTTP_X_FORWARDED_HOST' => bad_host }, true], [{ 'HTTP_HOST' => allowed_host, 'HTTP_X_FORWARDED_HOST' => "#{allowed_host}, #{bad_host}" }, true], [{ 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => "host=#{bad_host}" }, true], [{ 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => "host=#{allowed_host}; host=#{bad_host}" }, true], [{ 'HTTP_HOST' => allowed_host, 'HTTP_X_FORWARDED_HOST' => bad_host }, true], [{ 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => "host=#{bad_host}" }, true], [{ 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => %(host=".#{allowed_host}") }, true], [{ 'HTTP_HOST' => allowed_host, 'HTTP_FORWARDED' => %(host="foo.#{allowed_host}") }, true], [{ 'HTTP_HOST' => bad_host, 'HTTP_X_FORWARDED_HOST' => allowed_host }, true], [{ 'HTTP_HOST' => bad_host, 'HTTP_FORWARDED' => "host=#{allowed_host}" }, true], ] end bad_requests.call('allowed.org', 'bad.org').each do |(headers, lint)| it "stops the request with headers '#{headers}'" do permitted_hosts = ['allowed.org'] mock_app(lint: lint) do use Rack::Protection::HostAuthorization, permitted_hosts: permitted_hosts run DummyApp end get('/', {}, headers) assert_response(outcome: :stopped, headers: headers, last_response: last_response) end end end it 'has debug logging' do io = StringIO.new logger = Logger.new(io) logger.level = Logger::DEBUG allowed_host = 'allowed.org' mock_app do use Rack::Protection::HostAuthorization, logger: logger, permitted_hosts: [allowed_host] run DummyApp end get('/') expect(io.string).to match(/Rack::Protection::HostAuthorization.+#{allowed_host}/) end it 'accepts requests for unrecognized hosts when allow_if is true' do allowed_host = 'allowed.org' bad_host = 'bad.org' mock_app do use Rack::Protection::HostAuthorization, allow_if: ->(_env) { true }, permitted_hosts: [allowed_host] run DummyApp end get('/', {}, 'HTTP_HOST' => bad_host) expect(last_response).to be_ok end it 'allows the response for blocked requests to be customized' do allowed_host = 'allowed.org' bad_host = 'bad.org' message = 'Unrecognized host' mock_app do use Rack::Protection::HostAuthorization, message: message, status: 406, permitted_hosts: [allowed_host] run DummyApp end get('/', {}, 'HTTP_HOST' => bad_host) expect(last_response.status).to eq(406) expect(last_response.body).to eq(message) end describe 'when HTTP_HOST is not present in the environment' do it 'stops the request' do app = mock_app do use Rack::Protection::HostAuthorization, permitted_hosts: ['.tld'] run DummyApp end headers = { 'HTTP_X_FORWARDED_HOST' => 'foo.tld' } request = Rack::MockRequest.new(app) # this is from rack, not rack-test response = request.get('/', headers) expect(response.status).to eq(403) expect(response.body).to eq('Host not permitted') end end describe 'when the header value is upcased but the permitted host not' do test_cases = lambda do |host_in_request| [ { 'HTTP_HOST' => host_in_request }, { 'HTTP_HOST' => host_in_request, 'HTTP_X_FORWARDED_HOST' => host_in_request }, { 'HTTP_HOST' => host_in_request, 'HTTP_FORWARDED' => "host=#{host_in_request}" } ] end test_cases.call('allowed.org'.upcase).each do |headers| it "allows the request with headers '#{headers}'" do mock_app do use Rack::Protection::HostAuthorization, permitted_hosts: ['allowed.org'] run DummyApp end get('/', {}, headers) expect(last_response).to be_ok end end end describe 'when the permitted host is upcased but the header value is not' do test_cases = lambda do |host_in_request| [ { 'HTTP_HOST' => host_in_request }, { 'HTTP_HOST' => host_in_request, 'HTTP_X_FORWARDED_HOST' => host_in_request }, { 'HTTP_HOST' => host_in_request, 'HTTP_FORWARDED' => "host=#{host_in_request}" } ] end test_cases.call('allowed.org').each do |headers| it "allows the request with headers '#{headers}'" do mock_app do use Rack::Protection::HostAuthorization, permitted_hosts: ['allowed.org'.upcase] run DummyApp end get('/', {}, headers) expect(last_response).to be_ok end end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/remote_token_spec.rb
rack-protection/spec/lib/rack/protection/remote_token_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::RemoteToken do let(:token) { described_class.random_token } let(:masked_token) { described_class.token(session) } let(:bad_token) { Base64.strict_encode64('badtoken') } let(:session) { { csrf: token } } it_behaves_like 'any rack application' it 'accepts post requests with no referrer' do expect(post('/')).to be_ok end it 'accepts post requests with a local referrer' do expect(post('/', {}, 'HTTP_REFERER' => '/')).to be_ok end it 'denies post requests with a remote referrer and no token' do post('/', {}, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.org') expect(last_response).not_to be_ok end it 'accepts post requests with a remote referrer and correct X-CSRF-Token header' do post('/', {}, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.org', 'rack.session' => session, 'HTTP_X_CSRF_TOKEN' => token) expect(last_response).to be_ok end it 'accepts post requests with a remote referrer and masked X-CSRF-Token header' do post('/', {}, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.org', 'rack.session' => session, 'HTTP_X_CSRF_TOKEN' => masked_token) expect(last_response).to be_ok end it 'denies post requests with a remote referrer and wrong X-CSRF-Token header' do post('/', {}, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.org', 'rack.session' => session, 'HTTP_X_CSRF_TOKEN' => bad_token) expect(last_response).not_to be_ok end it 'accepts post form requests with a remote referrer and correct authenticity_token field' do post('/', { 'authenticity_token' => token }, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.org', 'rack.session' => session) expect(last_response).to be_ok end it 'accepts post form requests with a remote referrer and masked authenticity_token field' do post('/', { 'authenticity_token' => masked_token }, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.org', 'rack.session' => session) expect(last_response).to be_ok end it 'denies post form requests with a remote referrer and wrong authenticity_token field' do post('/', { 'authenticity_token' => bad_token }, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.org', 'rack.session' => session) expect(last_response).not_to be_ok end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/content_security_policy_spec.rb
rack-protection/spec/lib/rack/protection/content_security_policy_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::ContentSecurityPolicy do it_behaves_like 'any rack application' it 'should set the Content Security Policy' do expect( get('/', {}, 'wants' => 'text/html').headers['Content-Security-Policy'] ).to eq("default-src 'self'") end it 'should not set the Content Security Policy for other content types' do headers = get('/', {}, 'wants' => 'text/foo').headers expect(headers['Content-Security-Policy']).to be_nil expect(headers['Content-Security-Policy-Report-Only']).to be_nil end it 'should allow changing the protection settings' do mock_app do use Rack::Protection::ContentSecurityPolicy, default_src: 'none', script_src: 'https://cdn.mybank.net', style_src: 'https://cdn.mybank.net', img_src: 'https://cdn.mybank.net', connect_src: 'https://api.mybank.com', frame_src: 'self', font_src: 'https://cdn.mybank.net', object_src: 'https://cdn.mybank.net', media_src: 'https://cdn.mybank.net', report_uri: '/my_amazing_csp_report_parser', sandbox: 'allow-scripts' run DummyApp end headers = get('/', {}, 'wants' => 'text/html').headers expect(headers['Content-Security-Policy']).to eq('connect-src https://api.mybank.com; default-src none; font-src https://cdn.mybank.net; frame-src self; img-src https://cdn.mybank.net; media-src https://cdn.mybank.net; object-src https://cdn.mybank.net; report-uri /my_amazing_csp_report_parser; sandbox allow-scripts; script-src https://cdn.mybank.net; style-src https://cdn.mybank.net') expect(headers['Content-Security-Policy-Report-Only']).to be_nil end it 'should allow setting CSP3 no arg directives' do mock_app do use Rack::Protection::ContentSecurityPolicy, block_all_mixed_content: true, disown_opener: true, upgrade_insecure_requests: true run DummyApp end headers = get('/', {}, 'wants' => 'text/html').headers expect(headers['Content-Security-Policy']).to eq("block-all-mixed-content; default-src 'self'; disown-opener; upgrade-insecure-requests") end it 'should ignore CSP3 no arg directives unless they are set to true' do mock_app do use Rack::Protection::ContentSecurityPolicy, block_all_mixed_content: false, disown_opener: 'false', upgrade_insecure_requests: 'foo' run DummyApp end headers = get('/', {}, 'wants' => 'text/html').headers expect(headers['Content-Security-Policy']).to eq("default-src 'self'") end it 'should allow changing report only' do # I have no clue what other modes are available mock_app do use Rack::Protection::ContentSecurityPolicy, report_uri: '/my_amazing_csp_report_parser', report_only: true run DummyApp end headers = get('/', {}, 'wants' => 'text/html').headers expect(headers['Content-Security-Policy']).to be_nil expect(headers['Content-Security-Policy-Report-Only']).to eq("default-src 'self'; report-uri /my_amazing_csp_report_parser") end it 'should not override the header if already set' do mock_app with_headers('content-security-policy' => 'default-src: none') expect(get('/', {}, 'wants' => 'text/html').headers['Content-Security-Policy']).to eq('default-src: none') end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/http_origin_spec.rb
rack-protection/spec/lib/rack/protection/http_origin_spec.rb
# frozen_string_literal: true RSpec.describe Rack::Protection::HttpOrigin do it_behaves_like 'any rack application' before(:each) do mock_app do use Rack::Protection::HttpOrigin run DummyApp end end %w[GET HEAD POST PUT DELETE].each do |method| it "accepts #{method} requests with no Origin" do expect(send(method.downcase, '/')).to be_ok end end %w[GET HEAD].each do |method| it "accepts #{method} requests with non-permitted Origin" do expect(send(method.downcase, '/', {}, 'HTTP_ORIGIN' => 'http://malicious.com')).to be_ok end end %w[GET HEAD POST PUT DELETE].each do |method| it "accepts #{method} requests when allow_if is true" do mock_app do use Rack::Protection::HttpOrigin, allow_if: ->(env) { env.key?('HTTP_ORIGIN') } run DummyApp end expect(send(method.downcase, '/', {}, 'HTTP_ORIGIN' => 'http://any.domain.com')).to be_ok end end %w[POST PUT DELETE].each do |method| it "denies #{method} requests with non-permitted Origin" do expect(send(method.downcase, '/', {}, 'HTTP_ORIGIN' => 'http://malicious.com')).not_to be_ok end it "accepts #{method} requests with permitted Origin" do mock_app do use Rack::Protection::HttpOrigin, permitted_origins: ['http://www.friend.com'] run DummyApp end expect(send(method.downcase, '/', {}, 'HTTP_ORIGIN' => 'http://www.friend.com')).to be_ok end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/spec/lib/rack/protection/protection_spec.rb
rack-protection/spec/lib/rack/protection/protection_spec.rb
# frozen_string_literal: true require 'stringio' RSpec.describe Rack::Protection do it_behaves_like 'any rack application' it 'passes on options' do mock_app do # the :track option is used by session_hijacking use Rack::Protection, track: ['HTTP_FOO'], use: [:session_hijacking], except: [:remote_token] run proc { |_e| [200, { 'content-type' => 'text/plain' }, ['hi']] } end session = { foo: :bar } get '/', {}, 'rack.session' => session, 'HTTP_ACCEPT_ENCODING' => 'a' get '/', {}, 'rack.session' => session, 'HTTP_ACCEPT_ENCODING' => 'b' expect(session[:foo]).to eq(:bar) get '/', {}, 'rack.session' => session, 'HTTP_FOO' => 'BAR' # won't be empty if the remote_token middleware runs after session_hijacking # why we run the mock app without remote_token expect(session).to be_empty end it 'passes errors through if :reaction => :report is used' do mock_app do use Rack::Protection, reaction: :report run proc { |e| [200, { 'content-type' => 'text/plain' }, [e['protection.failed'].to_s]] } end session = { foo: :bar } post('/', {}, 'rack.session' => session, 'HTTP_ORIGIN' => 'http://malicious.com') expect(last_response).to be_ok expect(body).to eq('true') end describe '#react' do it 'prevents attacks and warns about it' do io = StringIO.new mock_app do use Rack::Protection, logger: Logger.new(io) run DummyApp end post('/', {}, 'rack.session' => {}, 'HTTP_ORIGIN' => 'http://malicious.com') expect(io.string).to match(/prevented.*Origin/) end it 'reports attacks if reaction is to report' do io = StringIO.new mock_app do use Rack::Protection, reaction: :report, logger: Logger.new(io) run DummyApp end post('/', {}, 'rack.session' => {}, 'HTTP_ORIGIN' => 'http://malicious.com') expect(io.string).to match(/reported.*Origin/) expect(io.string).not_to match(/prevented.*Origin/) end it 'drops the session and warns if reaction is to drop_session' do io = StringIO.new mock_app do use Rack::Protection, reaction: :drop_session, logger: Logger.new(io) run DummyApp end session = { foo: :bar } post('/', {}, 'rack.session' => session, 'HTTP_ORIGIN' => 'http://malicious.com') expect(io.string).to match(/session dropped by Rack::Protection::HttpOrigin/) expect(session).not_to have_key(:foo) end it 'passes errors to reaction method if specified' do io = StringIO.new Rack::Protection::Base.send(:define_method, :special) { |*args| io << args.inspect } mock_app do use Rack::Protection, reaction: :special, logger: Logger.new(io) run DummyApp end post('/', {}, 'rack.session' => {}, 'HTTP_ORIGIN' => 'http://malicious.com') expect(io.string).to match(/HTTP_ORIGIN.*malicious.com/) expect(io.string).not_to match(/reported|prevented/) end end describe '#html?' do context 'given an appropriate content-type header' do subject { Rack::Protection::Base.new(nil).html? 'content-type' => 'text/html' } it { is_expected.to be_truthy } end context 'given an appropriate content-type header of text/xml' do subject { Rack::Protection::Base.new(nil).html? 'content-type' => 'text/xml' } it { is_expected.to be_truthy } end context 'given an appropriate content-type header of application/xml' do subject { Rack::Protection::Base.new(nil).html? 'content-type' => 'application/xml' } it { is_expected.to be_truthy } end context 'given an inappropriate content-type header' do subject { Rack::Protection::Base.new(nil).html? 'content-type' => 'image/gif' } it { is_expected.to be_falsey } end context 'given no content-type header' do subject { Rack::Protection::Base.new(nil).html?({}) } it { is_expected.to be_falsey } end end describe '#instrument' do let(:env) { { 'rack.protection.attack' => 'base' } } let(:instrumenter) { double('Instrumenter') } after do app.instrument(env) end context 'with an instrumenter specified' do let(:app) { Rack::Protection::Base.new(nil, instrumenter: instrumenter) } it { expect(instrumenter).to receive(:instrument).with('rack.protection', env) } end context 'with no instrumenter specified' do let(:app) { Rack::Protection::Base.new(nil) } it { expect(instrumenter).not_to receive(:instrument) } end end describe 'new' do it 'should allow disable session protection' do mock_app do use Rack::Protection, without_session: true run DummyApp end session = { foo: :bar } get '/', {}, 'rack.session' => session, 'HTTP_USER_AGENT' => 'a' get '/', {}, 'rack.session' => session, 'HTTP_USER_AGENT' => 'b' expect(session[:foo]).to eq :bar end it 'should allow disable CSRF protection' do mock_app do use Rack::Protection, without_session: true run DummyApp end post('/', {}, 'HTTP_REFERER' => 'http://example.com/foo', 'HTTP_HOST' => 'example.org') expect(last_response).to be_ok end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/lib/rack-protection.rb
rack-protection/lib/rack-protection.rb
require 'rack/protection'
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/lib/rack_protection.rb
rack-protection/lib/rack_protection.rb
# frozen_string_literal: true require 'rack/protection'
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/lib/rack/protection.rb
rack-protection/lib/rack/protection.rb
# frozen_string_literal: true require 'rack/protection/version' require 'rack' module Rack module Protection autoload :AuthenticityToken, 'rack/protection/authenticity_token' autoload :Base, 'rack/protection/base' autoload :CookieTossing, 'rack/protection/cookie_tossing' autoload :ContentSecurityPolicy, 'rack/protection/content_security_policy' autoload :EscapedParams, 'rack/protection/escaped_params' autoload :FormToken, 'rack/protection/form_token' autoload :FrameOptions, 'rack/protection/frame_options' autoload :HostAuthorization, 'rack/protection/host_authorization' autoload :HttpOrigin, 'rack/protection/http_origin' autoload :IPSpoofing, 'rack/protection/ip_spoofing' autoload :JsonCsrf, 'rack/protection/json_csrf' autoload :PathTraversal, 'rack/protection/path_traversal' autoload :ReferrerPolicy, 'rack/protection/referrer_policy' autoload :RemoteReferrer, 'rack/protection/remote_referrer' autoload :RemoteToken, 'rack/protection/remote_token' autoload :SessionHijacking, 'rack/protection/session_hijacking' autoload :StrictTransport, 'rack/protection/strict_transport' autoload :XSSHeader, 'rack/protection/xss_header' def self.new(app, options = {}) except = Array options[:except] use_these = Array options[:use] if options.fetch(:without_session, false) except += %i[remote_token] end Rack::Builder.new do # Off by default, unless added use ::Rack::Protection::AuthenticityToken, options if use_these.include? :authenticity_token use ::Rack::Protection::ContentSecurityPolicy, options if use_these.include? :content_security_policy use ::Rack::Protection::CookieTossing, options if use_these.include? :cookie_tossing use ::Rack::Protection::EscapedParams, options if use_these.include? :escaped_params use ::Rack::Protection::FormToken, options if use_these.include? :form_token use ::Rack::Protection::ReferrerPolicy, options if use_these.include? :referrer_policy use ::Rack::Protection::RemoteReferrer, options if use_these.include? :remote_referrer use ::Rack::Protection::SessionHijacking, options if use_these.include? :session_hijacking use ::Rack::Protection::StrictTransport, options if use_these.include? :strict_transport # On by default, unless skipped use ::Rack::Protection::FrameOptions, options unless except.include? :frame_options use ::Rack::Protection::HttpOrigin, options unless except.include? :http_origin use ::Rack::Protection::IPSpoofing, options unless except.include? :ip_spoofing use ::Rack::Protection::JsonCsrf, options unless except.include? :json_csrf use ::Rack::Protection::PathTraversal, options unless except.include? :path_traversal use ::Rack::Protection::RemoteToken, options unless except.include? :remote_token use ::Rack::Protection::XSSHeader, options unless except.include? :xss_header run app end.to_app end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/lib/rack/protection/content_security_policy.rb
rack-protection/lib/rack/protection/content_security_policy.rb
# frozen_string_literal: true require 'rack/protection' module Rack module Protection ## # Prevented attack:: XSS and others # Supported browsers:: Firefox 23+, Safari 7+, Chrome 25+, Opera 15+ # # Description:: Content Security Policy, a mechanism web applications # can use to mitigate a broad class of content injection # vulnerabilities, such as cross-site scripting (XSS). # Content Security Policy is a declarative policy that lets # the authors (or server administrators) of a web application # inform the client about the sources from which the # application expects to load resources. # # More info:: W3C CSP Level 1 : https://www.w3.org/TR/CSP1/ (deprecated) # W3C CSP Level 2 : https://www.w3.org/TR/CSP2/ (current) # W3C CSP Level 3 : https://www.w3.org/TR/CSP3/ (draft) # https://developer.mozilla.org/en-US/docs/Web/Security/CSP # http://caniuse.com/#search=ContentSecurityPolicy # http://content-security-policy.com/ # https://securityheaders.io # https://scotthelme.co.uk/csp-cheat-sheet/ # http://www.html5rocks.com/en/tutorials/security/content-security-policy/ # # Sets the 'content-security-policy[-report-only]' header. # # Options: ContentSecurityPolicy configuration is a complex topic with # several levels of support that has evolved over time. # See the W3C documentation and the links in the more info # section for CSP usage examples and best practices. The # CSP3 directives in the 'NO_ARG_DIRECTIVES' constant need to be # presented in the options hash with a boolean 'true' in order # to be used in a policy. # class ContentSecurityPolicy < Base default_options default_src: "'self'", report_only: false DIRECTIVES = %i[base_uri child_src connect_src default_src font_src form_action frame_ancestors frame_src img_src manifest_src media_src object_src plugin_types referrer reflected_xss report_to report_uri require_sri_for sandbox script_src style_src worker_src webrtc_src navigate_to prefetch_src].freeze NO_ARG_DIRECTIVES = %i[block_all_mixed_content disown_opener upgrade_insecure_requests].freeze def csp_policy directives = [] DIRECTIVES.each do |d| if options.key?(d) directives << "#{d.to_s.sub(/_/, '-')} #{options[d]}" end end # Set these key values to boolean 'true' to include in policy NO_ARG_DIRECTIVES.each do |d| if options.key?(d) && options[d].is_a?(TrueClass) directives << d.to_s.tr('_', '-') end end directives.compact.sort.join('; ') end def call(env) status, headers, body = @app.call(env) header = options[:report_only] ? 'content-security-policy-report-only' : 'content-security-policy' headers[header] ||= csp_policy if html? headers [status, headers, body] end end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false
sinatra/sinatra
https://github.com/sinatra/sinatra/blob/074d876e0c54ffbe605bb733cefc5a71bb22dbc1/rack-protection/lib/rack/protection/cookie_tossing.rb
rack-protection/lib/rack/protection/cookie_tossing.rb
# frozen_string_literal: true require 'rack/protection' require 'pathname' module Rack module Protection ## # Prevented attack:: Cookie Tossing # Supported browsers:: all # More infos:: https://github.com/blog/1466-yummy-cookies-across-domains # # Does not accept HTTP requests if the HTTP_COOKIE header contains more than one # session cookie. This does not protect against a cookie overflow attack. # # Options: # # session_key:: The name of the session cookie (default: 'rack.session') class CookieTossing < Base default_reaction :deny def call(env) status, headers, body = super response = Rack::Response.new(body, status, headers) request = Rack::Request.new(env) remove_bad_cookies(request, response) response.finish end def accepts?(env) cookie_header = env['HTTP_COOKIE'] cookies = Rack::Utils.parse_query(cookie_header, ';,') { |s| s } cookies.each do |k, v| if (k == session_key && Array(v).size > 1) || (k != session_key && Rack::Utils.unescape(k) == session_key) bad_cookies << k end end bad_cookies.empty? end def remove_bad_cookies(request, response) return if bad_cookies.empty? paths = cookie_paths(request.path) bad_cookies.each do |name| paths.each { |path| response.set_cookie name, empty_cookie(request.host, path) } end end def redirect(env) request = Request.new(env) warn env, "attack prevented by #{self.class}" [302, { 'content-type' => 'text/html', 'location' => request.path }, []] end def bad_cookies @bad_cookies ||= [] end def cookie_paths(path) path = '/' if path.to_s.empty? paths = [] Pathname.new(path).descend { |p| paths << p.to_s } paths end def empty_cookie(host, path) { value: '', domain: host, path: path, expires: Time.at(0) } end def session_key @session_key ||= options[:session_key] end end end end
ruby
MIT
074d876e0c54ffbe605bb733cefc5a71bb22dbc1
2026-01-04T15:37:42.068011Z
false