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 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307
|
# Licensed to Elasticsearch B.V. under one or more contributor
# license agreements. See the NOTICE file distributed with
# this work for additional information regarding copyright
# ownership. Elasticsearch B.V. licenses this file to you under
# the Apache License, Version 2.0 (the "License"); you may
# not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the License for the
# specific language governing permissions and limitations
# under the License.
# encoding: UTF-8
require 'thor'
require 'pathname'
require 'active_support/core_ext/hash/deep_merge'
require 'active_support/inflector'
require 'multi_json'
require 'coderay'
require 'pry'
require_relative 'generator/files_helper'
require_relative 'generator/endpoint_specifics'
module Elasticsearch
module API
# A command line application based on [Thor](https://github.com/wycats/thor),
# which will read the JSON API spec file(s), and generate
# the Ruby source code (one file per API endpoint) with correct
# module namespace, method names, and RDoc documentation,
# as well as test files for each endpoint.
#
# Specific exceptions and code snippets that need to be included are written
# in EndpointSpecifics (generator/endpoint_specifics) and the module is included
# here.
#
class SourceGenerator < Thor
namespace 'api:code'
include Thor::Actions
include EndpointSpecifics
__root = Pathname(File.expand_path('../../..', __FILE__))
desc 'generate', 'Generate source code and tests from the REST API JSON specification'
method_option :verbose, type: :boolean, default: false, desc: 'Output more information'
method_option :tests, type: :boolean, default: false, desc: 'Generate test files'
method_option :api, type: :array, default: %w[oss xpack], desc: 'APIs to generate (oss, x-pack)'
def generate
self.class.source_root File.expand_path(__dir__)
@xpack = options[:api].include? 'xpack'
@oss = options[:api].include? 'oss'
__generate_source(:xpack) if @xpack
__generate_source(:oss) if @oss
# -- Tree output
print_tree if options[:verbose]
end
private
def __generate_source(api)
@current_api = api
@output = FilesHelper.output_dir(api)
FilesHelper.files(api).each do |filepath|
@path = Pathname(filepath)
@json = MultiJson.load(File.read(@path))
@spec = @json.values.first
say_status 'json', @path, :yellow
@spec['url'] ||= {}
@endpoint_name = @json.keys.first
@full_namespace = __full_namespace
@namespace_depth = @full_namespace.size > 0 ? @full_namespace.size - 1 : 0
@module_namespace = @full_namespace[0, @namespace_depth]
@method_name = @full_namespace.last
@parts = __endpoint_parts
@params = @spec['params'] || {}
@specific_params = specific_params(@module_namespace.first) # See EndpointSpecifics
@http_method = __http_method
@paths = @spec['url']['paths'].map { |b| b['path'] }
# Using Ruby's safe operator on array:
@deprecation_note = @spec['url']['paths'].last&.[]('deprecated')
@http_path = __http_path
@required_parts = __required_parts
@module_namespace.shift if @module_namespace.first == 'xpack'
@path_to_file = @output.join(@module_namespace.join('/')).join("#{@method_name}.rb")
dir = @output.join(@module_namespace.join('/'))
empty_directory(dir, verbose: false)
# Write the file with the ERB template:
template('templates/method.erb', @path_to_file, force: true)
print_source_code(@path_to_file) if options[:verbose]
generate_tests if options[:tests]
puts
end
run_rubocop(api)
end
def __full_namespace
names = @endpoint_name.split('.')
if @current_api == :xpack
names = (names.first == 'xpack' ? names : ['xpack', names].flatten)
# Return an array to expand 'ccr', 'ilm', 'ml' and 'slm'
names.map do |name|
name
.gsub(/^ml$/, 'machine_learning')
.gsub(/^ilm$/, 'index_lifecycle_management')
.gsub(/^ccr/, 'cross_cluster_replication')
.gsub(/^slm/, 'snapshot_lifecycle_management')
end
else
names
end
end
# Create the hierarchy of directories based on API namespaces
#
def __create_directories(key, value)
return if value['documentation']
empty_directory @output.join(key)
create_directory_hierarchy * value.to_a.first
end
# Extract parts from each path
#
def __endpoint_parts
parts = @spec['url']['paths'].select do |a|
a.keys.include?('parts')
end.map do |path|
path&.[]('parts')
end
(parts.inject(&:merge) || [])
end
def __http_method
return '_id ? Elasticsearch::API::HTTP_PUT : Elasticsearch::API::HTTP_POST' if @endpoint_name == 'index'
return post_and_get if @endpoint_name == 'count'
default_method = @spec['url']['paths'].map { |a| a['methods'] }.flatten.first
if @spec['body'] && default_method == 'GET'
# When default method is GET and body is required, we should always use POST
if @spec['body']['required']
'Elasticsearch::API::HTTP_POST'
else
post_and_get
end
else
"Elasticsearch::API::HTTP_#{default_method}"
end
end
def post_and_get
<<~SRC
if arguments[:body]
Elasticsearch::API::HTTP_POST
else
Elasticsearch::API::HTTP_GET
end
SRC
end
def __http_path
return "\"#{__parse_path(@paths.first)}\"" if @paths.size == 1
return termvectors_path if @method_name == 'termvectors'
result = ''
anchor_string = []
@paths.sort { |a, b| b.length <=> a.length }.each_with_index do |path, i|
var_string = __extract_path_variables(path).map { |var| "_#{var}" }.join(' && ')
next if anchor_string.include? var_string
anchor_string << var_string
result += if i.zero?
"if #{var_string}\n"
elsif (i == @paths.size - 1) || var_string.empty?
"else\n"
else
"elsif #{var_string}\n"
end
result += "\"#{__parse_path(path)}\"\n"
end
result += 'end'
result
end
def __parse_path(path)
path.gsub(/^\//, '')
.gsub(/\/$/, '')
.gsub('{', "\#{#{__utils}.__listify(_")
.gsub('}', ')}')
end
def __path_variables
@paths.map do |path|
__extract_path_variables(path)
end
end
# extract values that are in the {var} format:
def __extract_path_variables(path)
path.scan(/{(\w+)}/).flatten
end
# Find parts that are definitely required and should raise an error if
# they're not present
#
def __required_parts
required = []
return required if @endpoint_name == 'tasks.get'
required << 'body' if (@spec['body'] && @spec['body']['required'])
# Get required variables from paths:
req_variables = __path_variables.inject(:&) # find intersection
required << req_variables unless req_variables.empty?
required.flatten
end
def docs_helper(name, info)
info['type'] = 'String' if info['type'] == 'enum' # Rename 'enums' to 'strings'
info['type'] = 'Integer' if info['type'] == 'int' # Rename 'int' to 'Integer'
tipo = info['type'] ? info['type'].capitalize : 'String'
description = info['description'] ? info['description'].strip : '[TODO]'
options = info['options'] ? "(options: #{info['options'].join(', ').strip})" : nil
required = info['required'] ? '(*Required*)' : ''
deprecated = info['deprecated'] ? '*Deprecated*' : ''
optionals = [required, deprecated, options].join(' ').strip
"# @option arguments [#{tipo}] :#{name} #{description} #{optionals}\n"
end
def stability_doc_helper(stability)
return if stability == 'stable'
if stability == 'experimental'
<<~MSG
# This functionality is Experimental and may be changed or removed
# completely in a future release. Elastic will take a best effort approach
# to fix any issues, but experimental features are not subject to the
# support SLA of official GA features.
MSG
elsif stability == 'beta'
<<~MSG
# This functionality is in Beta and is subject to change. The design and
# code is less mature than official GA features and is being provided
# as-is with no warranties. Beta features are not subject to the support
# SLA of official GA features.
MSG
else
<<~MSG
# This functionality is subject to potential breaking changes within a
# minor version, meaning that your referencing code may break when this
# library is upgraded.
MSG
end
end
def generate_tests
copy_file 'templates/test_helper.rb', @output.join('test').join('test_helper.rb')
@test_directory = @output.join('test/api').join(@module_namespace.join('/'))
@test_file = @test_directory.join("#{@method_name}_test.rb")
empty_directory @test_directory
template 'templates/test.erb', @test_file
print_source_code(@test_file) if options[:verbose]
end
def print_source_code(path_to_file)
colorized_output = CodeRay.scan_file(path_to_file, :ruby).terminal
lines = colorized_output.split("\n")
formatted = lines.first + "\n" + lines[1, lines.size].map { |l| ' ' * 14 + l }.join("\n")
say_status('ruby', formatted, :yellow)
end
def print_tree
return unless `which tree > /dev/null 2>&1; echo $?`.to_i < 1
lines = `tree #{@output}`.split("\n")
say_status('tree', lines.first + "\n" + lines[1, lines.size].map { |l| ' ' * 14 + l }.join("\n"))
end
def __utils
@current_api == :xpack ? 'Elasticsearch::API::Utils' : 'Utils'
end
def run_rubocop(api)
system("rubocop -c ./thor/.rubocop.yml --format autogenconf -x #{FilesHelper::output_dir(api)}")
end
end
end
end
|