kibana/src/plugins/console/public/lib/autocomplete/autocomplete.ts
Youhei Sakurai b46a737703
Add support for PATCH requests in Console (#165634)
## Summary

This PR adds support for PATCH requests in Console.


![patch-request](8257ca4b-303e-4f46-bbcc-6e6f95336c30)

Closes #154274

### Checklist

- [x]
[Documentation](https://www.elastic.co/guide/en/kibana/master/development-documentation.html)
was added for features that require explanation or tutorials
- [x] [Unit or functional
tests](https://www.elastic.co/guide/en/kibana/master/development-tests.html)
were updated or added to match the most common scenarios

### For maintainers

- [x] This was checked for breaking API changes and was [labeled
appropriately](https://www.elastic.co/guide/en/kibana/master/contributing.html#kibana-release-notes-process)

## Release note

Adds support for PATCH requests in Console.

---------

Co-authored-by: Kibana Machine <42973632+kibanamachine@users.noreply.github.com>
2023-09-09 10:33:56 +09:00

1323 lines
42 KiB
TypeScript

/*
* Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
* or more contributor license agreements. Licensed under the Elastic License
* 2.0 and the Server Side Public License, v 1; you may not use this file except
* in compliance with, at your election, the Elastic License 2.0 or the Server
* Side Public License, v 1.
*/
import _ from 'lodash';
import { i18n } from '@kbn/i18n';
// TODO: All of these imports need to be moved to the core editor so that it can inject components from there.
import {
getEndpointBodyCompleteComponents,
getGlobalAutocompleteComponents,
getTopLevelUrlCompleteComponents,
getUnmatchedEndpointComponents,
} from '../kb/kb';
import { createTokenIterator } from '../../application/factories';
import type { CoreEditor, Position, Range, Token } from '../../types';
import type RowParser from '../row_parser';
import * as utils from '../utils';
import { populateContext } from './engine';
import type { AutoCompleteContext, DataAutoCompleteRulesOneOf, ResultTerm } from './types';
import { URL_PATH_END_MARKER } from './components';
let lastEvaluatedToken: Token | null = null;
function isUrlParamsToken(token: { type: string } | null) {
switch ((token || {}).type) {
case 'url.param':
case 'url.equal':
case 'url.value':
case 'url.questionmark':
case 'url.amp':
return true;
default:
return false;
}
}
const tracer = (...args: any[]) => {
// @ts-expect-error ts upgrade v4.7.4
if (window.autocomplete_trace) {
// eslint-disable-next-line no-console
console.log.call(
console,
..._.map(args, (arg) => {
return typeof arg === 'object' ? JSON.stringify(arg) : arg;
})
);
}
};
/**
* Get the method and token paths for a specific position in the current editor buffer.
*
* This function can be used for getting autocomplete information or for getting more information
* about the endpoint associated with autocomplete. In future, these concerns should be better
* separated.
*
*/
export function getCurrentMethodAndTokenPaths(
editor: CoreEditor,
pos: Position,
parser: RowParser,
forceEndOfUrl?: boolean /* Flag for indicating whether we want to avoid early escape optimization. */
) {
const tokenIter = createTokenIterator({
editor,
position: pos,
});
const startPos = pos;
let bodyTokenPath: string[] | null = [];
const ret: AutoCompleteContext = {};
const STATES = {
looking_for_key: 0, // looking for a key but without jumping over anything but white space and colon.
looking_for_scope_start: 1, // skip everything until scope start
start: 3,
};
let state = STATES.start;
// initialization problems -
let t = tokenIter.getCurrentToken();
if (t) {
if (startPos.column === 1) {
// if we are at the beginning of the line, the current token is the one after cursor, not before which
// deviates from the standard.
t = tokenIter.stepBackward();
state = STATES.looking_for_scope_start;
}
} else {
if (startPos.column === 1) {
// empty lines do no have tokens, move one back
t = tokenIter.stepBackward();
state = STATES.start;
}
}
let walkedSomeBody = false;
// climb one scope at a time and get the scope key
for (; t && t.type.indexOf('url') === -1 && t.type !== 'method'; t = tokenIter.stepBackward()) {
if (t.type !== 'whitespace') {
walkedSomeBody = true;
} // marks we saw something
switch (t.type) {
case 'variable':
if (state === STATES.looking_for_key) {
bodyTokenPath.unshift(t.value.trim().replace(/"/g, ''));
}
state = STATES.looking_for_scope_start; // skip everything until the beginning of this scope
break;
case 'paren.lparen':
bodyTokenPath.unshift(t.value);
if (state === STATES.looking_for_scope_start) {
// found it. go look for the relevant key
state = STATES.looking_for_key;
}
break;
case 'paren.rparen':
// reset he search for key
state = STATES.looking_for_scope_start;
// and ignore this sub scope..
let parenCount = 1;
t = tokenIter.stepBackward();
while (t && parenCount > 0) {
switch (t.type) {
case 'paren.lparen':
parenCount--;
break;
case 'paren.rparen':
parenCount++;
break;
}
if (parenCount > 0) {
t = tokenIter.stepBackward();
}
}
if (!t) {
tracer(`paren.rparen: oops we run out.. we don't know what's up return null`);
return {};
}
continue;
case 'punctuation.end_triple_quote':
// reset the search for key
state = STATES.looking_for_scope_start;
for (t = tokenIter.stepBackward(); t; t = tokenIter.stepBackward()) {
if (t.type === 'punctuation.start_triple_quote') {
t = tokenIter.stepBackward();
break;
}
}
if (!t) {
tracer(`paren.rparen: oops we run out.. we don't know what's up return null`);
return {};
}
continue;
case 'punctuation.start_triple_quote':
if (state === STATES.start) {
state = STATES.looking_for_key;
} else if (state === STATES.looking_for_key) {
state = STATES.looking_for_scope_start;
}
bodyTokenPath.unshift('"""');
continue;
case 'string':
case 'constant.numeric':
case 'constant.language.boolean':
case 'text':
if (state === STATES.start) {
state = STATES.looking_for_key;
} else if (state === STATES.looking_for_key) {
state = STATES.looking_for_scope_start;
}
break;
case 'punctuation.comma':
if (state === STATES.start) {
state = STATES.looking_for_scope_start;
}
break;
case 'punctuation.colon':
case 'whitespace':
if (state === STATES.start) {
state = STATES.looking_for_key;
}
break; // skip white space
}
}
if (walkedSomeBody && (!bodyTokenPath || bodyTokenPath.length === 0) && !forceEndOfUrl) {
tracer(
'we had some content and still no path',
'-> the cursor is position after a closed body',
'-> no auto complete'
);
return {};
}
ret.urlTokenPath = [];
if (tokenIter.getCurrentPosition().lineNumber === startPos.lineNumber) {
if (t && (t.type === 'url.part' || t.type === 'url.param' || t.type === 'url.value')) {
// we are forcing the end of the url for the purposes of determining an endpoint
if (forceEndOfUrl && t.type === 'url.part') {
ret.urlTokenPath.push(t.value);
ret.urlTokenPath.push(URL_PATH_END_MARKER);
}
// we are on the same line as cursor and dealing with a url. Current token is not part of the context
t = tokenIter.stepBackward();
// This will force method parsing
while (t!.type === 'whitespace') {
t = tokenIter.stepBackward();
}
}
bodyTokenPath = null; // no not on a body line.
}
ret.bodyTokenPath = bodyTokenPath;
ret.urlParamsTokenPath = null;
ret.requestStartRow = tokenIter.getCurrentPosition().lineNumber;
let curUrlPart:
| null
| string
| Array<string | Record<string, unknown>>
| undefined
| Record<string, unknown>;
while (t && isUrlParamsToken(t)) {
switch (t.type) {
case 'url.value':
if (Array.isArray(curUrlPart)) {
curUrlPart.unshift(t.value);
} else if (curUrlPart) {
curUrlPart = [t.value, curUrlPart];
} else {
curUrlPart = t.value;
}
break;
case 'url.comma':
if (!curUrlPart) {
curUrlPart = [];
} else if (!Array.isArray(curUrlPart)) {
curUrlPart = [curUrlPart];
}
break;
case 'url.param':
const v = curUrlPart;
curUrlPart = {};
curUrlPart[t.value] = v;
break;
case 'url.amp':
case 'url.questionmark':
if (!ret.urlParamsTokenPath) {
ret.urlParamsTokenPath = [];
}
ret.urlParamsTokenPath.unshift((curUrlPart as Record<string, string>) || {});
curUrlPart = null;
break;
}
t = tokenIter.stepBackward();
}
curUrlPart = null;
while (t && t.type.indexOf('url') !== -1) {
switch (t.type) {
case 'url.part':
if (Array.isArray(curUrlPart)) {
curUrlPart.unshift(t.value);
} else if (curUrlPart) {
curUrlPart = [t.value, curUrlPart];
} else {
curUrlPart = t.value;
}
break;
case 'url.comma':
if (!curUrlPart) {
curUrlPart = [];
} else if (!Array.isArray(curUrlPart)) {
curUrlPart = [curUrlPart];
}
break;
case 'url.slash':
if (curUrlPart) {
ret.urlTokenPath.unshift(curUrlPart as string);
curUrlPart = null;
}
break;
}
t = parser.prevNonEmptyToken(tokenIter);
}
if (curUrlPart) {
ret.urlTokenPath.unshift(curUrlPart as string);
}
if (!ret.bodyTokenPath && !ret.urlParamsTokenPath) {
if (ret.urlTokenPath.length > 0) {
// // started on the url, first token is current token
ret.otherTokenValues = ret.urlTokenPath[0];
}
} else {
// mark the url as completed.
ret.urlTokenPath.push(URL_PATH_END_MARKER);
}
if (t && t.type === 'method') {
ret.method = t.value;
}
return ret;
}
// eslint-disable-next-line import/no-default-export
export default function ({
coreEditor: editor,
parser,
}: {
coreEditor: CoreEditor;
parser: RowParser;
}) {
function isUrlPathToken(token: Token | null) {
switch ((token || ({} as Token)).type) {
case 'url.slash':
case 'url.comma':
case 'url.part':
return true;
default:
return false;
}
}
function addMetaToTermsList(
list: unknown[],
meta: unknown,
template?: string
): Array<{ meta: unknown; template: unknown; name?: string }> {
return _.map(list, function (t) {
if (typeof t !== 'object') {
t = { name: t };
}
return _.defaults(t, { meta, template });
});
}
function replaceLinesWithPrefixPieces(prefixPieces: string[], startLineNumber: number) {
const middlePiecesCount = prefixPieces.length - 1;
prefixPieces.forEach((piece, index) => {
if (index >= middlePiecesCount) {
return;
}
const line = startLineNumber + index + 1;
const column = editor.getLineValue(line).length - 1;
const start = { lineNumber: line, column: 0 };
const end = { lineNumber: line, column };
editor.replace({ start, end }, piece);
});
}
/**
* Get a different set of templates based on the value configured in the request.
* For example, when creating a snapshot repository of different types (`fs`, `url` etc),
* different properties are inserted in the textarea based on the type.
* E.g. https://github.com/elastic/kibana/blob/main/src/plugins/console/server/lib/spec_definitions/json/overrides/snapshot.create_repository.json
*/
function getConditionalTemplate(
name: string,
autocompleteRules: Record<string, unknown> | null | undefined
) {
const obj = autocompleteRules && autocompleteRules[name];
if (obj) {
const currentLineNumber = editor.getCurrentPosition().lineNumber;
if (hasOneOfIn(obj)) {
// Get the line number of value that should provide different templates based on that
const startLine = getStartLineNumber(currentLineNumber, obj.__one_of);
// Join line values from start to current line
const lines = editor.getLines(startLine, currentLineNumber).join('\n');
// Get the correct template by comparing the autocomplete rules against the lines
const prop = getProperty(lines, obj.__one_of);
if (prop && prop.__template) {
return prop.__template;
}
}
}
}
/**
* Check if object has a property of '__one_of'
*/
function hasOneOfIn(value: unknown): value is { __one_of: DataAutoCompleteRulesOneOf[] } {
return typeof value === 'object' && value !== null && '__one_of' in value;
}
/**
* Get the start line of value that matches the autocomplete rules condition
*/
function getStartLineNumber(currentLine: number, rules: DataAutoCompleteRulesOneOf[]): number {
if (currentLine === 1) {
return currentLine;
}
const value = editor.getLineValue(currentLine);
const prop = getProperty(value, rules);
if (prop) {
return currentLine;
}
return getStartLineNumber(currentLine - 1, rules);
}
/**
* Get the matching property based on the given condition
*/
function getProperty(condition: string, rules: DataAutoCompleteRulesOneOf[]) {
return rules.find((rule) => {
if (rule.__condition && rule.__condition.lines_regex) {
return new RegExp(rule.__condition.lines_regex, 'm').test(condition);
}
return false;
});
}
function applyTerm(term: {
value?: string;
context?: AutoCompleteContext;
template?: { __raw?: boolean; value?: string; [key: string]: unknown };
insertValue?: string;
}) {
const context = term.context!;
if (context?.endpoint && term.value) {
const { data_autocomplete_rules: autocompleteRules } = context.endpoint;
const template = getConditionalTemplate(term.value, autocompleteRules);
if (template) {
term.template = template;
}
}
// make sure we get up to date replacement info.
addReplacementInfoToContext(context, editor.getCurrentPosition(), term.insertValue);
let termAsString;
if (context.autoCompleteType === 'body') {
termAsString =
typeof term.insertValue === 'string' ? '"' + term.insertValue + '"' : term.insertValue + '';
if (term.insertValue === '[' || term.insertValue === '{') {
termAsString = '';
}
} else {
termAsString = term.insertValue + '';
}
let valueToInsert = termAsString;
let templateInserted = false;
if (context.addTemplate && !_.isUndefined(term.template) && !_.isNull(term.template)) {
let indentedTemplateLines;
// In order to allow triple quoted strings in template completion we check the `__raw_`
// attribute to determine whether this template should go through JSON formatting.
if (term.template.__raw && term.template.value) {
indentedTemplateLines = term.template.value.split('\n');
} else {
indentedTemplateLines = utils.jsonToString(term.template, true).split('\n');
}
let currentIndentation = editor.getLineValue(context.rangeToReplace!.start.lineNumber);
currentIndentation = currentIndentation.match(/^\s*/)![0];
for (
let i = 1;
i < indentedTemplateLines.length;
i++ // skip first line
) {
indentedTemplateLines[i] = currentIndentation + indentedTemplateLines[i];
}
valueToInsert += ': ' + indentedTemplateLines.join('\n');
templateInserted = true;
} else {
templateInserted = true;
if (term.value === '[') {
valueToInsert += '[]';
} else if (term.value === '{') {
valueToInsert += '{}';
} else {
templateInserted = false;
}
}
const linesToMoveDown = (context.prefixToAdd ?? '').match(/\n|\r/g)?.length ?? 0;
let prefix = context.prefixToAdd ?? '';
// disable listening to the changes we are making.
editor.off('changeSelection', editorChangeListener);
// if should add chars on the previous not empty line
if (linesToMoveDown) {
const [firstPart = '', ...prefixPieces] = context.prefixToAdd?.split(/\n|\r/g) ?? [];
const lastPart = _.last(prefixPieces) ?? '';
const { start } = context.rangeToReplace!;
const end = { ...start, column: start.column + firstPart.length };
// adding only the content of prefix before newlines
editor.replace({ start, end }, firstPart);
// replacing prefix pieces without the last one, which is handled separately
if (prefixPieces.length - 1 > 0) {
replaceLinesWithPrefixPieces(prefixPieces, start.lineNumber);
}
// and the last prefix line, keeping the editor's own newlines.
prefix = lastPart;
context.rangeToReplace!.start.lineNumber = context.rangeToReplace!.end.lineNumber;
context.rangeToReplace!.start.column = 0;
}
valueToInsert = prefix + valueToInsert + context.suffixToAdd;
if (context.rangeToReplace!.start.column !== context.rangeToReplace!.end.column) {
editor.replace(context.rangeToReplace!, valueToInsert);
} else {
editor.insert(valueToInsert);
}
editor.clearSelection(); // for some reason the above changes selection
// go back to see whether we have one of ( : { & [ do not require a comma. All the rest do.
let newPos = {
lineNumber: context.rangeToReplace!.start.lineNumber,
column:
context.rangeToReplace!.start.column +
termAsString.length +
prefix.length +
(templateInserted ? 0 : context.suffixToAdd!.length),
};
const tokenIter = createTokenIterator({
editor,
position: newPos,
});
if (context.autoCompleteType === 'body') {
// look for the next place stand, just after a comma, {
let nonEmptyToken = parser.nextNonEmptyToken(tokenIter);
switch (nonEmptyToken ? nonEmptyToken.type : 'NOTOKEN') {
case 'paren.rparen':
newPos = tokenIter.getCurrentPosition();
break;
case 'punctuation.colon':
nonEmptyToken = parser.nextNonEmptyToken(tokenIter);
if ((nonEmptyToken || ({} as Token)).type === 'paren.lparen') {
nonEmptyToken = parser.nextNonEmptyToken(tokenIter);
newPos = tokenIter.getCurrentPosition();
if (nonEmptyToken && nonEmptyToken.value.indexOf('"') === 0) {
newPos.column++;
} // don't stand on "
}
break;
case 'paren.lparen':
case 'punctuation.comma':
tokenIter.stepForward();
newPos = tokenIter.getCurrentPosition();
break;
}
editor.moveCursorToPosition(newPos);
}
// re-enable listening to typing
editor.on('changeSelection', editorChangeListener);
}
function getAutoCompleteContext(ctxEditor: CoreEditor, pos: Position) {
// deduces all the parameters need to position and insert the auto complete
const context: AutoCompleteContext = {
autoCompleteSet: null, // instructions for what can be here
endpoint: null,
urlPath: null,
method: null,
activeScheme: null,
editor: ctxEditor,
};
// context.updatedForToken = session.getTokenAt(pos.row, pos.column);
//
// if (!context.updatedForToken)
// context.updatedForToken = { value: "", start: pos.column }; // empty line
//
// context.updatedForToken.row = pos.row; // extend
context.autoCompleteType = getAutoCompleteType(pos);
switch (context.autoCompleteType) {
case 'path':
addPathAutoCompleteSetToContext(context, pos);
break;
case 'url_params':
addUrlParamsAutoCompleteSetToContext(context, pos);
break;
case 'method':
addMethodAutoCompleteSetToContext(context);
break;
case 'body':
addBodyAutoCompleteSetToContext(context, pos);
break;
default:
return null;
}
const isMappingsFetchingInProgress =
context.autoCompleteType === 'body' && !!context.asyncResultsState?.isLoading;
if (!context.autoCompleteSet && !isMappingsFetchingInProgress) {
tracer('nothing to do..', context);
return null;
}
addReplacementInfoToContext(context, pos);
context.createdWithToken = _.clone(context.updatedForToken);
return context;
}
function getAutoCompleteType(pos: Position) {
// return "method", "path" or "body" to determine auto complete type.
let rowMode = parser.getRowParseMode();
// eslint-disable-next-line no-bitwise
if (rowMode & parser.MODE.IN_REQUEST) {
return 'body';
}
// eslint-disable-next-line no-bitwise
if (rowMode & parser.MODE.REQUEST_START) {
// on url path, url params or method.
const tokenIter = createTokenIterator({
editor,
position: pos,
});
let t = tokenIter.getCurrentToken();
while (t!.type === 'url.comma') {
t = tokenIter.stepBackward();
}
switch (t!.type) {
case 'method':
return 'method';
case 'whitespace':
t = parser.prevNonEmptyToken(tokenIter);
switch ((t || ({} as Token)).type) {
case 'method':
// we moved one back
return 'path';
break;
default:
if (isUrlPathToken(t)) {
return 'path';
}
if (isUrlParamsToken(t)) {
return 'url_params';
}
return null;
}
break;
default:
if (isUrlPathToken(t)) {
return 'path';
}
if (isUrlParamsToken(t)) {
return 'url_params';
}
return null;
}
}
// after start to avoid single line url only requests
// eslint-disable-next-line no-bitwise
if (rowMode & parser.MODE.REQUEST_END) {
return 'body';
}
// in between request on an empty
if (editor.getLineValue(pos.lineNumber).trim() === '') {
// check if the previous line is a single line beginning of a new request
rowMode = parser.getRowParseMode(pos.lineNumber - 1);
if (
// eslint-disable-next-line no-bitwise
rowMode & parser.MODE.REQUEST_START &&
// eslint-disable-next-line no-bitwise
rowMode & parser.MODE.REQUEST_END
) {
return 'body';
}
// o.w suggest a method
return 'method';
}
return null;
}
function addReplacementInfoToContext(
context: AutoCompleteContext,
pos: Position,
replacingTerm?: unknown
) {
// extract the initial value, rangeToReplace & textBoxPosition
// Scenarios for current token:
// - Nice token { "bla|"
// - Broken text token { bla|
// - No token : { |
// - Broken scenario { , bla|
// - Nice token, broken before: {, "bla"
context.updatedForToken = _.clone(
editor.getTokenAt({ lineNumber: pos.lineNumber, column: pos.column })
);
if (!context.updatedForToken) {
context.updatedForToken = {
value: '',
type: '',
position: { column: pos.column, lineNumber: pos.lineNumber },
};
} // empty line
let anchorToken = context.createdWithToken;
if (!anchorToken) {
anchorToken = context.updatedForToken;
}
switch (context.updatedForToken.type) {
case 'variable':
case 'string':
case 'text':
case 'constant.numeric':
case 'constant.language.boolean':
case 'method':
case 'url.index':
case 'url.type':
case 'url.id':
case 'url.method':
case 'url.endpoint':
case 'url.part':
case 'url.param':
case 'url.value':
context.rangeToReplace = {
start: { lineNumber: pos.lineNumber, column: anchorToken.position.column },
end: {
lineNumber: pos.lineNumber,
column: context.updatedForToken.position.column + context.updatedForToken.value.length,
},
} as Range;
context.replacingToken = true;
break;
default:
if (replacingTerm && context.updatedForToken.value === replacingTerm) {
context.rangeToReplace = {
start: { lineNumber: pos.lineNumber, column: anchorToken.position.column },
end: {
lineNumber: pos.lineNumber,
column:
context.updatedForToken.position.column + context.updatedForToken.value.length,
},
} as Range;
context.replacingToken = true;
} else {
// standing on white space, quotes or another punctuation - no replacing
context.rangeToReplace = {
start: { lineNumber: pos.lineNumber, column: pos.column },
end: { lineNumber: pos.lineNumber, column: pos.column },
} as Range;
context.replacingToken = false;
}
break;
}
context.textBoxPosition = {
lineNumber: context.rangeToReplace.start.lineNumber,
column: context.rangeToReplace.start.column,
};
switch (context.autoCompleteType) {
case 'path':
addPathPrefixSuffixToContext(context);
break;
case 'url_params':
addUrlParamsPrefixSuffixToContext(context);
break;
case 'method':
addMethodPrefixSuffixToContext(context);
break;
case 'body':
addBodyPrefixSuffixToContext(context);
break;
}
}
function addCommaToPrefixOnAutocomplete(
nonEmptyToken: Token | null,
context: AutoCompleteContext,
charsToSkipOnSameLine: number = 1
) {
if (nonEmptyToken && nonEmptyToken.type.indexOf('url') < 0) {
const { position } = nonEmptyToken;
// if not on the first line
if (context.rangeToReplace && context.rangeToReplace.start?.lineNumber > 1) {
const prevTokenLineNumber = position.lineNumber;
const line = context.editor?.getLineValue(prevTokenLineNumber) ?? '';
const prevLineLength = line.length;
const linesToEnter = context.rangeToReplace.end.lineNumber - prevTokenLineNumber;
const isTheSameLine = linesToEnter === 0;
let startColumn = prevLineLength + 1;
let spaces = context.rangeToReplace.start.column - 1;
if (isTheSameLine) {
// prevent last char line from replacing
startColumn = position.column + charsToSkipOnSameLine;
// one char for pasted " and one for ,
spaces = context.rangeToReplace.end.column - startColumn - 2;
}
// go back to the end of the previous line
context.rangeToReplace = {
start: { lineNumber: prevTokenLineNumber, column: startColumn },
end: { ...context.rangeToReplace.end },
};
spaces = spaces >= 0 ? spaces : 0;
const spacesToEnter = isTheSameLine ? (spaces === 0 ? 1 : spaces) : spaces;
const newLineChars = `\n`.repeat(linesToEnter >= 0 ? linesToEnter : 0);
const whitespaceChars = ' '.repeat(spacesToEnter);
// add a comma at the end of the previous line, a new line and indentation
context.prefixToAdd = `,${newLineChars}${whitespaceChars}`;
}
}
}
function addBodyPrefixSuffixToContext(context: AutoCompleteContext) {
// Figure out what happens next to the token to see whether it needs trailing commas etc.
// Templates will be used if not destroying existing structure.
// -> token : {} or token ]/} or token , but not token : SOMETHING ELSE
context.prefixToAdd = '';
context.suffixToAdd = '';
let tokenIter = createTokenIterator({
editor,
position: editor.getCurrentPosition()!,
});
let nonEmptyToken = parser.nextNonEmptyToken(tokenIter);
switch (nonEmptyToken ? nonEmptyToken.type : 'NOTOKEN') {
case 'NOTOKEN':
case 'paren.lparen':
case 'paren.rparen':
case 'punctuation.comma':
context.addTemplate = true;
break;
case 'punctuation.colon':
// test if there is an empty object - if so we replace it
context.addTemplate = false;
nonEmptyToken = parser.nextNonEmptyToken(tokenIter);
if (!(nonEmptyToken && nonEmptyToken.value === '{')) {
break;
}
nonEmptyToken = parser.nextNonEmptyToken(tokenIter);
if (!(nonEmptyToken && nonEmptyToken.value === '}')) {
break;
}
context.addTemplate = true;
// extend range to replace to include all up to token
context.rangeToReplace!.end.lineNumber = tokenIter.getCurrentTokenLineNumber() as number;
context.rangeToReplace!.end.column =
(tokenIter.getCurrentTokenColumn() as number) + nonEmptyToken.value.length;
// move one more time to check if we need a trailing comma
nonEmptyToken = parser.nextNonEmptyToken(tokenIter);
switch (nonEmptyToken ? nonEmptyToken.type : 'NOTOKEN') {
case 'NOTOKEN':
case 'paren.rparen':
case 'punctuation.comma':
case 'punctuation.colon':
break;
default:
context.suffixToAdd = ', ';
}
break;
default:
context.addTemplate = true;
context.suffixToAdd = ', ';
break; // for now play safe and do nothing. May be made smarter.
}
// go back to see whether we have one of ( : { & [ do not require a comma. All the rest do.
tokenIter = createTokenIterator({ editor, position: editor.getCurrentPosition() });
nonEmptyToken = tokenIter.getCurrentToken();
let insertingRelativeToToken; // -1 is before token, 0 middle, +1 after token
if (context.replacingToken) {
insertingRelativeToToken = 0;
} else {
const pos = editor.getCurrentPosition();
if (pos.column === context.updatedForToken!.position.column) {
insertingRelativeToToken = -1;
} else if (
pos.column <
context.updatedForToken!.position.column + context.updatedForToken!.value.length
) {
insertingRelativeToToken = 0;
} else {
insertingRelativeToToken = 1;
}
}
// we should actually look at what's happening before this token
if (parser.isEmptyToken(nonEmptyToken) || insertingRelativeToToken <= 0) {
nonEmptyToken = parser.prevNonEmptyToken(tokenIter);
}
switch (nonEmptyToken ? nonEmptyToken.type : 'NOTOKEN') {
case 'NOTOKEN':
case 'paren.lparen':
case 'punctuation.comma':
case 'punctuation.colon':
case 'punctuation.start_triple_quote':
case 'method':
break;
case 'text':
case 'string':
case 'constant.numeric':
case 'constant.language.boolean':
case 'punctuation.end_triple_quote':
addCommaToPrefixOnAutocomplete(nonEmptyToken, context, nonEmptyToken?.value.length);
break;
default:
addCommaToPrefixOnAutocomplete(nonEmptyToken, context);
break;
}
return context;
}
function addUrlParamsPrefixSuffixToContext(context: AutoCompleteContext) {
context.prefixToAdd = '';
context.suffixToAdd = '';
}
function addMethodPrefixSuffixToContext(context: AutoCompleteContext) {
context.prefixToAdd = '';
context.suffixToAdd = '';
const tokenIter = createTokenIterator({ editor, position: editor.getCurrentPosition() });
const lineNumber = tokenIter.getCurrentPosition().lineNumber;
const t = parser.nextNonEmptyToken(tokenIter);
if (tokenIter.getCurrentPosition().lineNumber !== lineNumber || !t) {
// we still have nothing next to the method, add a space..
context.suffixToAdd = ' ';
}
}
function addPathPrefixSuffixToContext(context: AutoCompleteContext) {
context.prefixToAdd = '';
context.suffixToAdd = '';
}
function addMethodAutoCompleteSetToContext(context: AutoCompleteContext) {
context.autoCompleteSet = ['GET', 'PUT', 'POST', 'DELETE', 'HEAD', 'PATCH'].map((m, i) => ({
name: m,
score: -i,
meta: i18n.translate('console.autocomplete.addMethodMetaText', { defaultMessage: 'method' }),
}));
}
function addPathAutoCompleteSetToContext(context: AutoCompleteContext, pos: Position) {
const ret = getCurrentMethodAndTokenPaths(editor, pos, parser);
context.method = ret.method?.toUpperCase();
context.token = ret.token;
context.otherTokenValues = ret.otherTokenValues;
context.urlTokenPath = ret.urlTokenPath;
const components = getTopLevelUrlCompleteComponents(context.method);
populateContext(ret.urlTokenPath, context, editor, true, components);
context.autoCompleteSet = addMetaToTermsList(context.autoCompleteSet!, 'endpoint');
}
function addUrlParamsAutoCompleteSetToContext(context: AutoCompleteContext, pos: Position) {
const ret = getCurrentMethodAndTokenPaths(editor, pos, parser);
context.method = ret.method;
context.otherTokenValues = ret.otherTokenValues;
context.urlTokenPath = ret.urlTokenPath;
if (!ret.urlTokenPath) {
// zero length tokenPath is true
return context;
}
populateContext(
ret.urlTokenPath,
context,
editor,
false,
getTopLevelUrlCompleteComponents(context.method)
);
if (!context.endpoint) {
return context;
}
if (!ret.urlParamsTokenPath) {
// zero length tokenPath is true
return context;
}
let tokenPath: string[] = [];
const currentParam = ret.urlParamsTokenPath.pop();
if (currentParam) {
tokenPath = Object.keys(currentParam); // single key object
context.otherTokenValues = currentParam[tokenPath[0]];
}
populateContext(
tokenPath,
context,
editor,
true,
context.endpoint.paramsAutocomplete.getTopLevelComponents(context.method)
);
return context;
}
function addBodyAutoCompleteSetToContext(context: AutoCompleteContext, pos: Position) {
const ret = getCurrentMethodAndTokenPaths(editor, pos, parser);
context.method = ret.method;
context.otherTokenValues = ret.otherTokenValues;
context.urlTokenPath = ret.urlTokenPath;
context.requestStartRow = ret.requestStartRow;
if (!ret.urlTokenPath) {
// zero length tokenPath is true
return context;
}
populateContext(
ret.urlTokenPath,
context,
editor,
false,
getTopLevelUrlCompleteComponents(context.method)
);
context.bodyTokenPath = ret.bodyTokenPath;
if (!ret.bodyTokenPath) {
// zero length tokenPath is true
return context;
}
const t = editor.getTokenAt(pos);
if (t && t.type === 'punctuation.end_triple_quote' && pos.column !== t.position.column + 3) {
// skip to populate context as the current position is not on the edge of end_triple_quote
return context;
}
// needed for scope linking + global term resolving
context.endpointComponentResolver = getEndpointBodyCompleteComponents;
context.globalComponentResolver = getGlobalAutocompleteComponents;
let components: unknown;
if (context.endpoint) {
components = context.endpoint.bodyAutocompleteRootComponents;
} else {
components = getUnmatchedEndpointComponents();
}
populateContext(ret.bodyTokenPath, context, editor, true, components);
return context;
}
const evaluateCurrentTokenAfterAChange = _.debounce(function evaluateCurrentTokenAfterAChange(
pos: Position
) {
let currentToken = editor.getTokenAt(pos)!;
tracer('has started evaluating current token', currentToken);
if (!currentToken) {
lastEvaluatedToken = null;
currentToken = { position: { column: 0, lineNumber: 0 }, value: '', type: '' }; // empty row
}
currentToken.position.lineNumber = pos.lineNumber; // extend token with row. Ace doesn't supply it by default
if (parser.isEmptyToken(currentToken)) {
// empty token. check what's coming next
const nextToken = editor.getTokenAt({ ...pos, column: pos.column + 1 })!;
if (parser.isEmptyToken(nextToken)) {
// Empty line, or we're not on the edge of current token. Save the current position as base
currentToken.position.column = pos.column;
lastEvaluatedToken = currentToken;
} else {
nextToken.position.lineNumber = pos.lineNumber;
lastEvaluatedToken = nextToken;
}
tracer('not starting autocomplete due to empty current token');
return;
}
if (!lastEvaluatedToken) {
lastEvaluatedToken = currentToken;
tracer('not starting autocomplete due to invalid last evaluated token');
return; // wait for the next typing.
}
if (
lastEvaluatedToken.position.column + 1 === currentToken.position.column &&
lastEvaluatedToken.position.lineNumber === currentToken.position.lineNumber &&
lastEvaluatedToken.type === 'url.slash' &&
currentToken.type === 'url.part' &&
currentToken.value.length === 1
) {
// do not suppress autocomplete for a single character immediately following a slash in URL
} else if (
lastEvaluatedToken.position.column < currentToken.position.column &&
lastEvaluatedToken.position.lineNumber === currentToken.position.lineNumber &&
lastEvaluatedToken.type === 'method' &&
currentToken.type === 'url.part' &&
currentToken.value.length === 1
) {
// do not suppress autocomplete for a single character following method in URL
} else if (
lastEvaluatedToken.position.column < currentToken.position.column &&
lastEvaluatedToken.position.lineNumber === currentToken.position.lineNumber &&
!lastEvaluatedToken.type &&
currentToken.type === 'method' &&
currentToken.value.length === 1
) {
// do not suppress autocompletion for the first character of method
} else if (
// if the column or the line number have changed for the last token or
// user did not provided a new value, then we should not show autocomplete
// this guards against triggering autocomplete when clicking around the editor
lastEvaluatedToken.position.column !== currentToken.position.column ||
lastEvaluatedToken.position.lineNumber !== currentToken.position.lineNumber ||
lastEvaluatedToken.value === currentToken.value
) {
tracer(
'not starting autocomplete since the change looks like a click',
lastEvaluatedToken,
'->',
currentToken
);
// not on the same place or nothing changed, cache and wait for the next time
lastEvaluatedToken = currentToken;
return;
}
// don't automatically open the auto complete if some just hit enter (new line) or open a parentheses
switch (currentToken.type || 'UNKNOWN') {
case 'paren.lparen':
case 'paren.rparen':
case 'punctuation.colon':
case 'punctuation.comma':
case 'comment.line':
case 'comment.punctuation':
case 'comment.block':
case 'UNKNOWN':
tracer('not starting autocomplete for current token type', currentToken.type);
return;
}
tracer('starting autocomplete', lastEvaluatedToken, '->', currentToken);
lastEvaluatedToken = currentToken;
editor.execCommand('startAutocomplete');
},
100);
function editorChangeListener() {
const position = editor.getCurrentPosition();
tracer('editor changed', position);
if (position && !editor.isCompleterActive()) {
tracer('will start evaluating current token');
evaluateCurrentTokenAfterAChange(position);
}
}
/**
* Extracts terms from the autocomplete set.
* @param context
*/
function getTerms(context: AutoCompleteContext, autoCompleteSet: ResultTerm[]) {
const terms = _.map(
autoCompleteSet.filter((term) => Boolean(term) && term.name != null),
function (term) {
if (typeof term !== 'object') {
term = {
name: term,
};
} else {
term = _.clone(term);
}
const defaults: {
value?: string;
meta: string;
score: number;
context: AutoCompleteContext;
completer?: { insertMatch: (v: unknown) => void };
} = {
value: term.name,
meta: 'API',
score: 0,
context,
};
// we only need our custom insertMatch behavior for the body
if (context.autoCompleteType === 'body') {
defaults.completer = {
insertMatch() {
return applyTerm(term);
},
};
}
return _.defaults(term, defaults);
}
);
terms.sort(function (
t1: { score: number; name?: string },
t2: { score: number; name?: string }
) {
/* score sorts from high to low */
if (t1.score > t2.score) {
return -1;
}
if (t1.score < t2.score) {
return 1;
}
/* names sort from low to high */
if (t1.name! < t2.name!) {
return -1;
}
if (t1.name === t2.name) {
return 0;
}
return 1;
});
return terms;
}
function getSuggestions(terms: ResultTerm[]) {
return _.map(terms, function (t, i) {
t.insertValue = t.insertValue || t.value;
t.value = '' + t.value; // normalize to strings
t.score = -i;
return t;
});
}
function getCompletions(
position: Position,
prefix: string,
callback: (e: Error | null, result: ResultTerm[] | null) => void,
annotationControls: {
setAnnotation: (text: string) => void;
removeAnnotation: () => void;
}
) {
try {
const context = getAutoCompleteContext(editor, position);
if (!context) {
tracer('zero suggestions due to invalid autocomplete context');
callback(null, []);
} else {
if (!context.asyncResultsState?.isLoading) {
const terms = getTerms(context, context.autoCompleteSet!);
const suggestions = getSuggestions(terms);
tracer(suggestions?.length ?? 0, 'suggestions');
callback(null, suggestions);
}
if (context.asyncResultsState) {
annotationControls.setAnnotation(
i18n.translate('console.autocomplete.fieldsFetchingAnnotation', {
defaultMessage: 'Fields fetching is in progress',
})
);
context.asyncResultsState.results.then((r) => {
const asyncSuggestions = getSuggestions(getTerms(context, r));
tracer(asyncSuggestions?.length ?? 0, 'async suggestions');
callback(null, asyncSuggestions);
annotationControls.removeAnnotation();
});
}
}
} catch (e) {
// eslint-disable-next-line no-console
console.error(e);
callback(e, null);
}
}
editor.on('changeSelection', editorChangeListener);
return {
getCompletions,
// TODO: This needs to be cleaned up
_test: {
getCompletions: (
_editor: unknown,
_editSession: unknown,
pos: Position,
prefix: string,
callback: (e: Error | null, result: ResultTerm[] | null) => void,
annotationControls: {
setAnnotation: (text: string) => void;
removeAnnotation: () => void;
}
) => getCompletions(pos, prefix, callback, annotationControls),
addReplacementInfoToContext,
addChangeListener: () => editor.on('changeSelection', editorChangeListener),
removeChangeListener: () => editor.off('changeSelection', editorChangeListener),
},
};
}