Welcome to mirror list, hosted at ThFree Co, Russian Federation.

attributes_filter.rb « filter « banzai « lib - gitlab.com/gitlab-org/gitlab-foss.git - Unnamed repository; edit this file 'description' to name the repository.
summaryrefslogtreecommitdiff
blob: 98b0ed8cc22ec403fdbfcc21b681d6af777b4471 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
# frozen_string_literal: true

module Banzai
  module Filter
    # Looks for attributes that are specified for an element.  Follows the basic syntax laid out
    # in https://github.com/jgm/commonmark-hs/blob/master/commonmark-extensions/test/attributes.md
    # For example,
    #   ![](http://example.com/image.jpg){width=50%}
    #
    # However we currently have the following limitations:
    # - only support images
    # - only support the `width` and `height` attributes
    # - attributes can not span multiple lines
    # - unsupported attributes are thrown away
    class AttributesFilter < HTML::Pipeline::Filter
      CSS   = 'img'
      XPATH = Gitlab::Utils::Nokogiri.css_to_xpath(CSS).freeze

      ATTRIBUTES_PATTERN = %r{\A(?<matched>\{(?<attributes>.{1,100})\})}
      WIDTH_HEIGHT_REGEX = %r{\A(?<name>height|width)="?(?<size>[\w%]{1,10})"?\z}
      VALID_SIZE_REGEX   = %r{\A\d{1,4}(%|px)?\z}

      def call
        doc.xpath(XPATH).each do |img|
          sibling = img.next
          next unless sibling && sibling.text? && sibling.content.first == '{'

          match = sibling.content.match(ATTRIBUTES_PATTERN)
          next unless match && match[:attributes]

          match[:attributes].split(' ').each do |attribute|
            next unless attribute.match?(WIDTH_HEIGHT_REGEX)

            attribute_match = attribute.match(WIDTH_HEIGHT_REGEX)
            img[attribute_match[:name].to_sym] = attribute_match[:size] if valid_size?(attribute_match[:size])
          end

          sibling.content = sibling.content.sub(match[:matched], '')
        end

        doc
      end

      private

      def valid_size?(size)
        size.match?(VALID_SIZE_REGEX)
      end
    end
  end
end