1
0
mirror of https://github.com/Jermolene/TiddlyWiki5 synced 2024-10-03 01:10:45 +00:00

Merge pull request #2 from Jermolene/master

Following the origin
This commit is contained in:
Andrey Yankin 2014-10-05 21:00:16 +04:00
commit 2b236ceed3
65 changed files with 961 additions and 8 deletions

View File

@ -20,7 +20,12 @@ exports.each = function(source,operator,options) {
values = {}; values = {};
source(function(tiddler,title) { source(function(tiddler,title) {
if(tiddler) { if(tiddler) {
var value = tiddler.getFieldString(operator.operand); var value;
if((operator.operand === "") || (operator.operand === "title")) {
value = title;
} else {
value = tiddler.getFieldString(operator.operand);
}
if(!$tw.utils.hop(values,value)) { if(!$tw.utils.hop(values,value)) {
values[value] = true; values[value] = true;
results.push(title); results.push(title);

View File

@ -10,7 +10,7 @@ Macros are snippets of text that can be inserted with a concise shortcut:
<<myMacro>> <<myMacro>>
``` ```
You can write your own [[Macros in WikiText]] or for more flexibility you can write [[JavaScript Macros]]. You can write your own [[Macros in WikiText]] or for more flexibility you can write [[JavaScript Macros|http://tiddlywiki.com/dev/index.html#JavaScript%20Macros]].
The following macros are built-in to the TiddlyWiki core: The following macros are built-in to the TiddlyWiki core:

View File

@ -1,5 +1,6 @@
caption: fields
created: 20140924115616653 created: 20140924115616653
modified: 20140924115627781 modified: 20141002150019737
tags: Filters tags: Filters
title: FilterOperator: fields title: FilterOperator: fields
type: text/vnd.tiddlywiki type: text/vnd.tiddlywiki

View File

@ -0,0 +1,15 @@
created: 20141002133113496
modified: 20141002230631361
tags: Reference
title: Variables
type: text/vnd.tiddlywiki
Variables together with [[Widgets]] and [[Macros]] are essential for dynamic WikiText.
You can define your own [[Variables in WikiText]] or use built-in variables.
More detailed information of built-in variables could be found in below:
<<list-links "[tag[Variables]]">>
See also DumpVariablesMacro

View File

@ -0,0 +1,22 @@
caption: currentTiddler
created: 20141001232824187
modified: 20141002161518301
tags: Variables
title: WidgetVariable: currentTiddler
type: text/vnd.tiddlywiki
! Mechanism
The ''currentTiddler'' variable containes the title of the current tiddler.
The ListWidget assigns the list result to the ''currentTiddler'' variable, unless the `variable` attribute is specified.
A couple of [[Widgets]] and [[Macros]] by default apply to the tiddler according to the ''currentTiddler'' variable.
The TranscludeWidget (or WikiText `{{||TemplateTitle}}`) transcludes a tiddler without changing the ''currentTiddler'' variable.
! Using currentTiddler Variable
These mechanisms together allow you to write references like `<$view field="title" format="link"/>` in TemplateTiddlers or inside the ListWidget hierarchy without explicitly specifying the tiddler that it applies to.
See also [[WidgetVariable: storyTiddler]]

View File

@ -0,0 +1,10 @@
caption: storyTiddler
created: 20141001232753952
modified: 20141002133957245
tags: Variables
title: WidgetVariable: storyTiddler
type: text/vnd.tiddlywiki
The ''storyTiddler'' variable is set by the [[default viewtemplate|$:/core/ui/ViewTemplate]] to the name of the current tiddler within tiddlers in the story river, and is not defined within the sidebar.
See also [[WidgetVariable: currentTiddler]]

View File

@ -0,0 +1,36 @@
caption: transclusion
created: 20141002004621385
modified: 20141002162057822
tags: Variables
title: WidgetVariable: transclusion
type: text/vnd.tiddlywiki
! Mechanism
The ''transclusion'' variable is set automatically by the transclude widget to contain a string that identifies the position of the current node within the widget tree. In the sidebar it is set to `{|$:/core/ui/PageTemplate/sidebar|||}` and within the tiddler "HelloThere" in the story river it is set to `{HelloThere|HelloThere|||}`. Each nested level of transclusion appends another curly bracketed list of symbols.
The QualifyMacro uses the ''transclusion'' variable to identify the stack of transcluded tiddlers.
! Example
```
\define mymacro()
Hello from mymacro
<$list filter="[<transclusion>prefix[{|$:/core/ui/PageTemplate/sidebar|||}]]" emptyMessage="in a tiddler">
in the sidebar
</$list>
\end
<<mymacro>>
```
Result in story tiddler
```
Hello from mymacro in a tiddler
```
Result in the sidebar
```
Hello from mymacro in the sidebar
```

View File

@ -25,7 +25,7 @@ The content of the `<$button>` widget is displayed within the button.
|setTo |The new value to assign to the TextReference identified in the `set` attribute | |setTo |The new value to assign to the TextReference identified in the `set` attribute |
|popup |Title of a state tiddler for a popup that is toggled when the button is clicked | |popup |Title of a state tiddler for a popup that is toggled when the button is clicked |
|aria-label |Optional [[Accessibility]] label | |aria-label |Optional [[Accessibility]] label |
|title |Optional tooltip | |tooltip |Optional tooltip |
|class |An optional CSS class name to be assigned to the HTML element | |class |An optional CSS class name to be assigned to the HTML element |
|style |An optional CSS style attribute to be assigned to the HTML element | |style |An optional CSS style attribute to be assigned to the HTML element |
|selectedClass |An optional additional CSS class to be assigned if the popup is triggered or the tiddler specified in `set` already has the value specified in `setTo` | |selectedClass |An optional additional CSS class to be assigned if the popup is triggered or the tiddler specified in `set` already has the value specified in `setTo` |

View File

@ -33,6 +33,16 @@ You can also mix ordered and unordered list items:
*## And the other *## And the other
">> ">>
Here's an example the other way around, with numbers as the first level:
<<wikitext-example src:"# To do today
#* Eat
# To get someone else to do
#* This
#* That
#** And the other
">>
! CSS Classes ! CSS Classes
You can also assign a CSS class to an individual member of a list with this notation: You can also assign a CSS class to an individual member of a list with this notation:

View File

@ -31,7 +31,7 @@ Global macros can be defined in any tiddler with the tag [[$:/tags/Macro]]. They
Macros can be imported from other tiddlers with the ImportVariablesWidget. Macros can be imported from other tiddlers with the ImportVariablesWidget.
[[JavaScript Macros]] can also be used for more flexibility. [[JavaScript Macros|http://tiddlywiki.com/dev/index.html#JavaScript%20Macros]] can also be used for more flexibility.
! Using Macros ! Using Macros

View File

@ -0,0 +1,28 @@
caption: Variables
created: 20141002141231992
modified: 20141002230751664
tags: WikiText
title: Variables in WikiText
type: text/vnd.tiddlywiki
! Defining Variables
Variables contains values defined by [[Widgets]].
Variables are available within the widget that defines them, and the child widgets in the widget tree.
Variables are defined by:
* TiddlyWiki core and viewtemplate
* SetWidget
* ListWidget
* [[Macro definition|Macros in WikiText]]
! Using Variables
Variables are used in:
* Variable substitution `$(name)$`
* Concise shortcut `<<name>>`
* [[Filter expression|Introduction to Filters]] `[operator<variable-operand>]`
* Some default behaviors of [[Widgets]]
See also [[currentTiddler|WidgetVariable: currentTiddler]] variable and built-in [[variables|Variables]].

View File

@ -25,7 +25,8 @@
"zh-Hans", "zh-Hans",
"zh-Hant", "zh-Hant",
"it-IT", "it-IT",
"ja-JP" "ja-JP",
"ru-RU"
], ],
"build": { "build": {
"index": [ "index": [

View File

@ -0,0 +1,60 @@
title: $:/language/Buttons/
AdvancedSearch/Caption: расширенный поиск
AdvancedSearch/Hint: Расширенный поиск
Cancel/Caption: отмена
Cancel/Hint: Отменить редактирование заметки
Clone/Caption: клонировать
Clone/Hint: Создать копию заметки
Close/Caption: закрыть
Close/Hint: Закрыть заметку
CloseAll/Caption: закрыть все
CloseAll/Hint: Закрыть все заметки
CloseOthers/Caption: закрыть остальные
CloseOthers/Hint: Закрыть остальные заметки
ControlPanel/Caption: панель управления
ControlPanel/Hint: Открыть панель управления
Delete/Caption: удалить
Delete/Hint: Удалить заметку
Edit/Caption: редактировать
Edit/Hint: Редактировать заметку
Encryption/Caption: шифрование
Encryption/Hint: Установить или сбросить пароль
Encryption/ClearPassword/Caption: сбросить пароль
Encryption/ClearPassword/Hint: Сбросить пароль и сохранить без использования шифрования
Encryption/SetPassword/Caption: установить пароль
Encryption/SetPassword/Hint: Установить пароль и включить шифрование
FullScreen/Caption: полный экран
FullScreen/Hint: Включить или выключить полноэкранный режим
Import/Caption: импортировать
Import/Hint: Импорт файлов
Info/Caption: информация
Info/Hint: Показать информацию об этой заметке
Home/Caption: главная
Home/Hint: Открыть заметки по умолчанию
Language/Caption: язык
Language/Hint: Выбрать язык пользовательского интерфейса
NewTiddler/Caption: новая заметка
NewTiddler/Hint: Создать новую заметку
More/Caption: ещё
More/Hint: Другие действия
Permalink/Caption: прямая ссылка
Permalink/Hint: Показать прямую ссылку на заметку в адресной строке браузера
Permaview/Caption: прямая ссылка
Permaview/Hint: Показать прямую ссылку на открытые заметки в адресной строке браузера
Refresh/Caption: oбновить
Refresh/Hint: Выполнить обновление страницы
Save/Caption: сохранить
Save/Hint: Сохранить заметку
SaveWiki/Caption: сохранить изменения
SaveWiki/Hint: Сохранить изменения
StoryView/Caption: отображение заметок
StoryView/Hint: Выбрать способ отображения заметок
HideSideBar/Caption: скрыть боковую панель
HideSideBar/Hint: Скрыть боковую панель
ShowSideBar/Caption: показать боковую панель
ShowSideBar/Hint: Показать боковую панель
TagManager/Caption: управление метками
TagManager/Hint: Открыть панель управления метками
Theme/Caption: тема
Theme/Hint: Выбрать тему

View File

@ -0,0 +1,98 @@
title: $:/language/ControlPanel/
Advanced/Caption: Расширенные
Advanced/Hint: Системные сведения об этой TiddlyWiki
Appearance/Caption: Внешний вид
Appearance/Hint: Способы настройки внешнего вида TiddlyWiki.
Basics/AnimDuration/Prompt: Продолжительность анимации:
Basics/Caption: Основные
Basics/DefaultTiddlers/BottomHint: Заметки, содержащие пробелы нужно взять в &#91;&#91;двойные квадратные скобки&#93;&#93;. А также можно возвращать <$button set="$:/DefaultTiddlers" setTo="[list[$:/StoryList]]">открытые ранее заметки</$button>
Basics/DefaultTiddlers/Prompt: Открывать при старте:
Basics/DefaultTiddlers/TopHint: Выберите заметки открытые при запуске:
Basics/Language/Prompt: Привет! Текущий язык:
Basics/OverriddenShadowTiddlers/Prompt: Количество переопределённых встроенных заметок:
Basics/ShadowTiddlers/Prompt: Количество встроенных заметок:
Basics/Subtitle/Prompt: Подзаголовок:
Basics/SystemTiddlers/Prompt: Количество системных заметок:
Basics/Tags/Prompt: Количество меток:
Basics/Tiddlers/Prompt: Количество заметок:
Basics/Title/Prompt: Заголовок этой ~TiddlyWiki:
Basics/Username/Prompt: Имя пользователя для подписи под изменениями:
Basics/Version/Prompt: Версия ~TiddlyWiki:
EditorTypes/Caption: Редакторы
EditorTypes/Editor/Caption: Редактор
EditorTypes/Hint: Эти заметки определяют, какой редактор используется для конкретного типа заметки.
EditorTypes/Type/Caption: Тип содержимого
Info/Caption: Сведения
Info/Hint: Сведения об этой TiddlyWiki
LoadedModules/Caption: Загруженные модули
LoadedModules/Hint: Это загруженные в настоящий момент модули, ссылающиеся на их исходные заметки. Модули, обозначенные курсивом, не имеют исходных заметок (typically because they were setup during the boot process).
Palette/Caption: Цветовая схема
Palette/Editor/Clone/Caption: скопировать
Palette/Editor/Clone/Prompt: Перед редактированием рекомендуется скопировать встроенную цветовую схему
Palette/Editor/Prompt/Modified: Эта встроенная цветовая схема изменена
Palette/Editor/Prompt: Редактирование
Palette/Editor/Reset/Caption: сброс
Palette/HideEditor/Caption: скрыть редактор
Palette/Prompt: Текущая цветовая схема:
Palette/ShowEditor/Caption: показать редактор
Plugins/Caption: Плагины
Plugins/Disable/Caption: выключить
Plugins/Disable/Hint: Выключить этот плагин
Plugins/Disabled/Status: (выключен)
Plugins/Empty/Hint: Нет
Plugins/Enable/Caption: включить
Plugins/Enable/Hint: Выключить этот плагин
Plugins/Language/Prompt: Языки
Plugins/Plugin/Prompt: Плагины
Plugins/Theme/Prompt: Темы
Saving/Caption: Сохранение
Saving/Heading: Сохранение
Saving/TiddlySpot/Advanced/Heading: Расширенные настройки
Saving/TiddlySpot/BackupDir: Каталог для резервной копии
Saving/TiddlySpot/Backups: Резервная копия
Saving/TiddlySpot/Description: Эти настройки нужны для сохранения на http://tiddlyspot.com или совместимый с ним удаленный сервер
Saving/TiddlySpot/Filename: Имя файла для загрузки
Saving/TiddlySpot/Heading: ~TiddlySpot
Saving/TiddlySpot/Hint: //URL сервера по умолчанию - `http://<wikiname>.tiddlyspot.com/store.cgi`. Его можно указать если используется другой сервер//
Saving/TiddlySpot/Password: Пароль
Saving/TiddlySpot/ServerURL: URL сервера
Saving/TiddlySpot/UploadDir: Каталог загрузки
Saving/TiddlySpot/UserName: Название Wiki
Settings/AutoSave/Caption: Автосохранение
Settings/AutoSave/Disabled/Description: Не сохранять изменения автоматически
Settings/AutoSave/Enabled/Description: Сохранять изменения автоматически
Settings/AutoSave/Hint: Сохранять изменения автоматически в процессе редактирования
Settings/Caption: Настройки
Settings/Hint: Эти настройки позволяют изменить поведение TiddlyWiki.
Settings/NavigationAddressBar/Caption: Адресная строка браузера
Settings/NavigationAddressBar/Hint: Поведение адресной строки браузера при открытии заметки:
Settings/NavigationAddressBar/No/Description: Не изменять адресную строку
Settings/NavigationAddressBar/Permalink/Description: Включить целевую заметку
Settings/NavigationAddressBar/Permaview/Description: Включить целевую заметку и все открытые заметки
Settings/NavigationHistory/Caption: История браузера
Settings/NavigationHistory/Hint: Обновлять историю браузера при открытии заметки:
Settings/NavigationHistory/No/Description: Не обновлять историю
Settings/NavigationHistory/Yes/Description: Обновлять историю
Settings/ToolbarButtons/Caption: Кнопки
Settings/ToolbarButtons/Hint: Внешний вид кнопок:
Settings/ToolbarButtons/Icons/Description: Показывать значок
Settings/ToolbarButtons/Text/Description: Показывать текст
StoryView/Caption: Поведение открытых заметок
StoryView/Prompt: Текущий вид:
Theme/Caption: Тема
Theme/Prompt: Текущая тема:
TiddlerFields/Caption: Поля заметок
TiddlerFields/Hint: Это полный набор полей заметок (включая системные заметки, но без встроенных).
Toolbars/Caption: Панели инструментов
Toolbars/EditToolbar/Caption: При редактировании
Toolbars/EditToolbar/Hint: Выберите кнопки, отображаемые во время редактирования заметок
Toolbars/Hint: Выберите отображаемые кнопки
Toolbars/PageControls/Caption: Боковой панели
Toolbars/PageControls/Hint: Выберите кнопки, отображаемые на боковой панели
Toolbars/ViewToolbar/Caption: При просмотре
Toolbars/ViewToolbar/Hint: Выберите кнопки, отображаемые во время просмотра заметок
Tools/Caption: Инструменты
Tools/Download/Full/Caption: Скачать wiki целиком
Tools/Export/AllAsStaticHTML/Caption: Скачать все заметки в виде статического HTML
Tools/Export/Heading: Экспорт

View File

@ -0,0 +1,35 @@
title: $:/language/Docs/Fields/
_canonical_uri: Полный URI заметки, содержащей внешнюю картинку
bag: Название "мешка" заметки из TiddlyWeb
caption: Текст на вкладке или кнопке
color: CSS значение цвета заметки
component: Название компонента, ответственного за [[заметку-тревогу|AlertMechanism]]
current-tiddler: Использовалось для хранения верхней заметки в [[списке истории|HistoryMechanism]]
created: Дата создания заметки
creator: Имя создателя заметки
dependents: Для плагина, перечисляет названия зависимых плагинов
description: Описание плагина или модального окна
draft.of: Для черновиков, содержит название редактируемой заметки
draft.title: Для черновиков, содержит новое название заметки
footer: Текст "подвала" мастера
hack-to-give-us-something-to-compare-against: Временное поле используемое в [[$:/core/templates/static.content]]
icon: Название заметки, содержащей значок заметки
library: Если "yes", то заметка сохраняется как библиотека JavaScript
list: Упорядоченный список названий связанных заметок
list-before: Название заметки, перед которой эта заметка добавляется в упорядоченный список; если это поле создано и имеет пустое значение, то заметка добавляется в начало списка
list-after: Название заметки, после которой эта заметка добавляется в упорядоченный список
modified: Дата последнего изменения заметки
modifier: Имя редактора заметки
name: Название плагина
plugin-priority: Число - приоритет плагина
plugin-type: Тип плагина
revision: Версия заметки на сервере
released: Дата выпуска TiddlyWiki
source: Исходный URL связанный с заметкой
subtitle: Подзаголовок мастера
tags: Список меток связанный с заметкой
text: Содержимое заметки
title: Уникальное название заметки
type: Тип содержимого заметки
version: Версия плагина

View File

@ -0,0 +1,21 @@
title: $:/language/Docs/ModuleTypes/
animation: Анимации для виджета Reveal.
command: Команды, исполняемые Node.js.
config: Данные для вставки в `$tw.config`.
filteroperator: Отдельные методы операторов фильтра.
global: Глобальные данные для вставки в `$tw`.
isfilteroperator: Операнды для оператора фильтра ''is''.
macro: Макросы JavaScript.
parser: Парсеры для разных типов содержимого.
saver: Методы сохранения.
startup: Функции, выполняемые при загрузке.
storyview: Настройка анимации и поведения виджета List.
tiddlerdeserializer: Превращают разные типы содержимого в заметки.
tiddlerfield: Определяет поведение отдельных полей заметок.
tiddlermethod: Добавляет методы к прототипу заметки `$tw.Tiddler`.
utils: Добавляет методы в `$tw.utils`.
utils-node: Добавляет специфичные для Node.js методы в `$tw.utils`.
widget: Виджеты отвечают за отображение и обновление DOM.
wikimethod: Добавляет методы в `$tw.Wiki`.
wikirule: Отдельные правила для главного парсера WikiText.

View File

@ -0,0 +1,101 @@
title: $:/language/Docs/PaletteColours/
alert-background: Фон сообщения об ошибке
alert-border: Граница сообщения об ошибке
alert-highlight: Подсветка сообщения об ошибке
alert-muted-foreground: Приглушенный цвет текста сообщения об ошибке
background: Общий фон
blockquote-bar: Оформление цитаты
dirty-indicator: Индикатор несохранённых изменений
code-background: Фон блоков кода
code-border: Граница блоков кода
code-foreground: Цвет текста блоков кода
download-background: Фон кнопки Скачать
download-foreground: Цвет текста кнопки Скачать
dragger-background: Фон перетаскиваемой ссылки
dragger-foreground: Цвет текста перетаскиваемой ссылки
dropdown-background: Фон выпадающего меню
dropdown-border: Граница выпадающего меню
dropdown-tab-background-selected: Фон выбранных вкладок выпадающего меню
dropdown-tab-background: Фон вкладок выпадающего меню
dropzone-background: Фон области перетаскивания
external-link-background-hover: Фон внешней ссылки при наведении
external-link-background-visited: Фон посещённой внешней ссылки
external-link-background: фон внешней ссылки
external-link-foreground-hover: Цвет текста внешней ссылки при наведении
external-link-foreground-visited: Цвет текста посещённой внешней ссылки
external-link-foreground: Цвет текста внешней ссылки
foreground: Общий цвет текста
message-background: Фон сообщений
message-border: Граница сообщений
message-foreground: Цвет текста сообщений
modal-backdrop: Цвет фона за модальным окном
modal-background: Фон модального окна
modal-border: Граница модального окна
modal-footer-background: Фон подвала модального окна
modal-footer-border: Граница подвала модального окна
modal-header-border: Граница шапки модального окна
muted-foreground: Приглушенный цвет текста
notification-background: Фон уведомлений
notification-border: Граница уведомлений
page-background: Фон страницы
pre-background: Фон неформатированного текста
pre-border: Граница неформатированного текста
primary: Первичный цвет
sidebar-button-foreground: Цвет текста кнопок боковой панели
sidebar-controls-foreground-hover: Цвет элементов управления боковой панели при наведении
sidebar-controls-foreground: Цвет элементов управления боковой панели
sidebar-foreground-shadow: Цвет тени текста на боковой панели
sidebar-foreground: Цвет текста на боковой панели
sidebar-muted-foreground-hover: Приглушенный цвет текста на боковой панели при наведении
sidebar-muted-foreground: Приглушенный цвет текста на боковой панели
sidebar-tab-background-selected: Фон выбранных вкладок на боковой панели
sidebar-tab-background: Фон вкладок на боковой панели
sidebar-tab-border-selected: Граница выбранных вкладок на боковой панели
sidebar-tab-border: Граница вкладок на боковой панели
sidebar-tab-divider: Разделитель вкладок на боковой панели
sidebar-tab-foreground-selected: Цвет текста выбранных вкладок на боковой панели
sidebar-tab-foreground: Цвет текста вкладок на боковой панели
sidebar-tiddler-link-foreground-hover: Цвет ссылок на заметки на боковой панели при наведении
sidebar-tiddler-link-foreground: Цвет ссылок на заметки на боковой панели
static-alert-foreground: Цвет текста статической версии сообщения об ошибке
tab-background-selected: Фон выбранных вкладок
tab-background: Фон вкладок
tab-border-selected: Граница выбранных вкладок
tab-border: Граница вкладок
tab-divider: Разделитель вкладок
tab-foreground-selected: Цвет текста выбранных вкладок
tab-foreground: Цвет текста вкладок
table-border: Граница таблиц
table-footer-background: Фон подвала таблиц
table-header-background: Фон шапки таблиц
tag-background: Фон меток
tag-foreground: Цвет текста меток
tiddler-background: Фон заметок
tiddler-border: Граница заметок
tiddler-controls-foreground-hover: Цвет элементов управления заметки при наведении
tiddler-controls-foreground-selected: Цвет выбранных элементов управления заметки
tiddler-controls-foreground: Цвет элементов управления заметки
tiddler-editor-background: Фон редактора заметок
tiddler-editor-border-image: Граница редактора изображений
tiddler-editor-border: Граница редактора заметок
tiddler-editor-fields-even: Фон четных полей
tiddler-editor-fields-odd: Фон нечётных полей
tiddler-info-background: Фон информационной панели заметки
tiddler-info-border: Граница информационной панели заметки
tiddler-info-tab-background: Фон вкладок информационной панели заметки
tiddler-link-background: Фон ссылок на заметку
tiddler-link-foreground: Цвет текста ссылок на заметку
tiddler-subtitle-foreground: Цвет текста подзаголовка заметки
tiddler-title-foreground: Цвет текста заголовка заметки
toolbar-new-button: Цвет кнопки 'создать'
toolbar-options-button: Цвет кнопки 'настройки'
toolbar-save-button: Цвет кнопки 'сохранить'
toolbar-info-button: Цвет кнопки 'информация'
toolbar-edit-button: Цвет кнопки 'редактировать'
toolbar-close-button: Цвет кнопки 'закрыть'
toolbar-delete-button: Цвет кнопки 'удалить'
toolbar-cancel-button: Цвет кнопки 'отменить'
toolbar-done-button: Цвет кнопки 'готово'
untagged-background: Фон метки 'без метки'
very-muted-foreground: Очень приглушенный цвет текста

View File

@ -0,0 +1,17 @@
title: $:/language/EditTemplate/
Body/External/Hint: Содержимое этой заметки находится вне TiddlyWiki. Но вы можете редактировать метки и поля
Body/Hint: Воспользуйтесь [[WikiText|http://tiddlywiki.com/static/WikiText.html]] для форматирования, добавления изображений и макросов
Body/Placeholder: Введите текст заметки
Body/Preview/Button/Hide: скрыть предпросмотр
Body/Preview/Button/Show: предпросмотр
Fields/Add/Button: добавить
Fields/Add/Name/Placeholder: название поля
Fields/Add/Prompt: Добавить новое поле:
Fields/Add/Value/Placeholder: значение
Shadow/Warning: Это встроенная заметка. Любое изменение переопределит стандартное значение
Shadow/OverriddenWarning: Это переопределённая встроенная заметка. Для восстановления стандартного значения просто удалите её
Tags/Add/Button: добавить
Tags/Add/Placeholder: название метки
Type/Placeholder: тип содержимого
Type/Prompt: Тип:

View File

@ -0,0 +1,12 @@
title: $:/language/Filters/
AllTiddlers: Все заметки, кроме системных
RecentTiddlers: Недавно измененные заметки
AllTags: Все метки, кроме системных
Missing: Отсутствующие заметки
Drafts: Черновики
Orphans: Потерянные заметки
SystemTiddlers: Системные заметки
ShadowTiddlers: Встроенные заметки
OverriddenShadowTiddlers: Переопределённые встроенные заметки
SystemTags: Системные метки

View File

@ -0,0 +1,13 @@
title: GettingStarted
Добро пожаловать в TiddlyWiki, нелинейную личную сетевую записную книжку.
Для начала убедитесь, что у вас работает сохранение - подробные инструкции на http://tiddlywiki.com/.
Затем вы можете:
* Создать новые заметки, используя кнопку 'плюс' на боковой панели
* Зайти в [[панель управления|$:/ControlPanel]], используя кнопку с изображением 'шестерёнки' на боковой панели и настроить TiddlyWiki на свой вкус
** Убрать это сообщение, изменив настройку 'заметки по умолчанию' на вкладке ''Основные''
* Сохранить изменения при помощи кнопки 'скачать' на боковой панели
* Изучить подробнее [[WikiText|http://tiddlywiki.com/static/WikiText.html]]

View File

@ -0,0 +1,11 @@
title: $:/language/Help/build
description: Automatically run configured commands
Build the specified build targets for the current wiki. If no build targets are specified then all available targets will be built.
```
--build <target> [<target> ...]
```
Build targets are defined in the `tiddlywiki.info` file of a wiki folder.

View File

@ -0,0 +1,8 @@
title: $:/language/Help/clearpassword
description: Clear a password for subsequent crypto operations
Clear the password for subsequent crypto operations
```
--clearpassword
```

View File

@ -0,0 +1,22 @@
title: $:/language/Help/default
\define commandTitle()
$:/language/Help/$(command)$
\end
```
usage: tiddlywiki [<wikifolder>] [--<command> [<args>...]...]
```
Available commands:
<ul>
<$list filter="[commands[]sort[title]]" variable="command">
<li><$link to=<<commandTitle>>><$macrocall $name="command" $type="text/plain" $output="text/plain"/></$link>: <$transclude tiddler=<<commandTitle>> field="description"/></li>
</$list>
</ul>
To get detailed help on a command:
```
tiddlywiki --help <command>
```

View File

@ -0,0 +1,10 @@
title: $:/language/Help/help
description: Display help for TiddlyWiki commands
Displays help text for a command:
```
--help [<command>]
```
If the command name is omitted then a list of available commands is displayed.

View File

@ -0,0 +1,23 @@
title: $:/language/Help/init
description: Initialise a new wiki folder
Initialise an empty [[WikiFolder|WikiFolders]] with a copy of the specified edition.
```
--init <edition> [<edition> ...]
```
For example:
```
tiddlywiki ./MyWikiFolder --init empty
```
Note:
* The wiki folder directory will be created if necessary
* The "edition" defaults to ''empty''
* The init command will fail if the wiki folder is not empty
* The init command removes any `includeWikis` definitions in the edition's `tiddlywiki.info` file
* When multiple editions are specified, editions initialised later will overwrite any files shared with earlier editions (so, the final `tiddlywiki.info` file will be copied from the last edition)
* `--help editions` returns a list of available editions

View File

@ -0,0 +1,16 @@
title: $:/language/Help/load
description: Load tiddlers from a file
Load tiddlers from 2.x.x TiddlyWiki files (`.html`), `.tiddler`, `.tid`, `.json` or other files
```
--load <filepath>
```
To load tiddlers from an encrypted TiddlyWiki file you should first specify the password with the PasswordCommand. For example:
```
tiddlywiki ./MyWiki --password pa55w0rd --load my_encrypted_wiki.html
```
Note that TiddlyWiki will not load an older version of an already loaded plugin.

View File

@ -0,0 +1,14 @@
title: $:/language/Help/makelibrary
description: Construct library plugin required by upgrade process
Constructs the `$:/UpgradeLibrary` tiddler for the upgrade process.
The upgrade library is formatted as an ordinary plugin tiddler with the plugin type `library`. It contains a copy of each of the plugins, themes and language packs available within the TiddlyWiki5 repository.
This command is intended for internal use; it is only relevant to users constructing a custom upgrade procedure.
```
--makelibrary <title>
```
The title argument defaults to `$:/UpgradeLibrary`.

View File

@ -0,0 +1,3 @@
title: $:/language/Help/notfound
No such help item

View File

@ -0,0 +1,10 @@
title: $:/language/Help/output
description: Set the base output directory for subsequent commands
Sets the base output directory for subsequent commands. The default output directory is the `output` subdirectory of the edition directory.
```
--output <pathname>
```
If the specified pathname is relative then it is resolved relative to the current working directory.

View File

@ -0,0 +1,9 @@
title: $:/language/Help/password
description: Set a password for subsequent crypto operations
Set a password for subsequent crypto operations
```
--password <password>
```

View File

@ -0,0 +1,12 @@
title: $:/language/Help/rendertiddler
description: Render an individual tiddler as a specified ContentType
Render an individual tiddler as a specified ContentType, defaults to `text/html` and save it to the specified filename:
```
--rendertiddler <title> <filename> [<type>]
```
By default, the filename is resolved relative to the `output` subdirectory of the edition directory. The `--output` command can be used to direct output to a different directory.
Any missing directories in the path to the filename are automatically created.

View File

@ -0,0 +1,18 @@
title: $:/language/Help/rendertiddlers
description: Render tiddlers matching a filter to a specified ContentType
Render a set of tiddlers matching a filter to separate files of a specified ContentType (defaults to `text/html`) and extension (defaults to `.html`).
```
--rendertiddlers <filter> <template> <pathname> [<type>] [<extension>]
```
For example:
```
--rendertiddlers [!is[system]] $:/core/templates/static.tiddler.html ./static text/plain
```
By default, the pathname is resolved relative to the `output` subdirectory of the edition directory. The `--output` command can be used to direct output to a different directory.
Any files in the target directory are deleted. The target directory is recursively created if it is missing.

View File

@ -0,0 +1,12 @@
title: $:/language/Help/savetiddler
description: Saves a raw tiddler to a file
Saves an individual tiddler in its raw text or binary format to the specified filename.
```
--savetiddler <title> <filename>
```
By default, the filename is resolved relative to the `output` subdirectory of the edition directory. The `--output` command can be used to direct output to a different directory.
Any missing directories in the path to the filename are automatically created.

View File

@ -0,0 +1,12 @@
title: $:/language/Help/savetiddlers
description: Saves a group of raw tiddlers to a directory
Saves a group of tiddlers in their raw text or binary format to the specified directory.
```
--savetiddlers <filter> <pathname>
```
By default, the pathname is resolved relative to the `output` subdirectory of the edition directory. The `--output` command can be used to direct output to a different directory.
Any missing directories in the pathname are automatically created.

View File

@ -0,0 +1,37 @@
title: $:/language/Help/server
description: Provides an HTTP server interface to TiddlyWiki
The server built in to TiddlyWiki5 is very simple. Although compatible with TiddlyWeb it doesn't support many of the features needed for robust Internet-facing usage.
At the root, it serves a rendering of a specified tiddler. Away from the root, it serves individual tiddlers encoded in JSON, and supports the basic HTTP operations for `GET`, `PUT` and `DELETE`.
```
--server <port> <roottiddler> <rendertype> <servetype> <username> <password> <host> <pathprefix>
```
The parameters are:
* ''port'' - port number to serve from (defaults to "8080")
* ''roottiddler'' - the tiddler to serve at the root (defaults to "$:/core/save/all")
* ''rendertype'' - the content type to which the root tiddler should be rendered (defaults to "text/plain")
* ''servetype'' - the content type with which the root tiddler should be served (defaults to "text/html")
* ''username'' - the default username for signing edits
* ''password'' - optional password for basic authentication
* ''host'' - optional hostname to serve from (defaults to "127.0.0.1" aka "localhost")
* ''pathprefix'' - optional prefix for paths
If the password parameter is specified then the browser will prompt the user for the username and password. Note that the password is transmitted in plain text so this implementation isn't suitable for general use.
For example:
```
--server 8080 $:/core/save/all text/plain text/html MyUserName passw0rd
```
The username and password can be specified as empty strings if you need to set the hostname or pathprefix and don't want to require a password:
```
--server 8080 $:/core/save/all text/plain text/html "" "" 192.168.0.245
```
To run multiple TiddlyWiki servers at the same time you'll need to put each one on a different port.

View File

@ -0,0 +1,18 @@
title: $:/language/Help/setfield
description: Prepares external tiddlers for use
//Note that this command is experimental and may change or be replaced before being finalised//
Sets the specified field of a group of tiddlers to the result of wikifying a template tiddler with the `currentTiddler` variable set to the tiddler.
```
--setfield <filter> <fieldname> <templatetitle> <rendertype>
```
The parameters are:
* ''filter'' - filter identifying the tiddlers to be affected
* ''fieldname'' - the field to modify (defaults to "text")
* ''templatetitle'' - the tiddler to wikify into the specified field. If blank or missing then the specified field is deleted
* ''type'' - the text type to render (defaults to "text/plain"; "text/html" can be used to include HTML tags)

View File

@ -0,0 +1,8 @@
title: $:/language/Help/verbose
description: Triggers verbose output mode
Triggers verbose output, useful for debugging
```
--verbose
```

View File

@ -0,0 +1,8 @@
title: $:/language/Help/version
description: Displays the version number of TiddlyWiki
Displays the version number of TiddlyWiki.
```
--version
```

View File

@ -0,0 +1,14 @@
title: $:/language/Import/
Listing/Cancel/Caption: Отмена
Listing/Hint: Импортируемые заметки:
Listing/Import/Caption: Импортировать
Listing/Select/Caption: Выбор
Listing/Status/Caption: Примечание
Listing/Title/Caption: Название
Upgrader/Plugins/Suppressed/Incompatible: Заблокированный несовместимый или устаревший плагин
Upgrader/Plugins/Suppressed/Version: Заблокированный плагин (импотируемый <<incoming>> старее существующего <<existing>>)
Upgrader/Plugins/Upgraded: Обновляемый плагин с версии <<incoming>> до <<upgraded>>
Upgrader/State/Suppressed: Заблокированная временная внутренняя заметка
Upgrader/System/Suppressed: Заблокированная системная заметка
Upgrader/ThemeTweaks/Created: Импортированная настройка темы из <$text text=<<from>>/>

View File

@ -0,0 +1,33 @@
title: $:/language/
BinaryWarning/Prompt: Эта заметка содержит двоичные данные
ClassicWarning/Hint: Эта заметка написана в формате TiddlyWiki Classic WikiText, который не совместим с TiddlyWiki 5. Подробнее: http://tiddlywiki.com/static/Upgrading.html
ClassicWarning/Upgrade/Caption: обновление
CloseAll/Button: закрыть все
ConfirmCancelTiddler: Отменить изменения заметки "<$text text=<<title>>/>"?
ConfirmDeleteTiddler: Удалить заметку "<$text text=<<title>>/>"?
ConfirmOverwriteTiddler: Заменить заметку "<$text text=<<title>>/>"?
ConfirmEditShadowTiddler: Вы собираетесь редактировать встроенную заметку. Любое изменение переопределит стандартное значение и может привести к проблемам при обновлении TiddlyWiki. Вы действительно хотите редактировать "<$text text=<<title>>/>"?
DropMessage: Перетащите сюда (или нажмите escape для отмены)
InvalidFieldName: Недопустимые символы в названии поля "<$text text=<<fieldName>>/>". Поля могут содержать только латинские буквы нижнего регистра, цифры и символы: подчеркивание (`_`), дефис (`-`) и точку (`.`)
MissingTiddler/Hint: Заметка "<$text text=<<currentTiddler>>/>" отсутствует - нажмите {{$:/core/images/edit-button}} чтобы её создать
RecentChanges/DateFormat: DD MMM YYYY
RelativeDate/Future/Days: через <<period>> дней
RelativeDate/Future/Hours: через <<period>> часов
RelativeDate/Future/Minutes: через <<period>> минут
RelativeDate/Future/Months: через <<period>> месяцев
RelativeDate/Future/Second: через 1 секунду
RelativeDate/Future/Seconds: через <<period>> секунд
RelativeDate/Future/Years: через <<period>> лет
RelativeDate/Past/Days: <<period>> дней назад
RelativeDate/Past/Hours: <<period>> часов назад
RelativeDate/Past/Minutes: <<period>> минут назад
RelativeDate/Past/Months: <<period>> месяцев назад
RelativeDate/Past/Second: 1 секунду назад
RelativeDate/Past/Seconds: <<period>> секунд назад
RelativeDate/Past/Years: <<period>> лет назад
SystemTiddler/Tooltip: Это системная заметка
TagManager/Colour/Heading: Цвет
TagManager/Icon/Heading: Значок
TagManager/Tag/Heading: Метка
UnsavedChangesWarning: Изменения TiddlyWiki не сохранены

View File

@ -0,0 +1,13 @@
title: $:/language/Modals/Download
type: text/vnd.tiddlywiki
subtitle: Download changes
footer: <$button message="tm-close-tiddler">Close</$button>
help: http://tiddlywiki.com/static/DownloadingChanges.html
Your browser only supports manual saving.
To save your modified wiki, right click on the download link below and select "Download file" or "Save file", and then choose the folder and filename.
//You can marginally speed things up by clicking the link with the control key (Windows) or the options/alt key (Mac OS X). You will not be prompted for the folder or filename, but your browser is likely to give it an unrecognisable name -- you may need to rename the file to include an `.html` extension before you can do anything useful with it.//
On smartphones that do not allow files to be downloaded you can instead bookmark the link, and then sync your bookmarks to a desktop computer from where the wiki can be saved normally.

View File

@ -0,0 +1,22 @@
title: $:/language/Modals/SaveInstructions
type: text/vnd.tiddlywiki
subtitle: Save your work
footer: <$button message="tm-close-tiddler">Close</$button>
help: http://tiddlywiki.com/static/SavingChanges.html
Your changes to this wiki need to be saved as a ~TiddlyWiki HTML file.
!!! Desktop browsers
# Select ''Save As'' from the ''File'' menu
# Choose a filename and location
#* Some browsers also require you to explicitly specify the file saving format as ''Webpage, HTML only'' or similar
# Close this tab
!!! Smartphone browsers
# Create a bookmark to this page
#* If you've got iCloud or Google Sync set up then the bookmark will automatically sync to your desktop where you can open it and save it as above
# Close this tab
//If you open the bookmark again in Mobile Safari you will see this message again. If you want to go ahead and use the file, just click the ''close'' button below//

View File

@ -0,0 +1,4 @@
title: $:/language/Notifications/
Save/Done: Успешно сохранено
Save/Starting: Идёт сохранение

View File

@ -0,0 +1,15 @@
title: $:/language/Search/
Filter/Caption: Фильтр
Filter/Hint: Поиск с помощью [[фильтров|http://tiddlywiki.com/static/Filters.html]]
Filter/Matches: //<small><$count filter={{$:/temp/advancedsearch}}/> совпадений</small>//
Matches: //<small><$count filter="[!is[system]search{$:/temp/search}]"/> совпадений</small>//
Shadows/Caption: Встроенные
Shadows/Hint: Поиск встроенных заметок
Shadows/Matches: //<small><$count filter="[all[shadows]search{$:/temp/advancedsearch}]"/> совпадений</small>//
Standard/Caption: Обычные
Standard/Hint: Поиск обычных заметок
Standard/Matches: //<small><$count filter="[!is[system]search{$:/temp/advancedsearch}]"/> совпадений</small>//
System/Caption: Системные
System/Hint: Поиск системных заметок
System/Matches: //<small><$count filter="[is[system]search{$:/temp/advancedsearch}]"/> совпадений</small>//

View File

@ -0,0 +1,16 @@
title: $:/language/SideBar/
All/Caption: Все
Contents/Caption: Оглавление
Drafts/Caption: Черновики
Missing/Caption: Отсутствующие
More/Caption: Ещё
Open/Caption: Открытые
Orphans/Caption: Потерянные
Recent/Caption: Последние
Shadows/Caption: Встроенные
System/Caption: Системные
Tags/Caption: Метки
Tags/Untagged/Caption: без метки
Tools/Caption: Инструменты
Types/Caption: Типы

View File

@ -0,0 +1,3 @@
title: $:/SiteSubtitle
нелинейная личная сетевая записная книжка

View File

@ -0,0 +1,3 @@
title: $:/SiteTitle
Моя ~TiddlyWiki

View File

@ -0,0 +1,21 @@
title: $:/language/TiddlerInfo/
Advanced/Caption: Расширенные
Advanced/PluginInfo/Empty/Hint: нет
Advanced/PluginInfo/Heading: Сведения о плагине
Advanced/PluginInfo/Hint: Плагин содержит следующие встроенные заметки:
Advanced/ShadowInfo/Heading: Встроенность
Advanced/ShadowInfo/NotShadow/Hint: Заметка <$link to=<<infoTiddler>>><$text text=<<infoTiddler>>/></$link> не является встроенной
Advanced/ShadowInfo/Shadow/Hint: Заметка <$link to=<<infoTiddler>>><$text text=<<infoTiddler>>/></$link> является встроенной
Advanced/ShadowInfo/Shadow/Source: Она принадлежит плагину <$link to=<<pluginTiddler>>><$text text=<<pluginTiddler>>/></$link>
Advanced/ShadowInfo/OverriddenShadow/Hint: Она переопределена обычной заметкой
Fields/Caption: Поля
List/Caption: Список
List/Empty: У этой заметки нет списка
Listed/Caption: В списках
Listed/Empty: Этой заметки нет в списках
References/Caption: Ссылки
References/Empty: Другие заметки не ссылаются на эту
Tagging/Caption: Отмеченные
Tagging/Empty: Нет заметок, отмеченных этой
Tools/Caption: Инструменты

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/application/javascript
description: JavaScript code
name: application/javascript
group: Разработка

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/application/json
description: JSON data
name: application/json
group: Разработка

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/application/x-tiddler-dictionary
description: Data dictionary
name: application/x-tiddler-dictionary
group: Разработка

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/image/gif
description: GIF изображение
name: image/gif
group: Изображение

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/image/jpeg
description: JPEG изображение
name: image/jpeg
group: Изображение

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/image/png
description: PNG изображение
name: image/png
group: Изображение

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/image/svg+xml
description: SVG изображение
name: image/svg+xml
group: Изображение

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/image/x-icon
description: ICO значок
name: image/x-icon
group: Изображение

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/text/css
description: Static stylesheet
name: text/css
group: Разработка

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/text/html
description: HTML разметка
name: text/html
group: Текст

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/text/plain
description: Обычный текст
name: text/plain
group: Текст

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/text/vnd.tiddlywiki
description: TiddlyWiki 5
name: text/vnd.tiddlywiki
group: Текст

View File

@ -0,0 +1,4 @@
title: $:/language/Docs/Types/text/x-tiddlywiki
description: TiddlyWiki Classic
name: text/x-tiddlywiki
group: Текст

8
languages/ru-RU/icon.tid Normal file
View File

@ -0,0 +1,8 @@
title: $:/languages/ru-RU/icon
type: image/svg+xml
<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 9 6" width="900" height="600">
<rect fill="#fff" width="9" height="3"/>
<rect fill="#d52b1e" y="3" width="9" height="3"/>
<rect fill="#0039a6" y="2" width="9" height="2"/>
</svg>

View File

@ -0,0 +1,8 @@
{
"title": "$:/languages/ru-RU",
"name": "ru-RU",
"plugin-type": "language",
"description": "Russian (Russia)",
"author": "AndreyYankin aka andrey013",
"core-version": ">=5.0.0"
}

View File

@ -172,3 +172,5 @@ Mal Gamble, @malgam, 2014/09/19
Ton Gerner, @gernert, 2014/09/19 Ton Gerner, @gernert, 2014/09/19
Julie Bertrand, @Evolena, 2014/09/22 Julie Bertrand, @Evolena, 2014/09/22
Andrey Yankin, @andrey013, 2014/09/30

View File

@ -339,7 +339,7 @@ button.tc-tag-label, span.tc-tag-label {
background: <<colour tab-divider>>; background: <<colour tab-divider>>;
} }
.tc-untagged-label { button.tc-untagged-label {
background-color: <<colour untagged-background>>; background-color: <<colour untagged-background>>;
} }
@ -531,7 +531,6 @@ button.tc-tag-label, span.tc-tag-label {
margin-bottom: 28px; margin-bottom: 28px;
background-color: <<colour tiddler-background>>; background-color: <<colour tiddler-background>>;
border: 1px solid <<colour tiddler-border>>; border: 1px solid <<colour tiddler-border>>;
overflow: hidden; /* https://github.com/Jermolene/TiddlyWiki5/issues/282 */
} }
.tc-tiddler-info { .tc-tiddler-info {
@ -707,6 +706,10 @@ canvas.tc-edit-bitmapeditor {
line-height: 22px; line-height: 22px;
} }
.tc-tiddler-title, .tc-titlebar {
overflow: hidden; /* https://github.com/Jermolene/TiddlyWiki5/issues/282 */
}
/* /*
** Toolbar buttons ** Toolbar buttons
*/ */