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

structure_sql.rb « schema_validation « database « gitlab « lib - gitlab.com/gitlab-org/gitlab-foss.git - Unnamed repository; edit this file 'description' to name the repository.
summaryrefslogtreecommitdiff
blob: e93c33aedcd0f76115336171e591e9c7b3df9ed3 (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
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
# frozen_string_literal: true

module Gitlab
  module Database
    module SchemaValidation
      class StructureSql
        DEFAULT_SCHEMA = 'public'

        def initialize(structure_file_path, schema_name = DEFAULT_SCHEMA)
          @structure_file_path = structure_file_path
          @schema_name = schema_name
        end

        def index_exists?(index_name)
          indexes.find { |index| index.name == index_name }.present?
        end

        def trigger_exists?(trigger_name)
          triggers.find { |trigger| trigger.name == trigger_name }.present?
        end

        def fetch_table_by_name(table_name)
          tables.find { |table| table.name == table_name }
        end

        def table_exists?(table_name)
          fetch_table_by_name(table_name).present?
        end

        def indexes
          @indexes ||= map_with_default_schema(index_statements, SchemaObjects::Index)
        end

        def triggers
          @triggers ||= map_with_default_schema(trigger_statements, SchemaObjects::Trigger)
        end

        def tables
          @tables ||= table_statements.map do |stmt|
            table_name = stmt.relation.relname

            columns = stmt.table_elts.select { |n| n.node == :column_def }.map do |column|
              SchemaObjects::Column.new(Adapters::ColumnStructureSqlAdapter.new(table_name, column.column_def))
            end

            SchemaObjects::Table.new(table_name, columns)
          end
        end

        private

        attr_reader :structure_file_path, :schema_name

        def index_statements
          statements.filter_map { |s| s.stmt.index_stmt }
        end

        def trigger_statements
          statements.filter_map { |s| s.stmt.create_trig_stmt }
        end

        def table_statements
          statements.filter_map { |s| s.stmt.create_stmt }
        end

        def statements
          @statements ||= parsed_structure_file.tree.stmts
        end

        def parsed_structure_file
          PgQuery.parse(File.read(structure_file_path))
        end

        def map_with_default_schema(statements, validation_class)
          statements.map do |statement|
            statement.relation.schemaname = schema_name if statement.relation.schemaname == ''

            validation_class.new(statement)
          end
        end
      end
    end
  end
end