14.09.2022, 14:16
|
|
Профессор
|
|
Регистрация: 03.02.2020
Сообщений: 2,750
|
|
Сравнение строк тут будет выполнять ассемблерная оптимизированная функция. Простой пробег по символам.
А писать вычисление хеша придется на js. Все равно проход по строке (хоть суммируй их, хоть пробелы считай) в цикле. Но этот цикл уже будет не на ассемблере, а на js.
|
|
14.09.2022, 14:55
|
|
Профессор
|
|
Регистрация: 03.02.2020
Сообщений: 2,750
|
|
И еще совет
Вот кусок вашего кода. Он крайне не эффективен и может тормозить
this.style.paddingLeft = `${len}em`;
this.buddy.style.paddingRight = window.getComputedStyle(this, null).getPropertyValue("padding-left");
this.buddy.style.height = window.getComputedStyle(this, null).getPropertyValue("height");
this.buddy.style.width = window.getComputedStyle(this, null).getPropertyValue("width");
// Далее следует довольно важная строчка, которая влияет на накапливание ошибок
this.buddy.style.paddingLeft = window.getComputedStyle(this, null).getPropertyValue("padding-right");
Что тут происходит.
this.buddy.style.paddingRight = window.getComputedStyle(this, null).getPropertyValue("padding-left"); - установили какой то стиль элементу buddy.
this.buddy.style.height = window.getComputedStyle(this, null).getPropertyValue("height"); - теперь пытаемся получить стиль от this.
Браузер не всегда знает, как установка стиля одному элементу повлияла на другие. Что бы получить вычисленный стиль элемента после изменения стиля других, ему часто приходится делать перерасчет стилей всего DOM дерева, или какой то его части.
Последовательность
установка стиля
получение стиля
установка стиля
получение стиля
....
может вызывать торможение
Сначала, по возможности, надо получить все необходимые стили (ко всяким метрикам типа offsetWidth и т.п это тоже относится), а потом делать все изменения. Множественные изменения браузер накапливает, и применяет их все разом при расчете стилей перед очередным этапом визуализации.
|
|
14.09.2022, 21:12
|
|
Кандидат Javascript-наук
|
|
Регистрация: 16.08.2018
Сообщений: 109
|
|
Сообщение от voraa
|
И еще совет
Вот кусок вашего кода. Он крайне не эффективен и может тормозить
Сначала, по возможности, надо получить все необходимые стили (ко всяким метрикам типа offsetWidth и т.п это тоже относится), а потом делать все изменения. Множественные изменения браузер накапливает, и применяет их все разом при расчете стилей перед очередным этапом визуализации.
|
Этo очень ценное замечание, так как я не понимаю всех механизмов браузера.
Не удивительно, что на коротком тексте и без его парсинга у меня всё как-то лениво срабатывает.
В этом варианте я учёл некоторые нюансы. И нумератор скрывается при перемещениях мышью.
<html>
<head>
<title>Построчная нумерация</title>
<script>
class FineTextArea extends HTMLTextAreaElement {
constructor() {
super();
}
connectedCallback() {
var update = this.update.bind(this, window.event, true);
this._lines = true;
this.buddy = document.createElement("TextArea");
this.buddy.className = "FineTextArea-Buddy";
this.buddy.id = this.id + "_buddy";
this.buddy.disabled = true;
this.parentElement.insertBefore(this.buddy, this);
this.addEventListener("change", this.update.bind(this));
this.addEventListener("keypress", this.update.bind(this));
this.addEventListener("mousemove", this.update.bind(this));
this.addEventListener("mouseup", this.update.bind(this));
this.addEventListener("scroll", this.update.bind(this));
// Форсируем коррекцию расчётов
setTimeout(update, 0); setTimeout(update, 0);
}
set lines(value) {
this._lines = value;
this.buddy.style.visibility = value != false ? "visible" : "hidden";
this.style.paddingLeft = value != false ? this.buddy.offsetWidth + "px" : "0px";
if(value != false)
this.update(window.event, true);
}
get row() {
return this.value.substr(0, this.selectionStart).split(/\r?\n/).length;
}
get col() {
return this.value.substr(0, this.selectionEnd).split(/\r?\n/).pop().length + 1;
}
update(evt, force) {
var buttons = evt && evt.buttons || 0;
this.buddy.scrollTop = this.scrollTop;
var rows = this.value.split(/\r?\n/);
var row = 1;
var len = rows.length.toString().length;
var spc = ("string" == typeof this._lines && this._lines != "" ? this._lines.charAt(0) : "\xA0").repeat(len);
var rex = new RegExp(`([ -])([^ -]{${len}})`, "gim"); // Выявление первых символов каждого слова
if((buttons == 0 && (this.buddy.scrollHeight != this.scrollHeight || this.buddy.scrollWidth != this.scrollWidth)) || force == true) {
// Здесь следуют некоторые манипуляции со стилями
this.buddy.style.paddingRight = "0px";
this.buddy.style.width = "auto";
this.buddy.cols = len;
// Маскируем задний план так, чтобы была видна только область нумерации
this.style.background = `linear-gradient(90deg, rgba(0,0,0,0) ${this.buddy.clientWidth - 1}px, white ${this.buddy.clientWidth}px, white 100%)`;
this.style.paddingLeft = `${this.buddy.clientWidth}px`;
// Копируем визуальные реквизиты элемента
this.buddy.cols = this.cols;
this.buddy.style.height = window.getComputedStyle(this, null).getPropertyValue("height");
this.buddy.style.width = window.getComputedStyle(this, null).getPropertyValue("width");
// Компенсируем визуальные отступы как у текста, так и у нумератора
this.buddy.style.paddingLeft = window.getComputedStyle(this, null).getPropertyValue("padding-right");
this.buddy.style.paddingRight = window.getComputedStyle(this, null).getPropertyValue("padding-left");
}
// Затем всё совсем просто
if(force == true || this._value != this.value) {
// Переносим весь текст в поле нумератора,
// заменяя всё, кроме Пробела и Дефиса,
// на символ неразрывного пробела в начале каждого слова,
// попутно вставляя нумерацию вместо первых символов
console.time("Форматирование текста под задний план");
this.buddy.value = this.value.replace(/^.*$/gm, function(str) {
return Number(row ++).toString().padStart(len, spc) + str.substr(str.charAt(0) == "\t" ? 0 : len).replace(rex, `$1${spc}`);
}
);
console.timeEnd("Форматирование текста под задний план");
this._value = this.value;
}
this.buddy.style.visibility = buttons || this._lines == false ? "hidden" : "visible";
this.buddy.scrollTop = this.scrollTop;
}
static get observedAttributes() {
return "lines".split(/\s+/);
}
attributeChangedCallback(name, oldValue, newValue) {
switch(name) {
case "lines":
this._lines = newValue;
break;
}
}
}
customElements.define("fine-textarea", FineTextArea, {extends: "textarea"});
</script>
<style>
textarea[is='fine-textarea']
{
position :relative;
background-color:transparent;
}
textarea.FineTextArea-Buddy
{
--border-right :none;
position :absolute;
--top:400px;
background-color:yellow;
--overflow :hidden;
--text-align :right;
--resize :none;
}
div
{
position :absolute;
width :auto;
height :auto;
}
header
{
background-color:blue;
color :yellow;
}
footer
{
background-color:silver;
color :black;
border :medium silver sunken;
}
</style>
</head>
<body>
<input type=text placeholder='Атрибут = Значение' onchange='this.style.backgroundColor = "red"; eval(`hTextArea.${this.value}`); this.style.backgroundColor = "yellow"'><br>
<input type=text placeholder='Цвет фона нумератора' onchange='hTextArea.buddy.style.backgroundColor = this.value'><br>
<textarea rows=15 cols=40 id=Main spellcheck=false title='Текстовое поле для редактирования' is=fine-textarea lines=true>
Sed ut perspiciatis,
unde omnis iste natus error sit voluptatem accusantium doloremque laudantium,
totam rem aperiam eaque ipsa,
quae ab illo inventore veritatis et quasi architecto beatae vitae dicta sunt,
explicabo.
Nemo enim ipsam voluptatem,
quia voluptas sit,
aspernatur aut odit aut fugit,
sed quia consequuntur magni dolores eos,
qui ratione voluptatem sequi nesciunt,
neque porro quisquam est,
qui dolorem ipsum,
quia dolor sit,
amet,
consectetur,
adipisci velit,
sed quia non numquam eius modi tempora incidunt,
ut labore et dolore magnam aliquam quaerat voluptatem.
Ut enim ad minima veniam,
quis nostrum exercitationem ullam corporis suscipit laboriosam,
nisi ut aliquid ex ea commodi consequatur?
Quis autem vel eum iure reprehenderit,
qui in ea voluptate velit esse,
quam nihil molestiae consequatur,
vel illum,
qui dolorem eum fugiat,
quo voluptas nulla pariatur?
At vero eos et accusamus et iusto odio dignissimos ducimus,
qui blanditiis praesentium voluptatum deleniti atque corrupti,
quos dolores et quas molestias excepturi sint,
obcaecati cupiditate non provident,
similique sunt in culpa, qui officia deserunt mollitia animi,
id est laborum et dolorum fuga.
Et harum quidem rerum facilis est et expedita distinctio.
Nam libero tempore,
cum soluta nobis est eligendi optio,
cumque nihil impedit,
quo minus id,
quod maxime placeat,
facere possimus,
omnis voluptas assumenda est,
omnis dolor repellendus.
Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet,
ut et voluptates repudiandae sint et molestiae non recusandae.
Itaque earum rerum hic tenetur a sapiente delectus,
ut aut reiciendis voluptatibus maiores alias consequatur aut perferendis doloribus asperiores
repellat.
</textarea>
<script>
var hTextArea = document.querySelector("textarea#Main");
</script>
</body>
Правда, имеются проблемы в зоне нумерации строк, так как там иногда отображаются символы, подавление которых ухудшает ситуацию разрыва строк.
Последний раз редактировалось Alikberov, 14.09.2022 в 21:35.
Причина: Мелкие недочёты исправил
|
|
16.09.2022, 16:25
|
|
Кандидат Javascript-наук
|
|
Регистрация: 16.08.2018
Сообщений: 109
|
|
Эрзац Подсветки Синтаксиса (многослойный)
<html>
<head>
<title>Построчная нумерация</title>
<script>
class FineTextArea extends HTMLTextAreaElement {
constructor() {
super();
}
connectedCallback() {
var update = this.update.bind(this, window.event, true);
this.buddy = document.createElement("TextArea");
this.buddy.className = "FineTextArea-Buddy";
this.buddy.id = this.id + "_buddy";
this.buddy.disabled = true;
this.parentElement.insertBefore(this.buddy, this);
this.addEventListener("change", this.update.bind(this));
this.addEventListener("keyup", this.update.bind(this));
this.addEventListener("keydown", this.update.bind(this));
this.addEventListener("keypress", this.update.bind(this));
this.addEventListener("mousemove", this.update.bind(this));
this.addEventListener("mouseup", this.update.bind(this));
this.addEventListener("scroll", this.update.bind(this));
// Создаём элементы подсветки синтаксиса
const keywords = "break case const continue else for if let switch while var".replace(/\s+/g, "|");
this.syntaxers = [];
this.syntexps = [
new RegExp(`\\b(${keywords})\\b`, "gim"),
new RegExp(`\\b(?!${keywords})\\b`, "gim"),
new RegExp(`\\b(${keywords})\\b`, "gim"),
/[^\x21-\x7F\n\r\s\t]+/gim,
/[\x21-\x7F]+/gim
];
for(var i in this.syntexps) {
var syn = document.createElement("TextArea");
syn.className = "FineTextArea-Syntax" + i;
syn.id = this.id + "_syntax" + i;
syn.disabled = true;
this.parentElement.insertBefore(syn, this);
this.syntaxers.push(syn);
}
// Форсируем (альфа-отладка)
this.lines = true;
this.syntax = true;
setTimeout(update, 0); setTimeout(update, 0);
}
set lines(value) {
this._lines = value;
this.buddy.style.visibility = value != false ? "visible" : "hidden";
this.style.paddingLeft = value != false ? this.buddy.offsetWidth + "px" : "0px";
if(value != false)
this.update(window.event, true);
}
set syntax(value) {
this._syntax = !!value;
this.update(window.event, true);
}
get row() {
return this.value.substr(0, this.selectionStart).split(/\r?\n/).length;
}
get col() {
return this.value.substr(0, this.selectionEnd).split(/\r?\n/).pop().length + 1;
}
update(evt, force) {
var buttons = evt && evt.buttons || 0;
var rows = this.value.split(/\r?\n/), len = rows.length.toString().length;
var syn, i, row = 1;
this.buddy.scrollTop = this.scrollTop;
for(syn of this.syntaxers)
syn.scrollTop = this.scrollTop;
var spc = ("string" == typeof this._lines && this._lines != "" ? this._lines.charAt(0) : "\xA0").repeat(len);
var rex = new RegExp(`([ -])([^ -]{${len}})`, "gim"); // Выявление первых символов каждого слова
// Распределяем текст по слоям
var value = this.value, box = "\u2588";
for(i in this.syntexps) {
this.syntaxers[i].value = value.replace(this.syntexps[i], s => box.repeat(s.length));
box = "\xA0";
if(i != 0)
value = value.replace(this.syntexps[i], s => box.repeat(s.length));
}
if((buttons == 0 && (Math.abs(this.buddy.scrollHeight - this.scrollHeight) > 30 || this.buddy.scrollWidth != this.scrollWidth)) || force == true) {
var width;
var height;
var bg;
// Здесь следуют некоторые манипуляции со стилями
this.style.width = (parseInt(window.getComputedStyle(this, null).getPropertyValue("width")) & 0xFFE) + "px";
this.buddy.style.paddingRight = "0px";
this.buddy.style.width = "auto";
this.buddy.cols = len;
// Маскируем задний план так, кроме области нумерации
bg = `linear-gradient(90deg, rgba(0,0,0,0) ${this.buddy.clientWidth - 1}px, white ${this.buddy.clientWidth}px, white 100%)`;
if(this._syntax == false || buttons)
this.style.background = bg;
else
this.style.background = "transparent",
this.syntaxers[0].style.background = bg;
this.style.paddingLeft = `${this.buddy.clientWidth}px`;
// Расчёт
height = window.getComputedStyle(this, null).getPropertyValue("height");
width = window.getComputedStyle(this, null).getPropertyValue("width");
// Обновляем синтаксические помощники
for(syn of this.syntaxers) {
syn.cols = this.cols;
syn.style.paddingLeft = `${this.buddy.clientWidth}px`;
syn.style.height = height;
syn.style.width = width;
}
// Копируем визуальные реквизиты элемента
this.buddy.cols = this.cols;
this.buddy.style.height = height;
this.buddy.style.width = width;
// Компенсируем визуальные отступы у текста и нумератора
this.buddy.style.paddingLeft = window.getComputedStyle(this, null).getPropertyValue("padding-right");
this.buddy.style.paddingRight = window.getComputedStyle(this, null).getPropertyValue("padding-left");
if(this.scrollHeight != this.buddy.scrollHeight)
force = !true;
}
// Затем всё совсем просто
if(force == true || this._value != this.value) {
// Переносим весь текст в поле нумератора, кроме первых символов каждого слова, заменяя их нумерацией
console.time("Numbering");
for(var fine = 0; fine < 2; ++ fine) {
this.buddy.value = this.value.replace(/^.*$/gm, function(str) {
return Number(row ++).toString().padStart(len, spc) + str.substr(str.charAt(0) == "\t" ? 0 : len).replace(rex, `$1${spc}`);
}
);
if(this.scrollHeight == this.buddy.scrollHeight)
fine = 1;
else
fine = 1;
}
console.timeEnd("Numbering");
this._value = this.value;
}
this.buddy.style.visibility = buttons || this._lines == false ? "hidden" : "visible";
this.buddy.scrollTop = this.scrollTop;
for(syn of this.syntaxers)
syn.scrollTop = this.scrollTop,
syn.style.visibility = buttons || this._syntax == false ? "hidden" : "visible";
this.style.color = buttons || this._syntax == false ? "black" : "transparent";
}
static get observedAttributes() {
return "lines syntax".split(/\s+/);
}
attributeChangedCallback(name, oldValue, newValue) {
switch(name) {
case "lines":
this._lines = newValue;
break;
case "syntax":
this._syntax = !!newValue;
//this.update(window.event, true);
break;
}
}
}
customElements.define("fine-textarea", FineTextArea, {extends: "textarea"});
</script>
<style>
textarea[is='fine-textarea']
{
position :relative;
background-color:transparent;
color :transparent;
caret-color :black;
}
textarea.FineTextArea-Buddy
{
position :absolute;
background-color:yellow;
}
textarea.FineTextArea-Syntax0,
textarea.FineTextArea-Syntax1,
textarea.FineTextArea-Syntax2,
textarea.FineTextArea-Syntax3,
textarea.FineTextArea-Syntax4,
textarea.FineTextArea-Syntax5,
textarea.FineTextArea-Syntax6,
textarea.FineTextArea-Syntax7,
textarea.FineTextArea-Syntax8,
textarea.FineTextArea-Syntax9
{
position :absolute;
background-color:transparent;
color :orange;
}
textarea.FineTextArea-Syntax0 { color :lightgreen;}
textarea.FineTextArea-Syntax1 { color :darkgreen;}
textarea.FineTextArea-Syntax2 { color :magenta;}
textarea.FineTextArea-Syntax3 { color :blue;}
</style>
</head>
<body>
<input type=text placeholder='Атрибут = Значение' onchange='this.style.backgroundColor = "red"; eval(`hTextArea.${this.value}`); this.style.backgroundColor = "yellow"'><br>
<input type=text placeholder='Цвет фона нумератора' onchange='hTextArea.buddy.style.backgroundColor = this.value'><br>
<textarea rows=15 cols=40 id=Main spellcheck=false title='Текстовое поле для редактирования' is=fine-textarea lines=true syntax=true>
____________________________________
|Проверка цветовой подсветки V0.003|
====================================
format
for (i = 0; !(i > 9); ++ i)
if (i == j)
continue;
------------------------------------
Sed ut perspiciatis,
unde omnis iste natus error sit voluptatem accusantium doloremque laudantium,
totam rem aperiam eaque ipsa,
quae ab illo inventore veritatis et quasi architecto beatae vitae dicta sunt,
explicabo.
Nemo enim ipsam voluptatem,
quia voluptas sit,
aspernatur aut odit aut fugit,
sed quia consequuntur magni dolores eos,
qui ratione voluptatem sequi nesciunt,
neque porro quisquam est,
qui dolorem ipsum,
quia dolor sit,
amet,
consectetur,
adipisci velit,
sed quia non numquam eius modi tempora incidunt,
ut labore et dolore magnam aliquam quaerat voluptatem.
Ut enim ad minima veniam,
quis nostrum exercitationem ullam corporis suscipit laboriosam,
nisi ut aliquid ex ea commodi consequatur?
Quis autem vel eum iure reprehenderit,
qui in ea voluptate velit esse,
quam nihil molestiae consequatur,
vel illum,
qui dolorem eum fugiat,
quo voluptas nulla pariatur?
At vero eos et accusamus et iusto odio dignissimos ducimus,
qui blanditiis praesentium voluptatum deleniti atque corrupti,
quos dolores et quas molestias excepturi sint,
obcaecati cupiditate non provident,
similique sunt in culpa, qui officia deserunt mollitia animi,
id est laborum et dolorum fuga.
Et harum quidem rerum facilis est et expedita distinctio.
Nam libero tempore,
cum soluta nobis est eligendi optio,
cumque nihil impedit,
quo minus id,
quod maxime placeat,
facere possimus,
omnis voluptas assumenda est,
omnis dolor repellendus.
Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet,
ut et voluptates repudiandae sint et molestiae non recusandae.
Itaque earum rerum hic tenetur a sapiente delectus,
ut aut reiciendis voluptatibus maiores alias consequatur aut perferendis doloribus asperiores
repellat.
</textarea>
<script>
var hTextArea = document.querySelector("textarea#Main");
</script>
</body>
Последний раз редактировалось Alikberov, 17.09.2022 в 09:01.
Причина: Добавил подсветку фона у ключевых слов и скриншот
|
|
17.09.2022, 00:52
|
Интересующийся
|
|
Регистрация: 12.03.2022
Сообщений: 15
|
|
Alikberov, на айфоновском сафари нумерации нет.
|
|
17.09.2022, 06:33
|
|
Кандидат Javascript-наук
|
|
Регистрация: 16.08.2018
Сообщений: 109
|
|
Как грамотно и аккуратно оформить
Меня тут заинтересовал вопрос:
Как правильно (с позиции вёрстки) оформить управление синтаксическими правилами подсветки? - Через атрибуты: Указать имя списка options?
- Через стиль: А можно ли там объявить регулярные выражения?
- Ссылаться на тэг var?
И нужно ли вообще отделить подсветку синтаксиса: Данный TextArea-класс оставить чисто для отображения нумераций строк, а для синтаксической подсветки - описать другой класс.
(Как можно видеть, я просто использую наслоение TextArea друг над другом с разными цветами и разными фильтрами текста.
Сообщение от borzik2h
|
Alikberov, на айфоновском сафари нумерации нет.
|
Интерeсное замечание.
К сожалению, ничего поделать не могу: Не имею ни одного, ни другого.
|
|
17.09.2022, 12:45
|
|
Профессор
|
|
Регистрация: 03.02.2020
Сообщений: 2,750
|
|
Сообщение от Alikberov
|
И нужно ли вообще отделить подсветку синтаксиса
|
Ее слишком непросто сделать.
Я как то пытался, что то даже получилось, но это без редактирования.
Большую проблему представляют строки и комментарии, в которых могут встретиться любые конструкции.
Сначала приходится выявлять их, что бы потом не рассматривать.
Ну и всякие фичи JS, где ключевое слово не всегда ключевое слово.
Например совершенно легальный код
let a= [1,2,3];
for ( const of of a) console.log(of);
|
|
17.09.2022, 13:35
|
|
Кандидат Javascript-наук
|
|
Регистрация: 16.08.2018
Сообщений: 109
|
|
Сообщение от voraa
|
Ее слишком непросто сделать.
|
A в конкретной реализации данный фрагмент
this.syntexps = [
*!*
new RegExp(`\\b(${keywords})\\b`, "gim"),
new RegExp(`\\b(?!${keywords})\\b`, "gim"),
new RegExp(`\\b(${keywords})\\b`, "gim"),
/[^\x21-\x7F\n\r\s\t]+/gim,
/[\x21-\x7F]+/gim
*/!*
];
куда можно вынести, в какой тег?
Что могли бы предложить?
Цитата:
|
Ну и всякие фичи JS, где ключевое слово не всегда ключевое слово.
|
Для начала я хочу попробовать просто мнемоники ассемблера подсветить.
Последний раз редактировалось Alikberov, 17.09.2022 в 13:55.
|
|
|
|