chore: upgrade to tree-sitter-playground@0.15.9

This commit is contained in:
Ika 2019-09-30 15:01:55 +08:00
parent 040d84891f
commit 52787b7325
12 changed files with 282 additions and 34 deletions

View file

@ -1,16 +1,39 @@
let tree; let tree;
(async () => { (async () => {
const CAPTURE_REGEX = /@\s*([\w\._-]+)/g;
const COLORS_BY_INDEX = [
'blue',
'chocolate',
'darkblue',
'darkcyan',
'darkgreen',
'darkred',
'darkslategray',
'dimgray',
'green',
'indigo',
'navy',
'red',
'sienna',
];
const scriptURL = document.currentScript.getAttribute('src'); const scriptURL = document.currentScript.getAttribute('src');
const codeInput = document.getElementById('code-input'); const codeInput = document.getElementById('code-input');
const languageSelect = document.getElementById('language-select'); const languageSelect = document.getElementById('language-select');
const loggingCheckbox = document.getElementById('logging-checkbox'); const loggingCheckbox = document.getElementById('logging-checkbox');
const outputContainer = document.getElementById('output-container'); const outputContainer = document.getElementById('output-container');
const outputContainerScroll = document.getElementById('output-container-scroll'); const outputContainerScroll = document.getElementById('output-container-scroll');
const playgroundContainer = document.getElementById('playground-container');
const queryCheckbox = document.getElementById('query-checkbox');
const queryContainer = document.getElementById('query-container');
const queryInput = document.getElementById('query-input');
const updateTimeSpan = document.getElementById('update-time'); const updateTimeSpan = document.getElementById('update-time');
const demoContainer = document.getElementById('playground-container');
const languagesByName = {}; const languagesByName = {};
loadState();
await TreeSitter.init(); await TreeSitter.init();
const parser = new TreeSitter(); const parser = new TreeSitter();
@ -18,6 +41,12 @@ let tree;
lineNumbers: true, lineNumbers: true,
showCursorWhenSelecting: true showCursorWhenSelecting: true
}); });
const queryEditor = CodeMirror.fromTextArea(queryInput, {
lineNumbers: true,
showCursorWhenSelecting: true
});
const cluster = new Clusterize({ const cluster = new Clusterize({
rows: [], rows: [],
noDataText: null, noDataText: null,
@ -25,22 +54,30 @@ let tree;
scrollElem: outputContainerScroll scrollElem: outputContainerScroll
}); });
const renderTreeOnCodeChange = debounce(renderTree, 50); const renderTreeOnCodeChange = debounce(renderTree, 50);
const saveStateOnChange = debounce(saveState, 2000);
const runTreeQueryOnChange = debounce(runTreeQuery, 50);
let languageName = languageSelect.value; let languageName = languageSelect.value;
let treeRows = null; let treeRows = null;
let treeRowHighlightedIndex = -1; let treeRowHighlightedIndex = -1;
let parseCount = 0; let parseCount = 0;
let isRendering = 0; let isRendering = 0;
let query;
codeEditor.on('changes', handleCodeChange); codeEditor.on('changes', handleCodeChange);
codeEditor.on('viewportChange', runTreeQueryOnChange);
codeEditor.on('cursorActivity', debounce(handleCursorMovement, 150)); codeEditor.on('cursorActivity', debounce(handleCursorMovement, 150));
queryEditor.on('changes', debounce(handleQueryChange, 150));
loggingCheckbox.addEventListener('change', handleLoggingChange); loggingCheckbox.addEventListener('change', handleLoggingChange);
queryCheckbox.addEventListener('change', handleQueryEnableChange);
languageSelect.addEventListener('change', handleLanguageChange); languageSelect.addEventListener('change', handleLanguageChange);
outputContainer.addEventListener('click', handleTreeClick); outputContainer.addEventListener('click', handleTreeClick);
handleQueryEnableChange();
await handleLanguageChange() await handleLanguageChange()
demoContainer.style.visibility = 'visible'; playgroundContainer.style.visibility = 'visible';
async function handleLanguageChange() { async function handleLanguageChange() {
const newLanguageName = languageSelect.value; const newLanguageName = languageSelect.value;
@ -62,6 +99,7 @@ let tree;
languageName = newLanguageName; languageName = newLanguageName;
parser.setLanguage(languagesByName[newLanguageName]); parser.setLanguage(languagesByName[newLanguageName]);
handleCodeChange(); handleCodeChange();
handleQueryChange();
} }
async function handleCodeChange(editor, changes) { async function handleCodeChange(editor, changes) {
@ -81,6 +119,8 @@ let tree;
tree = newTree; tree = newTree;
parseCount++; parseCount++;
renderTreeOnCodeChange(); renderTreeOnCodeChange();
runTreeQueryOnChange();
saveStateOnChange();
} }
async function renderTree() { async function renderTree() {
@ -164,6 +204,107 @@ let tree;
handleCursorMovement(); handleCursorMovement();
} }
function runTreeQuery(_, startRow, endRow) {
if (endRow == null) {
const viewport = codeEditor.getViewport();
startRow = viewport.from;
endRow = viewport.to;
}
codeEditor.operation(() => {
const marks = codeEditor.getAllMarks();
marks.forEach(m => m.clear());
if (tree && query) {
const captures = query.captures(
tree.rootNode,
{row: startRow, column: 0},
{row: endRow, column: 0},
);
let lastNodeId;
for (const {name, node} of captures) {
if (node.id === lastNodeId) continue;
lastNodeId = node.id;
const {startPosition, endPosition} = node;
codeEditor.markText(
{line: startPosition.row, ch: startPosition.column},
{line: endPosition.row, ch: endPosition.column},
{
inclusiveLeft: true,
inclusiveRight: true,
css: `color: ${colorForCaptureName(name)}`
}
);
}
}
});
}
function handleQueryChange() {
if (query) {
query.delete();
query.deleted = true;
query = null;
}
queryEditor.operation(() => {
queryEditor.getAllMarks().forEach(m => m.clear());
if (!queryCheckbox.checked) return;
const queryText = queryEditor.getValue();
try {
query = parser.getLanguage().query(queryText);
let match;
let row = 0;
queryEditor.eachLine((line) => {
while (match = CAPTURE_REGEX.exec(line.text)) {
queryEditor.markText(
{line: row, ch: match.index},
{line: row, ch: match.index + match[0].length},
{
inclusiveLeft: true,
inclusiveRight: true,
css: `color: ${colorForCaptureName(match[1])}`
}
);
}
row++;
});
} catch (error) {
const startPosition = queryEditor.posFromIndex(error.index);
const endPosition = {
line: startPosition.line,
ch: startPosition.ch + (error.length || 1)
};
if (error.index === queryText.length) {
if (startPosition.ch > 0) {
startPosition.ch--;
} else if (startPosition.row > 0) {
startPosition.row--;
startPosition.column = Infinity;
}
}
queryEditor.markText(
startPosition,
endPosition,
{
className: 'query-error',
inclusiveLeft: true,
inclusiveRight: true,
attributes: {title: error.message}
}
);
}
});
runTreeQuery();
saveQueryState();
}
function handleCursorMovement() { function handleCursorMovement() {
if (isRendering) return; if (isRendering) return;
@ -236,6 +377,17 @@ let tree;
} }
} }
function handleQueryEnableChange() {
if (queryCheckbox.checked) {
queryContainer.style.visibility = '';
queryContainer.style.position = '';
} else {
queryContainer.style.visibility = 'hidden';
queryContainer.style.position = 'absolute';
}
handleQueryChange();
}
function treeEditForEditorChange(change) { function treeEditForEditorChange(change) {
const oldLineCount = change.removed.length; const oldLineCount = change.removed.length;
const newLineCount = change.text.length; const newLineCount = change.text.length;
@ -262,6 +414,35 @@ let tree;
}; };
} }
function colorForCaptureName(capture) {
const id = query.captureNames.indexOf(capture);
return COLORS_BY_INDEX[id % COLORS_BY_INDEX.length];
}
function loadState() {
const language = localStorage.getItem("language");
const sourceCode = localStorage.getItem("sourceCode");
const query = localStorage.getItem("query");
const queryEnabled = localStorage.getItem("queryEnabled");
if (language != null && sourceCode != null && query != null) {
queryInput.value = query;
codeInput.value = sourceCode;
languageSelect.value = language;
queryCheckbox.checked = (queryEnabled === 'true');
}
}
function saveState() {
localStorage.setItem("language", languageSelect.value);
localStorage.setItem("sourceCode", codeEditor.getValue());
saveQueryState();
}
function saveQueryState() {
localStorage.setItem("queryEnabled", queryCheckbox.checked);
localStorage.setItem("query", queryEditor.getValue());
}
function debounce(func, wait, immediate) { function debounce(func, wait, immediate) {
var timeout; var timeout;
return function() { return function() {

File diff suppressed because one or more lines are too long

View file

@ -0,0 +1,21 @@
The MIT License (MIT)
Copyright (c) 2018 Max Brunsfeld
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.

File diff suppressed because one or more lines are too long

Binary file not shown.

View file

@ -1,32 +1,30 @@
<!DOCTYPE html> <!DOCTYPE html>
<html> <html>
<head> <head>
<meta http-equiv="Content-Type" content="text/html;charset=utf-8" /> <meta http-equiv="Content-Type" content="text/html;charset=utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no"> <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no">
<link rel="stylesheet" href="tree-sitter-playground-0.15.8/style.css" media="screen" type="text/css"> <link rel="stylesheet" href="assets/tree-sitter-playground-0.15.9/style.css" media="screen" type="text/css">
<title>Tree-sitter YAML Playground</title> <title>Tree-sitter YAML Playground</title>
<style>
#main-content {
left: 0;
padding-left: 20px;
}
#version {
font-size: 0.5em;
}
#credit {
margin-top: 20px;
font-style: italic;
}
</style>
</head> </head>
<body> <body>
<div id="container"> <div id="container">
<main id="main-content"> <main id="main-content">
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.45.0/codemirror.min.css"> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.45.0/codemirror.min.css">
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/clusterize.js/0.18.0/clusterize.min.css"> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/clusterize.js/0.18.0/clusterize.min.css">
<style>
.version {
font-size: 0.5em;
}
.credit {
font-style: italic;
margin-top: 20px;
text-align: center;
}
</style>
<h1><a href="https://github.com/ikatyang/tree-sitter-yaml">Tree-sitter YAML</a> <span id="version">v0.1.0</span></h1> <h1><a href="https://github.com/ikatyang/tree-sitter-yaml">Tree-sitter YAML</a> <span class="version">v0.1.0</span></h1>
<div id="playground-container" style="visibility: hidden;"> <div id="playground-container" style="visibility: hidden;">
@ -38,9 +36,17 @@
<input id="logging-checkbox" type="checkbox"></input> <input id="logging-checkbox" type="checkbox"></input>
<label for="logging-checkbox">Log</label> <label for="logging-checkbox">Log</label>
<input id="query-checkbox" type="checkbox"></input>
<label for="query-checkbox">Query</label>
<textarea id="code-input"> <textarea id="code-input">
</textarea> </textarea>
<div id="query-container" style="visibility: hidden; position: absolute;">
<h4>Query</h4>
<textarea id="query-input"></textarea>
</div>
<h4>Tree</h4> <h4>Tree</h4>
<span id="update-time"></span> <span id="update-time"></span>
<div id="output-container-scroll"> <div id="output-container-scroll">
@ -49,18 +55,18 @@
</div> </div>
<div id="credit"> <div class="credit">
This playground was modified from <a href="http://tree-sitter.github.io/tree-sitter/playground">the official Tree-sitter Playground</a>. This playground was modified from <a href="https://tree-sitter.github.io/tree-sitter/playground">the official Tree-sitter Playground</a>.
</div> </div>
<script src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.45.0/codemirror.min.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.45.0/codemirror.min.js"></script>
<script>LANGUAGE_BASE_URL = "tree-sitter-yaml-0.1.0";</script> <script>LANGUAGE_BASE_URL = "assets/tree-sitter-yaml-0.1.0";</script>
<script src="web-tree-sitter-0.15.9/tree-sitter.js"></script> <script src="assets/web-tree-sitter-0.15.9/tree-sitter.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/clusterize.js/0.18.0/clusterize.min.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/clusterize.js/0.18.0/clusterize.min.js"></script>
<script src="https://code.jquery.com/jquery-3.3.1.min.js" crossorigin="anonymous"></script> <script src="assets/tree-sitter-playground-0.15.9/playground.js"></script>
<script src="tree-sitter-playground-0.15.8/playground.js"></script>
<script> <script>
(codeExample => { (codeExample => {
const handle = setInterval(() => { const handle = setInterval(() => {
@ -70,8 +76,7 @@
clearInterval(handle); clearInterval(handle);
} }
}, 500); }, 500);
})(` })(`---
---
invoice: 34843 invoice: 34843
date : 2001-01-23 date : 2001-01-23
bill-to: &id001 bill-to: &id001
@ -100,10 +105,15 @@ comments: >
Late afternoon is best. Late afternoon is best.
Backup contact is Nancy Backup contact is Nancy
Billsmer @ 338-4338. Billsmer @ 338-4338.
`.trim()); `);
</script> </script>
</main> </main>
</div> </div>
</body> </body>
</html> </html>
<script
src="https://code.jquery.com/jquery-3.3.1.min.js"
crossorigin="anonymous">
</script>

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View file

@ -0,0 +1,36 @@
const generatePlayground = require("../tree-sitter/script/generate-playground");
generatePlayground("docs", {
name: "YAML",
example: `
---
invoice: 34843
date : 2001-01-23
bill-to: &id001
given : Chris
family : Dumars
address:
lines: |
458 Walkman Dr.
Suite #292
city : Royal Oak
state : MI
postal : 48046
ship-to: *id001
product:
- sku : BL394D
quantity : 4
description : Basketball
price : 450.00
- sku : BL4438H
quantity : 1
description : Super Hoop
price : 2392.00
tax : 251.42
total: 4443.52
comments: >
Late afternoon is best.
Backup contact is Nancy
Billsmer @ 338-4338.
`.trim()
});