mirror of
https://github.com/BoostIo/Boostnote
synced 2025-12-13 17:56:25 +00:00
Merge branch 'master' into smart_arrows
This commit is contained in:
@@ -7,7 +7,9 @@ import attachmentManagement from 'browser/main/lib/dataApi/attachmentManagement'
|
|||||||
import convertModeName from 'browser/lib/convertModeName'
|
import convertModeName from 'browser/lib/convertModeName'
|
||||||
import eventEmitter from 'browser/main/lib/eventEmitter'
|
import eventEmitter from 'browser/main/lib/eventEmitter'
|
||||||
import iconv from 'iconv-lite'
|
import iconv from 'iconv-lite'
|
||||||
|
import crypto from 'crypto'
|
||||||
|
import consts from 'browser/lib/consts'
|
||||||
|
import fs from 'fs'
|
||||||
const { ipcRenderer } = require('electron')
|
const { ipcRenderer } = require('electron')
|
||||||
|
|
||||||
CodeMirror.modeURL = '../node_modules/codemirror/mode/%N/%N.js'
|
CodeMirror.modeURL = '../node_modules/codemirror/mode/%N/%N.js'
|
||||||
@@ -81,8 +83,21 @@ export default class CodeEditor extends React.Component {
|
|||||||
|
|
||||||
componentDidMount () {
|
componentDidMount () {
|
||||||
const { rulers, enableRulers } = this.props
|
const { rulers, enableRulers } = this.props
|
||||||
this.value = this.props.value
|
const expandSnippet = this.expandSnippet.bind(this)
|
||||||
|
|
||||||
|
const defaultSnippet = [
|
||||||
|
{
|
||||||
|
id: crypto.randomBytes(16).toString('hex'),
|
||||||
|
name: 'Dummy text',
|
||||||
|
prefix: ['lorem', 'ipsum'],
|
||||||
|
content: 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.'
|
||||||
|
}
|
||||||
|
]
|
||||||
|
if (!fs.existsSync(consts.SNIPPET_FILE)) {
|
||||||
|
fs.writeFileSync(consts.SNIPPET_FILE, JSON.stringify(defaultSnippet, null, 4), 'utf8')
|
||||||
|
}
|
||||||
|
|
||||||
|
this.value = this.props.value
|
||||||
this.editor = CodeMirror(this.refs.root, {
|
this.editor = CodeMirror(this.refs.root, {
|
||||||
rulers: buildCMRulers(rulers, enableRulers),
|
rulers: buildCMRulers(rulers, enableRulers),
|
||||||
value: this.props.value,
|
value: this.props.value,
|
||||||
@@ -103,6 +118,8 @@ export default class CodeEditor extends React.Component {
|
|||||||
Tab: function (cm) {
|
Tab: function (cm) {
|
||||||
const cursor = cm.getCursor()
|
const cursor = cm.getCursor()
|
||||||
const line = cm.getLine(cursor.line)
|
const line = cm.getLine(cursor.line)
|
||||||
|
const cursorPosition = cursor.ch
|
||||||
|
const charBeforeCursor = line.substr(cursorPosition - 1, 1)
|
||||||
if (cm.somethingSelected()) cm.indentSelection('add')
|
if (cm.somethingSelected()) cm.indentSelection('add')
|
||||||
else {
|
else {
|
||||||
const tabs = cm.getOption('indentWithTabs')
|
const tabs = cm.getOption('indentWithTabs')
|
||||||
@@ -114,6 +131,16 @@ export default class CodeEditor extends React.Component {
|
|||||||
cm.execCommand('insertSoftTab')
|
cm.execCommand('insertSoftTab')
|
||||||
}
|
}
|
||||||
cm.execCommand('goLineEnd')
|
cm.execCommand('goLineEnd')
|
||||||
|
} else if (!charBeforeCursor.match(/\t|\s|\r|\n/) && cursor.ch > 1) {
|
||||||
|
// text expansion on tab key if the char before is alphabet
|
||||||
|
const snippets = JSON.parse(fs.readFileSync(consts.SNIPPET_FILE, 'utf8'))
|
||||||
|
if (expandSnippet(line, cursor, cm, snippets) === false) {
|
||||||
|
if (tabs) {
|
||||||
|
cm.execCommand('insertTab')
|
||||||
|
} else {
|
||||||
|
cm.execCommand('insertSoftTab')
|
||||||
|
}
|
||||||
|
}
|
||||||
} else {
|
} else {
|
||||||
if (tabs) {
|
if (tabs) {
|
||||||
cm.execCommand('insertTab')
|
cm.execCommand('insertTab')
|
||||||
@@ -157,6 +184,73 @@ export default class CodeEditor extends React.Component {
|
|||||||
CodeMirror.Vim.map('ZZ', ':q', 'normal')
|
CodeMirror.Vim.map('ZZ', ':q', 'normal')
|
||||||
}
|
}
|
||||||
|
|
||||||
|
expandSnippet (line, cursor, cm, snippets) {
|
||||||
|
const wordBeforeCursor = this.getWordBeforeCursor(line, cursor.line, cursor.ch)
|
||||||
|
const templateCursorString = ':{}'
|
||||||
|
for (let i = 0; i < snippets.length; i++) {
|
||||||
|
if (snippets[i].prefix.indexOf(wordBeforeCursor.text) !== -1) {
|
||||||
|
if (snippets[i].content.indexOf(templateCursorString) !== -1) {
|
||||||
|
const snippetLines = snippets[i].content.split('\n')
|
||||||
|
let cursorLineNumber = 0
|
||||||
|
let cursorLinePosition = 0
|
||||||
|
for (let j = 0; j < snippetLines.length; j++) {
|
||||||
|
const cursorIndex = snippetLines[j].indexOf(templateCursorString)
|
||||||
|
if (cursorIndex !== -1) {
|
||||||
|
cursorLineNumber = j
|
||||||
|
cursorLinePosition = cursorIndex
|
||||||
|
cm.replaceRange(
|
||||||
|
snippets[i].content.replace(templateCursorString, ''),
|
||||||
|
wordBeforeCursor.range.from,
|
||||||
|
wordBeforeCursor.range.to
|
||||||
|
)
|
||||||
|
cm.setCursor({ line: cursor.line + cursorLineNumber, ch: cursorLinePosition })
|
||||||
|
}
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
cm.replaceRange(
|
||||||
|
snippets[i].content,
|
||||||
|
wordBeforeCursor.range.from,
|
||||||
|
wordBeforeCursor.range.to
|
||||||
|
)
|
||||||
|
}
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
|
||||||
|
getWordBeforeCursor (line, lineNumber, cursorPosition) {
|
||||||
|
let wordBeforeCursor = ''
|
||||||
|
const originCursorPosition = cursorPosition
|
||||||
|
const emptyChars = /\t|\s|\r|\n/
|
||||||
|
|
||||||
|
// to prevent the word to expand is long that will crash the whole app
|
||||||
|
// the safeStop is there to stop user to expand words that longer than 20 chars
|
||||||
|
const safeStop = 20
|
||||||
|
|
||||||
|
while (cursorPosition > 0) {
|
||||||
|
const currentChar = line.substr(cursorPosition - 1, 1)
|
||||||
|
// if char is not an empty char
|
||||||
|
if (!emptyChars.test(currentChar)) {
|
||||||
|
wordBeforeCursor = currentChar + wordBeforeCursor
|
||||||
|
} else if (wordBeforeCursor.length >= safeStop) {
|
||||||
|
throw new Error('Your snippet trigger is too long !')
|
||||||
|
} else {
|
||||||
|
break
|
||||||
|
}
|
||||||
|
cursorPosition--
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
text: wordBeforeCursor,
|
||||||
|
range: {
|
||||||
|
from: {line: lineNumber, ch: originCursorPosition},
|
||||||
|
to: {line: lineNumber, ch: cursorPosition}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
quitEditor () {
|
quitEditor () {
|
||||||
document.querySelector('textarea').blur()
|
document.querySelector('textarea').blur()
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -297,6 +297,8 @@ class MarkdownEditor extends React.Component {
|
|||||||
showCopyNotification={config.ui.showCopyNotification}
|
showCopyNotification={config.ui.showCopyNotification}
|
||||||
storagePath={storage.path}
|
storagePath={storage.path}
|
||||||
noteKey={noteKey}
|
noteKey={noteKey}
|
||||||
|
customCSS={config.preview.customCSS}
|
||||||
|
allowCustomCSS={config.preview.allowCustomCSS}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
)
|
)
|
||||||
|
|||||||
@@ -32,7 +32,7 @@ const CSS_FILES = [
|
|||||||
`${appPath}/node_modules/codemirror/lib/codemirror.css`
|
`${appPath}/node_modules/codemirror/lib/codemirror.css`
|
||||||
]
|
]
|
||||||
|
|
||||||
function buildStyle (fontFamily, fontSize, codeBlockFontFamily, lineNumber, scrollPastEnd, theme) {
|
function buildStyle (fontFamily, fontSize, codeBlockFontFamily, lineNumber, scrollPastEnd, theme, allowCustomCSS, customCSS) {
|
||||||
return `
|
return `
|
||||||
@font-face {
|
@font-face {
|
||||||
font-family: 'Lato';
|
font-family: 'Lato';
|
||||||
@@ -62,7 +62,9 @@ function buildStyle (fontFamily, fontSize, codeBlockFontFamily, lineNumber, scro
|
|||||||
url('${appPath}/resources/fonts/MaterialIcons-Regular.woff') format('woff'),
|
url('${appPath}/resources/fonts/MaterialIcons-Regular.woff') format('woff'),
|
||||||
url('${appPath}/resources/fonts/MaterialIcons-Regular.ttf') format('truetype');
|
url('${appPath}/resources/fonts/MaterialIcons-Regular.ttf') format('truetype');
|
||||||
}
|
}
|
||||||
|
${allowCustomCSS ? customCSS : ''}
|
||||||
${markdownStyle}
|
${markdownStyle}
|
||||||
|
|
||||||
body {
|
body {
|
||||||
font-family: '${fontFamily.join("','")}';
|
font-family: '${fontFamily.join("','")}';
|
||||||
font-size: ${fontSize}px;
|
font-size: ${fontSize}px;
|
||||||
@@ -209,9 +211,9 @@ export default class MarkdownPreview extends React.Component {
|
|||||||
|
|
||||||
handleSaveAsHtml () {
|
handleSaveAsHtml () {
|
||||||
this.exportAsDocument('html', (noteContent, exportTasks) => {
|
this.exportAsDocument('html', (noteContent, exportTasks) => {
|
||||||
const {fontFamily, fontSize, codeBlockFontFamily, lineNumber, codeBlockTheme, scrollPastEnd, theme} = this.getStyleParams()
|
const {fontFamily, fontSize, codeBlockFontFamily, lineNumber, codeBlockTheme, scrollPastEnd, theme, allowCustomCSS, customCSS} = this.getStyleParams()
|
||||||
|
|
||||||
const inlineStyles = buildStyle(fontFamily, fontSize, codeBlockFontFamily, lineNumber, scrollPastEnd, theme)
|
const inlineStyles = buildStyle(fontFamily, fontSize, codeBlockFontFamily, lineNumber, scrollPastEnd, theme, allowCustomCSS, customCSS)
|
||||||
let body = this.markdown.render(escapeHtmlCharacters(noteContent))
|
let body = this.markdown.render(escapeHtmlCharacters(noteContent))
|
||||||
|
|
||||||
const files = [this.GetCodeThemeLink(codeBlockTheme), ...CSS_FILES]
|
const files = [this.GetCodeThemeLink(codeBlockTheme), ...CSS_FILES]
|
||||||
@@ -348,14 +350,16 @@ export default class MarkdownPreview extends React.Component {
|
|||||||
prevProps.lineNumber !== this.props.lineNumber ||
|
prevProps.lineNumber !== this.props.lineNumber ||
|
||||||
prevProps.showCopyNotification !== this.props.showCopyNotification ||
|
prevProps.showCopyNotification !== this.props.showCopyNotification ||
|
||||||
prevProps.theme !== this.props.theme ||
|
prevProps.theme !== this.props.theme ||
|
||||||
prevProps.scrollPastEnd !== this.props.scrollPastEnd) {
|
prevProps.scrollPastEnd !== this.props.scrollPastEnd ||
|
||||||
|
prevProps.allowCustomCSS !== this.props.allowCustomCSS ||
|
||||||
|
prevProps.customCSS !== this.props.customCSS) {
|
||||||
this.applyStyle()
|
this.applyStyle()
|
||||||
this.rewriteIframe()
|
this.rewriteIframe()
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
getStyleParams () {
|
getStyleParams () {
|
||||||
const { fontSize, lineNumber, codeBlockTheme, scrollPastEnd, theme } = this.props
|
const { fontSize, lineNumber, codeBlockTheme, scrollPastEnd, theme, allowCustomCSS, customCSS } = this.props
|
||||||
let { fontFamily, codeBlockFontFamily } = this.props
|
let { fontFamily, codeBlockFontFamily } = this.props
|
||||||
fontFamily = _.isString(fontFamily) && fontFamily.trim().length > 0
|
fontFamily = _.isString(fontFamily) && fontFamily.trim().length > 0
|
||||||
? fontFamily.split(',').map(fontName => fontName.trim()).concat(defaultFontFamily)
|
? fontFamily.split(',').map(fontName => fontName.trim()).concat(defaultFontFamily)
|
||||||
@@ -364,14 +368,14 @@ export default class MarkdownPreview extends React.Component {
|
|||||||
? codeBlockFontFamily.split(',').map(fontName => fontName.trim()).concat(defaultCodeBlockFontFamily)
|
? codeBlockFontFamily.split(',').map(fontName => fontName.trim()).concat(defaultCodeBlockFontFamily)
|
||||||
: defaultCodeBlockFontFamily
|
: defaultCodeBlockFontFamily
|
||||||
|
|
||||||
return {fontFamily, fontSize, codeBlockFontFamily, lineNumber, codeBlockTheme, scrollPastEnd, theme}
|
return {fontFamily, fontSize, codeBlockFontFamily, lineNumber, codeBlockTheme, scrollPastEnd, theme, allowCustomCSS, customCSS}
|
||||||
}
|
}
|
||||||
|
|
||||||
applyStyle () {
|
applyStyle () {
|
||||||
const {fontFamily, fontSize, codeBlockFontFamily, lineNumber, codeBlockTheme, scrollPastEnd, theme} = this.getStyleParams()
|
const {fontFamily, fontSize, codeBlockFontFamily, lineNumber, codeBlockTheme, scrollPastEnd, theme, allowCustomCSS, customCSS} = this.getStyleParams()
|
||||||
|
|
||||||
this.getWindow().document.getElementById('codeTheme').href = this.GetCodeThemeLink(codeBlockTheme)
|
this.getWindow().document.getElementById('codeTheme').href = this.GetCodeThemeLink(codeBlockTheme)
|
||||||
this.getWindow().document.getElementById('style').innerHTML = buildStyle(fontFamily, fontSize, codeBlockFontFamily, lineNumber, scrollPastEnd, theme)
|
this.getWindow().document.getElementById('style').innerHTML = buildStyle(fontFamily, fontSize, codeBlockFontFamily, lineNumber, scrollPastEnd, theme, allowCustomCSS, customCSS)
|
||||||
}
|
}
|
||||||
|
|
||||||
GetCodeThemeLink (theme) {
|
GetCodeThemeLink (theme) {
|
||||||
@@ -392,7 +396,7 @@ export default class MarkdownPreview extends React.Component {
|
|||||||
el.removeEventListener('click', this.linkClickHandler)
|
el.removeEventListener('click', this.linkClickHandler)
|
||||||
})
|
})
|
||||||
|
|
||||||
const { theme, indentSize, showCopyNotification, storagePath } = this.props
|
const { theme, indentSize, showCopyNotification, storagePath, noteKey } = this.props
|
||||||
let { value, codeBlockTheme } = this.props
|
let { value, codeBlockTheme } = this.props
|
||||||
|
|
||||||
this.refs.root.contentWindow.document.body.setAttribute('data-theme', theme)
|
this.refs.root.contentWindow.document.body.setAttribute('data-theme', theme)
|
||||||
@@ -404,6 +408,7 @@ export default class MarkdownPreview extends React.Component {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
let renderedHTML = this.markdown.render(value)
|
let renderedHTML = this.markdown.render(value)
|
||||||
|
attachmentManagement.migrateAttachments(renderedHTML, storagePath, noteKey)
|
||||||
this.refs.root.contentWindow.document.body.innerHTML = attachmentManagement.fixLocalURLS(renderedHTML, storagePath)
|
this.refs.root.contentWindow.document.body.innerHTML = attachmentManagement.fixLocalURLS(renderedHTML, storagePath)
|
||||||
|
|
||||||
_.forEach(this.refs.root.contentWindow.document.querySelectorAll('input[type="checkbox"]'), (el) => {
|
_.forEach(this.refs.root.contentWindow.document.querySelectorAll('input[type="checkbox"]'), (el) => {
|
||||||
|
|||||||
@@ -142,6 +142,8 @@ class MarkdownSplitEditor extends React.Component {
|
|||||||
showCopyNotification={config.ui.showCopyNotification}
|
showCopyNotification={config.ui.showCopyNotification}
|
||||||
storagePath={storage.path}
|
storagePath={storage.path}
|
||||||
noteKey={noteKey}
|
noteKey={noteKey}
|
||||||
|
customCSS={config.preview.customCSS}
|
||||||
|
allowCustomCSS={config.preview.allowCustomCSS}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
)
|
)
|
||||||
|
|||||||
@@ -12,6 +12,10 @@ const themes = fs.readdirSync(themePath)
|
|||||||
})
|
})
|
||||||
themes.splice(themes.indexOf('solarized'), 1, 'solarized dark', 'solarized light')
|
themes.splice(themes.indexOf('solarized'), 1, 'solarized dark', 'solarized light')
|
||||||
|
|
||||||
|
const snippetFile = process.env.NODE_ENV !== 'test'
|
||||||
|
? path.join(app.getPath('appData'), 'Boostnote', 'snippets.json')
|
||||||
|
: '' // return nothing as we specified different path to snippets.json in test
|
||||||
|
|
||||||
const consts = {
|
const consts = {
|
||||||
FOLDER_COLORS: [
|
FOLDER_COLORS: [
|
||||||
'#E10051',
|
'#E10051',
|
||||||
@@ -31,7 +35,8 @@ const consts = {
|
|||||||
'Dodger Blue',
|
'Dodger Blue',
|
||||||
'Violet Eggplant'
|
'Violet Eggplant'
|
||||||
],
|
],
|
||||||
THEMES: ['default'].concat(themes)
|
THEMES: ['default'].concat(themes),
|
||||||
|
SNIPPET_FILE: snippetFile
|
||||||
}
|
}
|
||||||
|
|
||||||
module.exports = consts
|
module.exports = consts
|
||||||
|
|||||||
@@ -185,7 +185,7 @@ class SideNav extends React.Component {
|
|||||||
).filter(
|
).filter(
|
||||||
note => activeTags.every(tag => note.tags.includes(tag))
|
note => activeTags.every(tag => note.tags.includes(tag))
|
||||||
)
|
)
|
||||||
let relatedTags = new Set()
|
const relatedTags = new Set()
|
||||||
relatedNotes.forEach(note => note.tags.map(tag => relatedTags.add(tag)))
|
relatedNotes.forEach(note => note.tags.map(tag => relatedTags.add(tag)))
|
||||||
return relatedTags
|
return relatedTags
|
||||||
}
|
}
|
||||||
@@ -224,7 +224,7 @@ class SideNav extends React.Component {
|
|||||||
handleClickNarrowToTag (tag) {
|
handleClickNarrowToTag (tag) {
|
||||||
const { router } = this.context
|
const { router } = this.context
|
||||||
const { location } = this.props
|
const { location } = this.props
|
||||||
let listOfTags = this.getActiveTags(location.pathname)
|
const listOfTags = this.getActiveTags(location.pathname)
|
||||||
const indexOfTag = listOfTags.indexOf(tag)
|
const indexOfTag = listOfTags.indexOf(tag)
|
||||||
if (indexOfTag > -1) {
|
if (indexOfTag > -1) {
|
||||||
listOfTags.splice(indexOfTag, 1)
|
listOfTags.splice(indexOfTag, 1)
|
||||||
|
|||||||
@@ -60,6 +60,8 @@ export const DEFAULT_CONFIG = {
|
|||||||
smartQuotes: true,
|
smartQuotes: true,
|
||||||
breaks: true,
|
breaks: true,
|
||||||
smartArrows: false,
|
smartArrows: false,
|
||||||
|
allowCustomCSS: false,
|
||||||
|
customCSS: '',
|
||||||
sanitize: 'STRICT' // 'STRICT', 'ALLOW_STYLES', 'NONE'
|
sanitize: 'STRICT' // 'STRICT', 'ALLOW_STYLES', 'NONE'
|
||||||
},
|
},
|
||||||
blog: {
|
blog: {
|
||||||
|
|||||||
@@ -73,6 +73,31 @@ function createAttachmentDestinationFolder (destinationStoragePath, noteKey) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @description Moves attachments from the old location ('/images') to the new one ('/attachments/noteKey)
|
||||||
|
* @param renderedHTML HTML of the current note
|
||||||
|
* @param storagePath Storage path of the current note
|
||||||
|
* @param noteKey Key of the current note
|
||||||
|
*/
|
||||||
|
function migrateAttachments (renderedHTML, storagePath, noteKey) {
|
||||||
|
if (sander.existsSync(path.join(storagePath, 'images'))) {
|
||||||
|
const attachments = getAttachmentsInContent(renderedHTML) || []
|
||||||
|
if (attachments !== []) {
|
||||||
|
createAttachmentDestinationFolder(storagePath, noteKey)
|
||||||
|
}
|
||||||
|
for (const attachment of attachments) {
|
||||||
|
const attachmentBaseName = path.basename(attachment)
|
||||||
|
const possibleLegacyPath = path.join(storagePath, 'images', attachmentBaseName)
|
||||||
|
if (sander.existsSync(possibleLegacyPath)) {
|
||||||
|
const destinationPath = path.join(storagePath, DESTINATION_FOLDER, attachmentBaseName)
|
||||||
|
if (!sander.existsSync(destinationPath)) {
|
||||||
|
sander.copyFileSync(possibleLegacyPath).to(destinationPath)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @description Fixes the URLs embedded in the generated HTML so that they again refer actual local files.
|
* @description Fixes the URLs embedded in the generated HTML so that they again refer actual local files.
|
||||||
* @param {String} renderedHTML HTML in that the links should be fixed
|
* @param {String} renderedHTML HTML in that the links should be fixed
|
||||||
@@ -152,7 +177,8 @@ function handlePastImageEvent (codeEditor, storageKey, noteKey, dataTransferItem
|
|||||||
base64data += base64data.replace('+', ' ')
|
base64data += base64data.replace('+', ' ')
|
||||||
const binaryData = new Buffer(base64data, 'base64').toString('binary')
|
const binaryData = new Buffer(base64data, 'base64').toString('binary')
|
||||||
fs.writeFileSync(imagePath, binaryData, 'binary')
|
fs.writeFileSync(imagePath, binaryData, 'binary')
|
||||||
const imageMd = generateAttachmentMarkdown(imageName, imagePath, true)
|
const imageReferencePath = path.join(STORAGE_FOLDER_PLACEHOLDER, noteKey, imageName)
|
||||||
|
const imageMd = generateAttachmentMarkdown(imageName, imageReferencePath, true)
|
||||||
codeEditor.insertAttachmentMd(imageMd)
|
codeEditor.insertAttachmentMd(imageMd)
|
||||||
}
|
}
|
||||||
reader.readAsDataURL(blob)
|
reader.readAsDataURL(blob)
|
||||||
@@ -165,7 +191,7 @@ function handlePastImageEvent (codeEditor, storageKey, noteKey, dataTransferItem
|
|||||||
*/
|
*/
|
||||||
function getAttachmentsInContent (markdownContent) {
|
function getAttachmentsInContent (markdownContent) {
|
||||||
const preparedInput = markdownContent.replace(new RegExp(mdurl.encode(path.sep), 'g'), path.sep)
|
const preparedInput = markdownContent.replace(new RegExp(mdurl.encode(path.sep), 'g'), path.sep)
|
||||||
const regexp = new RegExp(STORAGE_FOLDER_PLACEHOLDER + escapeStringRegexp(path.sep) + '([a-zA-Z0-9]|-)+' + escapeStringRegexp(path.sep) + '[a-zA-Z0-9]+(\\.[a-zA-Z0-9]+)?', 'g')
|
const regexp = new RegExp(STORAGE_FOLDER_PLACEHOLDER + escapeStringRegexp(path.sep) + '?([a-zA-Z0-9]|-)*' + escapeStringRegexp(path.sep) + '[a-zA-Z0-9]+(\\.[a-zA-Z0-9]+)?', 'g')
|
||||||
return preparedInput.match(regexp)
|
return preparedInput.match(regexp)
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -224,7 +250,7 @@ function replaceNoteKeyWithNewNoteKey (noteContent, oldNoteKey, newNoteKey) {
|
|||||||
* @returns {String} Input without the references
|
* @returns {String} Input without the references
|
||||||
*/
|
*/
|
||||||
function removeStorageAndNoteReferences (input, noteKey) {
|
function removeStorageAndNoteReferences (input, noteKey) {
|
||||||
return input.replace(new RegExp(mdurl.encode(path.sep), 'g'), path.sep).replace(new RegExp(STORAGE_FOLDER_PLACEHOLDER + escapeStringRegexp(path.sep) + noteKey, 'g'), DESTINATION_FOLDER)
|
return input.replace(new RegExp(mdurl.encode(path.sep), 'g'), path.sep).replace(new RegExp(STORAGE_FOLDER_PLACEHOLDER + '(' + escapeStringRegexp(path.sep) + noteKey + ')?', 'g'), DESTINATION_FOLDER)
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@@ -321,6 +347,7 @@ module.exports = {
|
|||||||
deleteAttachmentsNotPresentInNote,
|
deleteAttachmentsNotPresentInNote,
|
||||||
moveAttachments,
|
moveAttachments,
|
||||||
cloneAttachments,
|
cloneAttachments,
|
||||||
|
migrateAttachments,
|
||||||
STORAGE_FOLDER_PLACEHOLDER,
|
STORAGE_FOLDER_PLACEHOLDER,
|
||||||
DESTINATION_FOLDER
|
DESTINATION_FOLDER
|
||||||
}
|
}
|
||||||
|
|||||||
26
browser/main/lib/dataApi/createSnippet.js
Normal file
26
browser/main/lib/dataApi/createSnippet.js
Normal file
@@ -0,0 +1,26 @@
|
|||||||
|
import fs from 'fs'
|
||||||
|
import crypto from 'crypto'
|
||||||
|
import consts from 'browser/lib/consts'
|
||||||
|
import fetchSnippet from 'browser/main/lib/dataApi/fetchSnippet'
|
||||||
|
|
||||||
|
function createSnippet (snippetFile) {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
const newSnippet = {
|
||||||
|
id: crypto.randomBytes(16).toString('hex'),
|
||||||
|
name: 'Unnamed snippet',
|
||||||
|
prefix: [],
|
||||||
|
content: ''
|
||||||
|
}
|
||||||
|
fetchSnippet(null, snippetFile).then((snippets) => {
|
||||||
|
snippets.push(newSnippet)
|
||||||
|
fs.writeFile(snippetFile || consts.SNIPPET_FILE, JSON.stringify(snippets, null, 4), (err) => {
|
||||||
|
if (err) reject(err)
|
||||||
|
resolve(newSnippet)
|
||||||
|
})
|
||||||
|
}).catch((err) => {
|
||||||
|
reject(err)
|
||||||
|
})
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = createSnippet
|
||||||
17
browser/main/lib/dataApi/deleteSnippet.js
Normal file
17
browser/main/lib/dataApi/deleteSnippet.js
Normal file
@@ -0,0 +1,17 @@
|
|||||||
|
import fs from 'fs'
|
||||||
|
import consts from 'browser/lib/consts'
|
||||||
|
import fetchSnippet from 'browser/main/lib/dataApi/fetchSnippet'
|
||||||
|
|
||||||
|
function deleteSnippet (snippet, snippetFile) {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
fetchSnippet(null, snippetFile).then((snippets) => {
|
||||||
|
snippets = snippets.filter(currentSnippet => currentSnippet.id !== snippet.id)
|
||||||
|
fs.writeFile(snippetFile || consts.SNIPPET_FILE, JSON.stringify(snippets, null, 4), (err) => {
|
||||||
|
if (err) reject(err)
|
||||||
|
resolve(snippet)
|
||||||
|
})
|
||||||
|
})
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = deleteSnippet
|
||||||
20
browser/main/lib/dataApi/fetchSnippet.js
Normal file
20
browser/main/lib/dataApi/fetchSnippet.js
Normal file
@@ -0,0 +1,20 @@
|
|||||||
|
import fs from 'fs'
|
||||||
|
import consts from 'browser/lib/consts'
|
||||||
|
|
||||||
|
function fetchSnippet (id, snippetFile) {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
fs.readFile(snippetFile || consts.SNIPPET_FILE, 'utf8', (err, data) => {
|
||||||
|
if (err) {
|
||||||
|
reject(err)
|
||||||
|
}
|
||||||
|
const snippets = JSON.parse(data)
|
||||||
|
if (id) {
|
||||||
|
const snippet = snippets.find(snippet => { return snippet.id === id })
|
||||||
|
resolve(snippet)
|
||||||
|
}
|
||||||
|
resolve(snippets)
|
||||||
|
})
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = fetchSnippet
|
||||||
@@ -13,6 +13,10 @@ const dataApi = {
|
|||||||
deleteNote: require('./deleteNote'),
|
deleteNote: require('./deleteNote'),
|
||||||
moveNote: require('./moveNote'),
|
moveNote: require('./moveNote'),
|
||||||
migrateFromV5Storage: require('./migrateFromV5Storage'),
|
migrateFromV5Storage: require('./migrateFromV5Storage'),
|
||||||
|
createSnippet: require('./createSnippet'),
|
||||||
|
deleteSnippet: require('./deleteSnippet'),
|
||||||
|
updateSnippet: require('./updateSnippet'),
|
||||||
|
fetchSnippet: require('./fetchSnippet'),
|
||||||
|
|
||||||
_migrateFromV6Storage: require('./migrateFromV6Storage'),
|
_migrateFromV6Storage: require('./migrateFromV6Storage'),
|
||||||
_resolveStorageData: require('./resolveStorageData'),
|
_resolveStorageData: require('./resolveStorageData'),
|
||||||
|
|||||||
33
browser/main/lib/dataApi/updateSnippet.js
Normal file
33
browser/main/lib/dataApi/updateSnippet.js
Normal file
@@ -0,0 +1,33 @@
|
|||||||
|
import fs from 'fs'
|
||||||
|
import consts from 'browser/lib/consts'
|
||||||
|
|
||||||
|
function updateSnippet (snippet, snippetFile) {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
const snippets = JSON.parse(fs.readFileSync(snippetFile || consts.SNIPPET_FILE, 'utf-8'))
|
||||||
|
|
||||||
|
for (let i = 0; i < snippets.length; i++) {
|
||||||
|
const currentSnippet = snippets[i]
|
||||||
|
|
||||||
|
if (currentSnippet.id === snippet.id) {
|
||||||
|
if (
|
||||||
|
currentSnippet.name === snippet.name &&
|
||||||
|
currentSnippet.prefix === snippet.prefix &&
|
||||||
|
currentSnippet.content === snippet.content
|
||||||
|
) {
|
||||||
|
// if everything is the same then don't write to disk
|
||||||
|
resolve(snippets)
|
||||||
|
} else {
|
||||||
|
currentSnippet.name = snippet.name
|
||||||
|
currentSnippet.prefix = snippet.prefix
|
||||||
|
currentSnippet.content = snippet.content
|
||||||
|
fs.writeFile(snippetFile || consts.SNIPPET_FILE, JSON.stringify(snippets, null, 4), (err) => {
|
||||||
|
if (err) reject(err)
|
||||||
|
resolve(snippets)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = updateSnippet
|
||||||
90
browser/main/modals/PreferencesModal/SnippetEditor.js
Normal file
90
browser/main/modals/PreferencesModal/SnippetEditor.js
Normal file
@@ -0,0 +1,90 @@
|
|||||||
|
import CodeMirror from 'codemirror'
|
||||||
|
import React from 'react'
|
||||||
|
import _ from 'lodash'
|
||||||
|
import styles from './SnippetTab.styl'
|
||||||
|
import CSSModules from 'browser/lib/CSSModules'
|
||||||
|
import dataApi from 'browser/main/lib/dataApi'
|
||||||
|
|
||||||
|
const defaultEditorFontFamily = ['Monaco', 'Menlo', 'Ubuntu Mono', 'Consolas', 'source-code-pro', 'monospace']
|
||||||
|
const buildCMRulers = (rulers, enableRulers) =>
|
||||||
|
enableRulers ? rulers.map(ruler => ({ column: ruler })) : []
|
||||||
|
|
||||||
|
class SnippetEditor extends React.Component {
|
||||||
|
|
||||||
|
componentDidMount () {
|
||||||
|
this.props.onRef(this)
|
||||||
|
const { rulers, enableRulers } = this.props
|
||||||
|
this.cm = CodeMirror(this.refs.root, {
|
||||||
|
rulers: buildCMRulers(rulers, enableRulers),
|
||||||
|
lineNumbers: this.props.displayLineNumbers,
|
||||||
|
lineWrapping: true,
|
||||||
|
theme: this.props.theme,
|
||||||
|
indentUnit: this.props.indentSize,
|
||||||
|
tabSize: this.props.indentSize,
|
||||||
|
indentWithTabs: this.props.indentType !== 'space',
|
||||||
|
keyMap: this.props.keyMap,
|
||||||
|
scrollPastEnd: this.props.scrollPastEnd,
|
||||||
|
dragDrop: false,
|
||||||
|
foldGutter: true,
|
||||||
|
gutters: ['CodeMirror-linenumbers', 'CodeMirror-foldgutter'],
|
||||||
|
autoCloseBrackets: true,
|
||||||
|
mode: 'null'
|
||||||
|
})
|
||||||
|
this.cm.setSize('100%', '100%')
|
||||||
|
let changeDelay = null
|
||||||
|
|
||||||
|
this.cm.on('change', () => {
|
||||||
|
this.snippet.content = this.cm.getValue()
|
||||||
|
|
||||||
|
clearTimeout(changeDelay)
|
||||||
|
changeDelay = setTimeout(() => {
|
||||||
|
this.saveSnippet()
|
||||||
|
}, 500)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
componentWillUnmount () {
|
||||||
|
this.props.onRef(undefined)
|
||||||
|
}
|
||||||
|
|
||||||
|
onSnippetChanged (newSnippet) {
|
||||||
|
this.snippet = newSnippet
|
||||||
|
this.cm.setValue(this.snippet.content)
|
||||||
|
}
|
||||||
|
|
||||||
|
onSnippetNameOrPrefixChanged (newSnippet) {
|
||||||
|
this.snippet.name = newSnippet.name
|
||||||
|
this.snippet.prefix = newSnippet.prefix.toString().replace(/\s/g, '').split(',')
|
||||||
|
this.saveSnippet()
|
||||||
|
}
|
||||||
|
|
||||||
|
saveSnippet () {
|
||||||
|
dataApi.updateSnippet(this.snippet).catch((err) => { throw err })
|
||||||
|
}
|
||||||
|
|
||||||
|
render () {
|
||||||
|
const { fontSize } = this.props
|
||||||
|
let fontFamily = this.props.fontFamily
|
||||||
|
fontFamily = _.isString(fontFamily) && fontFamily.length > 0
|
||||||
|
? [fontFamily].concat(defaultEditorFontFamily)
|
||||||
|
: defaultEditorFontFamily
|
||||||
|
return (
|
||||||
|
<div styleName='SnippetEditor' ref='root' tabIndex='-1' style={{
|
||||||
|
fontFamily: fontFamily.join(', '),
|
||||||
|
fontSize: fontSize
|
||||||
|
}} />
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
SnippetEditor.defaultProps = {
|
||||||
|
readOnly: false,
|
||||||
|
theme: 'xcode',
|
||||||
|
keyMap: 'sublime',
|
||||||
|
fontSize: 14,
|
||||||
|
fontFamily: 'Monaco, Consolas',
|
||||||
|
indentSize: 4,
|
||||||
|
indentType: 'space'
|
||||||
|
}
|
||||||
|
|
||||||
|
export default CSSModules(SnippetEditor, styles)
|
||||||
87
browser/main/modals/PreferencesModal/SnippetList.js
Normal file
87
browser/main/modals/PreferencesModal/SnippetList.js
Normal file
@@ -0,0 +1,87 @@
|
|||||||
|
import React from 'react'
|
||||||
|
import styles from './SnippetTab.styl'
|
||||||
|
import CSSModules from 'browser/lib/CSSModules'
|
||||||
|
import dataApi from 'browser/main/lib/dataApi'
|
||||||
|
import i18n from 'browser/lib/i18n'
|
||||||
|
import eventEmitter from 'browser/main/lib/eventEmitter'
|
||||||
|
const { remote } = require('electron')
|
||||||
|
const { Menu, MenuItem } = remote
|
||||||
|
|
||||||
|
class SnippetList extends React.Component {
|
||||||
|
constructor (props) {
|
||||||
|
super(props)
|
||||||
|
this.state = {
|
||||||
|
snippets: []
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
componentDidMount () {
|
||||||
|
this.reloadSnippetList()
|
||||||
|
eventEmitter.on('snippetList:reload', this.reloadSnippetList.bind(this))
|
||||||
|
}
|
||||||
|
|
||||||
|
reloadSnippetList () {
|
||||||
|
dataApi.fetchSnippet().then(snippets => this.setState({snippets}))
|
||||||
|
}
|
||||||
|
|
||||||
|
handleSnippetContextMenu (snippet) {
|
||||||
|
const menu = new Menu()
|
||||||
|
menu.append(new MenuItem({
|
||||||
|
label: i18n.__('Delete snippet'),
|
||||||
|
click: () => {
|
||||||
|
this.deleteSnippet(snippet)
|
||||||
|
}
|
||||||
|
}))
|
||||||
|
menu.popup()
|
||||||
|
}
|
||||||
|
|
||||||
|
deleteSnippet (snippet) {
|
||||||
|
dataApi.deleteSnippet(snippet).then(() => {
|
||||||
|
this.reloadSnippetList()
|
||||||
|
this.props.onSnippetDeleted(snippet)
|
||||||
|
}).catch(err => { throw err })
|
||||||
|
}
|
||||||
|
|
||||||
|
handleSnippetClick (snippet) {
|
||||||
|
this.props.onSnippetClick(snippet)
|
||||||
|
}
|
||||||
|
|
||||||
|
createSnippet () {
|
||||||
|
dataApi.createSnippet().then(() => {
|
||||||
|
this.reloadSnippetList()
|
||||||
|
// scroll to end of list when added new snippet
|
||||||
|
const snippetList = document.getElementById('snippets')
|
||||||
|
snippetList.scrollTop = snippetList.scrollHeight
|
||||||
|
}).catch(err => { throw err })
|
||||||
|
}
|
||||||
|
|
||||||
|
render () {
|
||||||
|
const { snippets } = this.state
|
||||||
|
return (
|
||||||
|
<div styleName='snippet-list'>
|
||||||
|
<div styleName='group-section'>
|
||||||
|
<div styleName='group-section-control'>
|
||||||
|
<button styleName='group-control-button' onClick={() => this.createSnippet()}>
|
||||||
|
<i className='fa fa-plus' /> {i18n.__('New Snippet')}
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<ul id='snippets' styleName='snippets'>
|
||||||
|
{
|
||||||
|
snippets.map((snippet) => (
|
||||||
|
<li
|
||||||
|
styleName='snippet-item'
|
||||||
|
key={snippet.id}
|
||||||
|
onContextMenu={() => this.handleSnippetContextMenu(snippet)}
|
||||||
|
onClick={() => this.handleSnippetClick(snippet)}>
|
||||||
|
{snippet.name}
|
||||||
|
</li>
|
||||||
|
))
|
||||||
|
}
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export default CSSModules(SnippetList, styles)
|
||||||
116
browser/main/modals/PreferencesModal/SnippetTab.js
Normal file
116
browser/main/modals/PreferencesModal/SnippetTab.js
Normal file
@@ -0,0 +1,116 @@
|
|||||||
|
import React from 'react'
|
||||||
|
import CSSModules from 'browser/lib/CSSModules'
|
||||||
|
import styles from './SnippetTab.styl'
|
||||||
|
import SnippetEditor from './SnippetEditor'
|
||||||
|
import i18n from 'browser/lib/i18n'
|
||||||
|
import dataApi from 'browser/main/lib/dataApi'
|
||||||
|
import SnippetList from './SnippetList'
|
||||||
|
import eventEmitter from 'browser/main/lib/eventEmitter'
|
||||||
|
|
||||||
|
class SnippetTab extends React.Component {
|
||||||
|
constructor (props) {
|
||||||
|
super(props)
|
||||||
|
this.state = {
|
||||||
|
currentSnippet: null
|
||||||
|
}
|
||||||
|
this.changeDelay = null
|
||||||
|
}
|
||||||
|
|
||||||
|
handleSnippetNameOrPrefixChange () {
|
||||||
|
clearTimeout(this.changeDelay)
|
||||||
|
this.changeDelay = setTimeout(() => {
|
||||||
|
// notify the snippet editor that the name or prefix of snippet has been changed
|
||||||
|
this.snippetEditor.onSnippetNameOrPrefixChanged(this.state.currentSnippet)
|
||||||
|
eventEmitter.emit('snippetList:reload')
|
||||||
|
}, 500)
|
||||||
|
}
|
||||||
|
|
||||||
|
handleSnippetClick (snippet) {
|
||||||
|
const { currentSnippet } = this.state
|
||||||
|
if (currentSnippet === null || currentSnippet.id !== snippet.id) {
|
||||||
|
dataApi.fetchSnippet(snippet.id).then(changedSnippet => {
|
||||||
|
// notify the snippet editor to load the content of the new snippet
|
||||||
|
this.snippetEditor.onSnippetChanged(changedSnippet)
|
||||||
|
this.setState({currentSnippet: changedSnippet})
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
onSnippetNameOrPrefixChanged (e, type) {
|
||||||
|
const newSnippet = Object.assign({}, this.state.currentSnippet)
|
||||||
|
if (type === 'name') {
|
||||||
|
newSnippet.name = e.target.value
|
||||||
|
} else {
|
||||||
|
newSnippet.prefix = e.target.value
|
||||||
|
}
|
||||||
|
this.setState({ currentSnippet: newSnippet })
|
||||||
|
this.handleSnippetNameOrPrefixChange()
|
||||||
|
}
|
||||||
|
|
||||||
|
handleDeleteSnippet (snippet) {
|
||||||
|
// prevent old snippet still display when deleted
|
||||||
|
if (snippet.id === this.state.currentSnippet.id) {
|
||||||
|
this.setState({currentSnippet: null})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
render () {
|
||||||
|
const { config, storageKey } = this.props
|
||||||
|
const { currentSnippet } = this.state
|
||||||
|
|
||||||
|
let editorFontSize = parseInt(config.editor.fontSize, 10)
|
||||||
|
if (!(editorFontSize > 0 && editorFontSize < 101)) editorFontSize = 14
|
||||||
|
let editorIndentSize = parseInt(config.editor.indentSize, 10)
|
||||||
|
if (!(editorFontSize > 0 && editorFontSize < 132)) editorIndentSize = 4
|
||||||
|
return (
|
||||||
|
<div styleName='root'>
|
||||||
|
<div styleName='header'>{i18n.__('Snippets')}</div>
|
||||||
|
<SnippetList
|
||||||
|
onSnippetClick={this.handleSnippetClick.bind(this)}
|
||||||
|
onSnippetDeleted={this.handleDeleteSnippet.bind(this)} />
|
||||||
|
<div styleName='snippet-detail' style={{visibility: currentSnippet ? 'visible' : 'hidden'}}>
|
||||||
|
<div styleName='group-section'>
|
||||||
|
<div styleName='group-section-label'>{i18n.__('Snippet name')}</div>
|
||||||
|
<div styleName='group-section-control'>
|
||||||
|
<input
|
||||||
|
styleName='group-section-control-input'
|
||||||
|
value={currentSnippet ? currentSnippet.name : ''}
|
||||||
|
onChange={e => { this.onSnippetNameOrPrefixChanged(e, 'name') }}
|
||||||
|
type='text' />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div styleName='group-section'>
|
||||||
|
<div styleName='group-section-label'>{i18n.__('Snippet prefix')}</div>
|
||||||
|
<div styleName='group-section-control'>
|
||||||
|
<input
|
||||||
|
styleName='group-section-control-input'
|
||||||
|
value={currentSnippet ? currentSnippet.prefix : ''}
|
||||||
|
onChange={e => { this.onSnippetNameOrPrefixChanged(e, 'prefix') }}
|
||||||
|
type='text' />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div styleName='snippet-editor-section'>
|
||||||
|
<SnippetEditor
|
||||||
|
storageKey={storageKey}
|
||||||
|
theme={config.editor.theme}
|
||||||
|
keyMap={config.editor.keyMap}
|
||||||
|
fontFamily={config.editor.fontFamily}
|
||||||
|
fontSize={editorFontSize}
|
||||||
|
indentType={config.editor.indentType}
|
||||||
|
indentSize={editorIndentSize}
|
||||||
|
enableRulers={config.editor.enableRulers}
|
||||||
|
rulers={config.editor.rulers}
|
||||||
|
displayLineNumbers={config.editor.displayLineNumbers}
|
||||||
|
scrollPastEnd={config.editor.scrollPastEnd}
|
||||||
|
onRef={ref => { this.snippetEditor = ref }} />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
SnippetTab.PropTypes = {
|
||||||
|
}
|
||||||
|
|
||||||
|
export default CSSModules(SnippetTab, styles)
|
||||||
180
browser/main/modals/PreferencesModal/SnippetTab.styl
Normal file
180
browser/main/modals/PreferencesModal/SnippetTab.styl
Normal file
@@ -0,0 +1,180 @@
|
|||||||
|
@import('./Tab')
|
||||||
|
@import('./ConfigTab')
|
||||||
|
|
||||||
|
.root
|
||||||
|
padding 15px
|
||||||
|
white-space pre
|
||||||
|
line-height 1.4
|
||||||
|
color alpha($ui-text-color, 90%)
|
||||||
|
width 100%
|
||||||
|
font-size 14px
|
||||||
|
|
||||||
|
.group
|
||||||
|
margin-bottom 45px
|
||||||
|
|
||||||
|
.group-header
|
||||||
|
@extend .header
|
||||||
|
color $ui-text-color
|
||||||
|
|
||||||
|
.group-header2
|
||||||
|
font-size 20px
|
||||||
|
color $ui-text-color
|
||||||
|
margin-bottom 15px
|
||||||
|
margin-top 30px
|
||||||
|
|
||||||
|
.group-section
|
||||||
|
margin-bottom 20px
|
||||||
|
display flex
|
||||||
|
line-height 30px
|
||||||
|
|
||||||
|
.group-section-label
|
||||||
|
width 150px
|
||||||
|
text-align left
|
||||||
|
margin-right 10px
|
||||||
|
font-size 14px
|
||||||
|
|
||||||
|
.group-section-control
|
||||||
|
flex 1
|
||||||
|
margin-left 5px
|
||||||
|
|
||||||
|
.group-section-control select
|
||||||
|
outline none
|
||||||
|
border 1px solid $ui-borderColor
|
||||||
|
font-size 16px
|
||||||
|
height 30px
|
||||||
|
width 250px
|
||||||
|
margin-bottom 5px
|
||||||
|
background-color transparent
|
||||||
|
|
||||||
|
.group-section-control-input
|
||||||
|
height 30px
|
||||||
|
vertical-align middle
|
||||||
|
width 400px
|
||||||
|
font-size $tab--button-font-size
|
||||||
|
border solid 1px $border-color
|
||||||
|
border-radius 2px
|
||||||
|
padding 0 5px
|
||||||
|
outline none
|
||||||
|
&:disabled
|
||||||
|
background-color $ui-input--disabled-backgroundColor
|
||||||
|
|
||||||
|
.group-control-button
|
||||||
|
height 30px
|
||||||
|
border none
|
||||||
|
border-top-right-radius 2px
|
||||||
|
border-bottom-right-radius 2px
|
||||||
|
colorPrimaryButton()
|
||||||
|
vertical-align middle
|
||||||
|
padding 0 20px
|
||||||
|
|
||||||
|
.group-checkBoxSection
|
||||||
|
margin-bottom 15px
|
||||||
|
display flex
|
||||||
|
line-height 30px
|
||||||
|
padding-left 15px
|
||||||
|
|
||||||
|
.group-control
|
||||||
|
padding-top 10px
|
||||||
|
box-sizing border-box
|
||||||
|
height 40px
|
||||||
|
text-align right
|
||||||
|
:global
|
||||||
|
.alert
|
||||||
|
display inline-block
|
||||||
|
position absolute
|
||||||
|
top 60px
|
||||||
|
right 15px
|
||||||
|
font-size 14px
|
||||||
|
.success
|
||||||
|
color #1EC38B
|
||||||
|
.error
|
||||||
|
color red
|
||||||
|
.warning
|
||||||
|
color #FFA500
|
||||||
|
|
||||||
|
.snippet-list
|
||||||
|
width 30%
|
||||||
|
height calc(100% - 200px)
|
||||||
|
position absolute
|
||||||
|
|
||||||
|
.snippets
|
||||||
|
height calc(100% - 8px)
|
||||||
|
overflow scroll
|
||||||
|
background: #f5f5f5
|
||||||
|
|
||||||
|
.snippet-item
|
||||||
|
height 50px
|
||||||
|
font-size 15px
|
||||||
|
line-height 50px
|
||||||
|
padding 0 5%
|
||||||
|
cursor pointer
|
||||||
|
position relative
|
||||||
|
|
||||||
|
&::after
|
||||||
|
width 90%
|
||||||
|
height 1px
|
||||||
|
background rgba(0, 0, 0, 0.1)
|
||||||
|
position absolute
|
||||||
|
top 100%
|
||||||
|
left 5%
|
||||||
|
content ''
|
||||||
|
|
||||||
|
&:hover
|
||||||
|
background darken(#f5f5f5, 5)
|
||||||
|
|
||||||
|
.snippet-detail
|
||||||
|
width 70%
|
||||||
|
height calc(100% - 200px)
|
||||||
|
position absolute
|
||||||
|
left 33%
|
||||||
|
|
||||||
|
.SnippetEditor
|
||||||
|
position absolute
|
||||||
|
width 100%
|
||||||
|
height 90%
|
||||||
|
|
||||||
|
body[data-theme="default"], body[data-theme="white"]
|
||||||
|
.snippets
|
||||||
|
background $ui-backgroundColor
|
||||||
|
.snippet-item
|
||||||
|
color black
|
||||||
|
&::after
|
||||||
|
background $ui-borderColor
|
||||||
|
&:hover
|
||||||
|
background darken($ui-backgroundColor, 5)
|
||||||
|
|
||||||
|
body[data-theme="dark"]
|
||||||
|
.snippets
|
||||||
|
background $ui-dark-backgroundColor
|
||||||
|
.snippet-item
|
||||||
|
color white
|
||||||
|
&::after
|
||||||
|
background $ui-dark-borderColor
|
||||||
|
&:hover
|
||||||
|
background darken($ui-dark-backgroundColor, 5)
|
||||||
|
.snippet-detail
|
||||||
|
color white
|
||||||
|
|
||||||
|
body[data-theme="solarized-dark"]
|
||||||
|
.snippets
|
||||||
|
background $ui-solarized-dark-backgroundColor
|
||||||
|
.snippet-item
|
||||||
|
color white
|
||||||
|
&::after
|
||||||
|
background $ui-solarized-dark-borderColor
|
||||||
|
&:hover
|
||||||
|
background darken($ui-solarized-dark-backgroundColor, 5)
|
||||||
|
.snippet-detail
|
||||||
|
color white
|
||||||
|
|
||||||
|
body[data-theme="monokai"]
|
||||||
|
.snippets
|
||||||
|
background $ui-monokai-backgroundColor
|
||||||
|
.snippet-item
|
||||||
|
color White
|
||||||
|
&::after
|
||||||
|
background $ui-monokai-borderColor
|
||||||
|
&:hover
|
||||||
|
background darken($ui-monokai-backgroundColor, 5)
|
||||||
|
.snippet-detail
|
||||||
|
color white
|
||||||
@@ -28,6 +28,8 @@ class UiTab extends React.Component {
|
|||||||
|
|
||||||
componentDidMount () {
|
componentDidMount () {
|
||||||
CodeMirror.autoLoadMode(this.codeMirrorInstance.getCodeMirror(), 'javascript')
|
CodeMirror.autoLoadMode(this.codeMirrorInstance.getCodeMirror(), 'javascript')
|
||||||
|
CodeMirror.autoLoadMode(this.customCSSCM.getCodeMirror(), 'css')
|
||||||
|
this.customCSSCM.getCodeMirror().setSize('400px', '400px')
|
||||||
this.handleSettingDone = () => {
|
this.handleSettingDone = () => {
|
||||||
this.setState({UiAlert: {
|
this.setState({UiAlert: {
|
||||||
type: 'success',
|
type: 'success',
|
||||||
@@ -99,7 +101,9 @@ class UiTab extends React.Component {
|
|||||||
smartQuotes: this.refs.previewSmartQuotes.checked,
|
smartQuotes: this.refs.previewSmartQuotes.checked,
|
||||||
breaks: this.refs.previewBreaks.checked,
|
breaks: this.refs.previewBreaks.checked,
|
||||||
smartArrows: this.refs.previewSmartArrows.checked,
|
smartArrows: this.refs.previewSmartArrows.checked,
|
||||||
sanitize: this.refs.previewSanitize.value
|
sanitize: this.refs.previewSanitize.value,
|
||||||
|
allowCustomCSS: this.refs.previewAllowCustomCSS.checked,
|
||||||
|
customCSS: this.customCSSCM.getCodeMirror().getValue()
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -160,6 +164,7 @@ class UiTab extends React.Component {
|
|||||||
const { config, codemirrorTheme } = this.state
|
const { config, codemirrorTheme } = this.state
|
||||||
const codemirrorSampleCode = 'function iamHappy (happy) {\n\tif (happy) {\n\t console.log("I am Happy!")\n\t} else {\n\t console.log("I am not Happy!")\n\t}\n};'
|
const codemirrorSampleCode = 'function iamHappy (happy) {\n\tif (happy) {\n\t console.log("I am Happy!")\n\t} else {\n\t console.log("I am not Happy!")\n\t}\n};'
|
||||||
const enableEditRulersStyle = config.editor.enableRulers ? 'block' : 'none'
|
const enableEditRulersStyle = config.editor.enableRulers ? 'block' : 'none'
|
||||||
|
const customCSS = config.preview.customCSS
|
||||||
return (
|
return (
|
||||||
<div styleName='root'>
|
<div styleName='root'>
|
||||||
<div styleName='group'>
|
<div styleName='group'>
|
||||||
@@ -580,6 +585,20 @@ class UiTab extends React.Component {
|
|||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
<div styleName='group-section'>
|
||||||
|
<div styleName='group-section-label'>
|
||||||
|
{i18n.__('Custom CSS')}
|
||||||
|
</div>
|
||||||
|
<div styleName='group-section-control'>
|
||||||
|
<input onChange={(e) => this.handleUIChange(e)}
|
||||||
|
checked={config.preview.allowCustomCSS}
|
||||||
|
ref='previewAllowCustomCSS'
|
||||||
|
type='checkbox'
|
||||||
|
/>
|
||||||
|
{i18n.__('Allow custom CSS for preview')}
|
||||||
|
<ReactCodeMirror onChange={e => this.handleUIChange(e)} ref={e => (this.customCSSCM = e)} value={config.preview.customCSS} options={{ lineNumbers: true, mode: 'css', theme: codemirrorTheme }} />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
<div styleName='group-control'>
|
<div styleName='group-control'>
|
||||||
<button styleName='group-control-rightButton'
|
<button styleName='group-control-rightButton'
|
||||||
|
|||||||
@@ -6,6 +6,7 @@ import UiTab from './UiTab'
|
|||||||
import InfoTab from './InfoTab'
|
import InfoTab from './InfoTab'
|
||||||
import Crowdfunding from './Crowdfunding'
|
import Crowdfunding from './Crowdfunding'
|
||||||
import StoragesTab from './StoragesTab'
|
import StoragesTab from './StoragesTab'
|
||||||
|
import SnippetTab from './SnippetTab'
|
||||||
import Blog from './Blog'
|
import Blog from './Blog'
|
||||||
import ModalEscButton from 'browser/components/ModalEscButton'
|
import ModalEscButton from 'browser/components/ModalEscButton'
|
||||||
import CSSModules from 'browser/lib/CSSModules'
|
import CSSModules from 'browser/lib/CSSModules'
|
||||||
@@ -86,6 +87,14 @@ class Preferences extends React.Component {
|
|||||||
haveToSave={alert => this.setState({BlogAlert: alert})}
|
haveToSave={alert => this.setState({BlogAlert: alert})}
|
||||||
/>
|
/>
|
||||||
)
|
)
|
||||||
|
case 'SNIPPET':
|
||||||
|
return (
|
||||||
|
<SnippetTab
|
||||||
|
dispatch={dispatch}
|
||||||
|
config={config}
|
||||||
|
data={data}
|
||||||
|
/>
|
||||||
|
)
|
||||||
case 'STORAGES':
|
case 'STORAGES':
|
||||||
default:
|
default:
|
||||||
return (
|
return (
|
||||||
@@ -123,7 +132,8 @@ class Preferences extends React.Component {
|
|||||||
{target: 'UI', label: i18n.__('Interface'), UI: this.state.UIAlert},
|
{target: 'UI', label: i18n.__('Interface'), UI: this.state.UIAlert},
|
||||||
{target: 'INFO', label: i18n.__('About')},
|
{target: 'INFO', label: i18n.__('About')},
|
||||||
{target: 'CROWDFUNDING', label: i18n.__('Crowdfunding')},
|
{target: 'CROWDFUNDING', label: i18n.__('Crowdfunding')},
|
||||||
{target: 'BLOG', label: i18n.__('Blog'), Blog: this.state.BlogAlert}
|
{target: 'BLOG', label: i18n.__('Blog'), Blog: this.state.BlogAlert},
|
||||||
|
{target: 'SNIPPET', label: i18n.__('Snippets')}
|
||||||
]
|
]
|
||||||
|
|
||||||
const navButtons = tabs.map((tab) => {
|
const navButtons = tabs.map((tab) => {
|
||||||
|
|||||||
@@ -12,12 +12,12 @@
|
|||||||
"compile": "grunt compile",
|
"compile": "grunt compile",
|
||||||
"test": "PWD=$(pwd) NODE_ENV=test ava --serial",
|
"test": "PWD=$(pwd) NODE_ENV=test ava --serial",
|
||||||
"jest": "jest",
|
"jest": "jest",
|
||||||
"fix": "npm run lint --fix",
|
"fix": "eslint . --fix",
|
||||||
"lint": "eslint .",
|
"lint": "eslint .",
|
||||||
"dev-start": "concurrently --kill-others \"npm run webpack\" \"npm run hot\""
|
"dev-start": "concurrently --kill-others \"npm run webpack\" \"npm run hot\""
|
||||||
},
|
},
|
||||||
"config": {
|
"config": {
|
||||||
"electron-version": "1.7.11"
|
"electron-version": "1.8.7"
|
||||||
},
|
},
|
||||||
"repository": {
|
"repository": {
|
||||||
"type": "git",
|
"type": "git",
|
||||||
@@ -119,12 +119,12 @@
|
|||||||
"css-loader": "^0.19.0",
|
"css-loader": "^0.19.0",
|
||||||
"devtron": "^1.1.0",
|
"devtron": "^1.1.0",
|
||||||
"dom-storage": "^2.0.2",
|
"dom-storage": "^2.0.2",
|
||||||
"electron": "1.7.11",
|
"electron": "1.8.7",
|
||||||
"electron-packager": "^6.0.0",
|
"electron-packager": "^6.0.0",
|
||||||
"eslint": "^3.13.1",
|
"eslint": "^3.13.1",
|
||||||
"eslint-config-standard": "^6.2.1",
|
"eslint-config-standard": "^6.2.1",
|
||||||
"eslint-config-standard-jsx": "^3.2.0",
|
"eslint-config-standard-jsx": "^3.2.0",
|
||||||
"eslint-plugin-react": "^7.2.0",
|
"eslint-plugin-react": "^7.8.2",
|
||||||
"eslint-plugin-standard": "^3.0.1",
|
"eslint-plugin-standard": "^3.0.1",
|
||||||
"faker": "^3.1.0",
|
"faker": "^3.1.0",
|
||||||
"grunt": "^0.4.5",
|
"grunt": "^0.4.5",
|
||||||
|
|||||||
34
tests/dataApi/createSnippet-test.js
Normal file
34
tests/dataApi/createSnippet-test.js
Normal file
@@ -0,0 +1,34 @@
|
|||||||
|
const test = require('ava')
|
||||||
|
const createSnippet = require('browser/main/lib/dataApi/createSnippet')
|
||||||
|
const sander = require('sander')
|
||||||
|
const os = require('os')
|
||||||
|
const path = require('path')
|
||||||
|
|
||||||
|
const snippetFilePath = path.join(os.tmpdir(), 'test', 'create-snippet')
|
||||||
|
const snippetFile = path.join(snippetFilePath, 'snippets.json')
|
||||||
|
|
||||||
|
test.beforeEach((t) => {
|
||||||
|
sander.writeFileSync(snippetFile, '[]')
|
||||||
|
})
|
||||||
|
|
||||||
|
test.serial('Create a snippet', (t) => {
|
||||||
|
return Promise.resolve()
|
||||||
|
.then(function doTest () {
|
||||||
|
return Promise.all([
|
||||||
|
createSnippet(snippetFile)
|
||||||
|
])
|
||||||
|
})
|
||||||
|
.then(function assert (data) {
|
||||||
|
data = data[0]
|
||||||
|
const snippets = JSON.parse(sander.readFileSync(snippetFile))
|
||||||
|
const snippet = snippets.find(currentSnippet => currentSnippet.id === data.id)
|
||||||
|
t.not(snippet, undefined)
|
||||||
|
t.is(snippet.name, data.name)
|
||||||
|
t.deepEqual(snippet.prefix, data.prefix)
|
||||||
|
t.is(snippet.content, data.content)
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
test.after.always(() => {
|
||||||
|
sander.rimrafSync(snippetFilePath)
|
||||||
|
})
|
||||||
37
tests/dataApi/deleteSnippet-test.js
Normal file
37
tests/dataApi/deleteSnippet-test.js
Normal file
@@ -0,0 +1,37 @@
|
|||||||
|
const test = require('ava')
|
||||||
|
const deleteSnippet = require('browser/main/lib/dataApi/deleteSnippet')
|
||||||
|
const sander = require('sander')
|
||||||
|
const os = require('os')
|
||||||
|
const path = require('path')
|
||||||
|
const crypto = require('crypto')
|
||||||
|
|
||||||
|
const snippetFilePath = path.join(os.tmpdir(), 'test', 'delete-snippet')
|
||||||
|
const snippetFile = path.join(snippetFilePath, 'snippets.json')
|
||||||
|
const newSnippet = {
|
||||||
|
id: crypto.randomBytes(16).toString('hex'),
|
||||||
|
name: 'Unnamed snippet',
|
||||||
|
prefix: [],
|
||||||
|
content: ''
|
||||||
|
}
|
||||||
|
|
||||||
|
test.beforeEach((t) => {
|
||||||
|
sander.writeFileSync(snippetFile, JSON.stringify([newSnippet]))
|
||||||
|
})
|
||||||
|
|
||||||
|
test.serial('Delete a snippet', (t) => {
|
||||||
|
return Promise.resolve()
|
||||||
|
.then(function doTest () {
|
||||||
|
return Promise.all([
|
||||||
|
deleteSnippet(newSnippet, snippetFile)
|
||||||
|
])
|
||||||
|
})
|
||||||
|
.then(function assert (data) {
|
||||||
|
data = data[0]
|
||||||
|
const snippets = JSON.parse(sander.readFileSync(snippetFile))
|
||||||
|
t.is(snippets.length, 0)
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
test.after.always(() => {
|
||||||
|
sander.rimrafSync(snippetFilePath)
|
||||||
|
})
|
||||||
47
tests/dataApi/updateSnippet-test.js
Normal file
47
tests/dataApi/updateSnippet-test.js
Normal file
@@ -0,0 +1,47 @@
|
|||||||
|
const test = require('ava')
|
||||||
|
const updateSnippet = require('browser/main/lib/dataApi/updateSnippet')
|
||||||
|
const sander = require('sander')
|
||||||
|
const os = require('os')
|
||||||
|
const path = require('path')
|
||||||
|
const crypto = require('crypto')
|
||||||
|
|
||||||
|
const snippetFilePath = path.join(os.tmpdir(), 'test', 'update-snippet')
|
||||||
|
const snippetFile = path.join(snippetFilePath, 'snippets.json')
|
||||||
|
const oldSnippet = {
|
||||||
|
id: crypto.randomBytes(16).toString('hex'),
|
||||||
|
name: 'Initial snippet',
|
||||||
|
prefix: [],
|
||||||
|
content: ''
|
||||||
|
}
|
||||||
|
|
||||||
|
const newSnippet = {
|
||||||
|
id: oldSnippet.id,
|
||||||
|
name: 'new name',
|
||||||
|
prefix: ['prefix'],
|
||||||
|
content: 'new content'
|
||||||
|
}
|
||||||
|
|
||||||
|
test.beforeEach((t) => {
|
||||||
|
sander.writeFileSync(snippetFile, JSON.stringify([oldSnippet]))
|
||||||
|
})
|
||||||
|
|
||||||
|
test.serial('Update a snippet', (t) => {
|
||||||
|
return Promise.resolve()
|
||||||
|
.then(function doTest () {
|
||||||
|
return Promise.all([
|
||||||
|
updateSnippet(newSnippet, snippetFile)
|
||||||
|
])
|
||||||
|
})
|
||||||
|
.then(function assert () {
|
||||||
|
const snippets = JSON.parse(sander.readFileSync(snippetFile))
|
||||||
|
const snippet = snippets.find(currentSnippet => currentSnippet.id === newSnippet.id)
|
||||||
|
t.not(snippet, undefined)
|
||||||
|
t.is(snippet.name, newSnippet.name)
|
||||||
|
t.deepEqual(snippet.prefix, newSnippet.prefix)
|
||||||
|
t.is(snippet.content, newSnippet.content)
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
test.after.always(() => {
|
||||||
|
sander.rimrafSync(snippetFilePath)
|
||||||
|
})
|
||||||
25
yarn.lock
25
yarn.lock
@@ -1,7 +1,6 @@
|
|||||||
# THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
|
# THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
|
||||||
# yarn lockfile v1
|
# yarn lockfile v1
|
||||||
|
|
||||||
|
|
||||||
"@ava/babel-plugin-throws-helper@^2.0.0":
|
"@ava/babel-plugin-throws-helper@^2.0.0":
|
||||||
version "2.0.0"
|
version "2.0.0"
|
||||||
resolved "https://registry.yarnpkg.com/@ava/babel-plugin-throws-helper/-/babel-plugin-throws-helper-2.0.0.tgz#2fc1fe3c211a71071a4eca7b8f7af5842cd1ae7c"
|
resolved "https://registry.yarnpkg.com/@ava/babel-plugin-throws-helper/-/babel-plugin-throws-helper-2.0.0.tgz#2fc1fe3c211a71071a4eca7b8f7af5842cd1ae7c"
|
||||||
@@ -79,9 +78,9 @@
|
|||||||
fs-plus "2.x"
|
fs-plus "2.x"
|
||||||
optimist "~0.4.0"
|
optimist "~0.4.0"
|
||||||
|
|
||||||
"@types/node@^7.0.18":
|
"@types/node@^8.0.24":
|
||||||
version "7.0.65"
|
version "8.10.17"
|
||||||
resolved "https://registry.yarnpkg.com/@types/node/-/node-7.0.65.tgz#c160979ff66c4842adc76cc181a11b5e8722d13d"
|
resolved "https://registry.yarnpkg.com/@types/node/-/node-8.10.17.tgz#d48cf10f0dc6dcf59f827f5a3fc7a4a6004318d3"
|
||||||
|
|
||||||
abab@^1.0.3, abab@^1.0.4:
|
abab@^1.0.3, abab@^1.0.4:
|
||||||
version "1.0.4"
|
version "1.0.4"
|
||||||
@@ -2382,6 +2381,12 @@ doctrine@^2.0.0, doctrine@^2.0.2:
|
|||||||
dependencies:
|
dependencies:
|
||||||
esutils "^2.0.2"
|
esutils "^2.0.2"
|
||||||
|
|
||||||
|
doctrine@^2.0.2:
|
||||||
|
version "2.1.0"
|
||||||
|
resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-2.1.0.tgz#5cd01fc101621b42c4cd7f5d1a66243716d3f39d"
|
||||||
|
dependencies:
|
||||||
|
esutils "^2.0.2"
|
||||||
|
|
||||||
dom-serializer@0:
|
dom-serializer@0:
|
||||||
version "0.1.0"
|
version "0.1.0"
|
||||||
resolved "https://registry.yarnpkg.com/dom-serializer/-/dom-serializer-0.1.0.tgz#073c697546ce0780ce23be4a28e293e40bc30c82"
|
resolved "https://registry.yarnpkg.com/dom-serializer/-/dom-serializer-0.1.0.tgz#073c697546ce0780ce23be4a28e293e40bc30c82"
|
||||||
@@ -2577,11 +2582,11 @@ electron-winstaller@^2.2.0:
|
|||||||
lodash.template "^4.2.2"
|
lodash.template "^4.2.2"
|
||||||
temp "^0.8.3"
|
temp "^0.8.3"
|
||||||
|
|
||||||
electron@1.7.11:
|
electron@1.8.7:
|
||||||
version "1.7.11"
|
version "1.8.7"
|
||||||
resolved "https://registry.yarnpkg.com/electron/-/electron-1.7.11.tgz#993b6aa79e0e79a7cfcc369f4c813fbd9a0b08d9"
|
resolved "https://registry.yarnpkg.com/electron/-/electron-1.8.7.tgz#373c1dc4589d7ab4acd49aff8db4a1c0a6c3bcc1"
|
||||||
dependencies:
|
dependencies:
|
||||||
"@types/node" "^7.0.18"
|
"@types/node" "^8.0.24"
|
||||||
electron-download "^3.0.1"
|
electron-download "^3.0.1"
|
||||||
extract-zip "^1.0.3"
|
extract-zip "^1.0.3"
|
||||||
|
|
||||||
@@ -2771,7 +2776,11 @@ eslint-plugin-promise@~3.4.0:
|
|||||||
version "3.4.2"
|
version "3.4.2"
|
||||||
resolved "https://registry.yarnpkg.com/eslint-plugin-promise/-/eslint-plugin-promise-3.4.2.tgz#1be2793eafe2d18b5b123b8136c269f804fe7122"
|
resolved "https://registry.yarnpkg.com/eslint-plugin-promise/-/eslint-plugin-promise-3.4.2.tgz#1be2793eafe2d18b5b123b8136c269f804fe7122"
|
||||||
|
|
||||||
|
<<<<<<< HEAD
|
||||||
|
eslint-plugin-react@^7.8.2:
|
||||||
|
=======
|
||||||
eslint-plugin-react@^7.2.0:
|
eslint-plugin-react@^7.2.0:
|
||||||
|
>>>>>>> ca0b03e97ce59824c9730f08c15590c5f31ebfb0
|
||||||
version "7.8.2"
|
version "7.8.2"
|
||||||
resolved "https://registry.yarnpkg.com/eslint-plugin-react/-/eslint-plugin-react-7.8.2.tgz#e95c9c47fece55d2303d1a67c9d01b930b88a51d"
|
resolved "https://registry.yarnpkg.com/eslint-plugin-react/-/eslint-plugin-react-7.8.2.tgz#e95c9c47fece55d2303d1a67c9d01b930b88a51d"
|
||||||
dependencies:
|
dependencies:
|
||||||
|
|||||||
Reference in New Issue
Block a user