feat: Added Super & HTML import options in Import modal. Google Keep notes will now also be imported as Super notes, with attachments if importing from HTML (#2433)
This commit is contained in:
@@ -1,3 +1,5 @@
|
|||||||
export interface SuperConverterServiceInterface {
|
export interface SuperConverterServiceInterface {
|
||||||
convertString: (superString: string, toFormat: 'txt' | 'md' | 'html' | 'json') => string
|
isValidSuperString(superString: string): boolean
|
||||||
|
convertSuperStringToOtherFormat: (superString: string, toFormat: 'txt' | 'md' | 'html' | 'json') => string
|
||||||
|
convertOtherFormatToSuperString: (otherFormatString: string, fromFormat: 'txt' | 'md' | 'html' | 'json') => string
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -460,7 +460,10 @@ export class FilesBackupService
|
|||||||
for (const note of notes) {
|
for (const note of notes) {
|
||||||
const tags = this.items.getSortedTagsForItem(note)
|
const tags = this.items.getSortedTagsForItem(note)
|
||||||
const tagNames = tags.map((tag) => this.items.getTagLongTitle(tag))
|
const tagNames = tags.map((tag) => this.items.getTagLongTitle(tag))
|
||||||
const text = note.noteType === NoteType.Super ? this.markdownConverter.convertString(note.text, 'md') : note.text
|
const text =
|
||||||
|
note.noteType === NoteType.Super
|
||||||
|
? this.markdownConverter.convertSuperStringToOtherFormat(note.text, 'md')
|
||||||
|
: note.text
|
||||||
await this.device.savePlaintextNoteBackup(location, note.uuid, note.title, tagNames, text)
|
await this.device.savePlaintextNoteBackup(location, note.uuid, note.title, tagNames, text)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@@ -2,37 +2,56 @@
|
|||||||
* @jest-environment jsdom
|
* @jest-environment jsdom
|
||||||
*/
|
*/
|
||||||
|
|
||||||
import { jsonTestData, htmlTestData } from './testData'
|
import { jsonTextContentData, htmlTestData, jsonListContentData } from './testData'
|
||||||
import { GoogleKeepConverter } from './GoogleKeepConverter'
|
import { GoogleKeepConverter } from './GoogleKeepConverter'
|
||||||
import { PureCryptoInterface } from '@standardnotes/sncrypto-common'
|
import { PureCryptoInterface } from '@standardnotes/sncrypto-common'
|
||||||
import { GenerateUuid } from '@standardnotes/services'
|
import { GenerateUuid } from '@standardnotes/services'
|
||||||
|
import { SuperConverterServiceInterface } from '@standardnotes/snjs'
|
||||||
|
|
||||||
describe('GoogleKeepConverter', () => {
|
describe('GoogleKeepConverter', () => {
|
||||||
const crypto = {
|
const crypto = {
|
||||||
generateUUID: () => String(Math.random()),
|
generateUUID: () => String(Math.random()),
|
||||||
} as unknown as PureCryptoInterface
|
} as unknown as PureCryptoInterface
|
||||||
|
|
||||||
|
const superConverterService: SuperConverterServiceInterface = {
|
||||||
|
isValidSuperString: () => true,
|
||||||
|
convertOtherFormatToSuperString: (data: string) => data,
|
||||||
|
convertSuperStringToOtherFormat: (data: string) => data,
|
||||||
|
}
|
||||||
const generateUuid = new GenerateUuid(crypto)
|
const generateUuid = new GenerateUuid(crypto)
|
||||||
|
|
||||||
it('should parse json data', () => {
|
it('should parse json data', () => {
|
||||||
const converter = new GoogleKeepConverter(generateUuid)
|
const converter = new GoogleKeepConverter(superConverterService, generateUuid)
|
||||||
|
|
||||||
const result = converter.tryParseAsJson(jsonTestData)
|
const textContent = converter.tryParseAsJson(jsonTextContentData, false)
|
||||||
|
|
||||||
expect(result).not.toBeNull()
|
expect(textContent).not.toBeNull()
|
||||||
expect(result?.created_at).toBeInstanceOf(Date)
|
expect(textContent?.created_at).toBeInstanceOf(Date)
|
||||||
expect(result?.updated_at).toBeInstanceOf(Date)
|
expect(textContent?.updated_at).toBeInstanceOf(Date)
|
||||||
expect(result?.uuid).not.toBeNull()
|
expect(textContent?.uuid).not.toBeNull()
|
||||||
expect(result?.content_type).toBe('Note')
|
expect(textContent?.content_type).toBe('Note')
|
||||||
expect(result?.content.title).toBe('Testing 1')
|
expect(textContent?.content.title).toBe('Testing 1')
|
||||||
expect(result?.content.text).toBe('This is a test.')
|
expect(textContent?.content.text).toBe('This is a test.')
|
||||||
expect(result?.content.trashed).toBe(false)
|
expect(textContent?.content.trashed).toBe(false)
|
||||||
expect(result?.content.archived).toBe(false)
|
expect(textContent?.content.archived).toBe(false)
|
||||||
expect(result?.content.pinned).toBe(false)
|
expect(textContent?.content.pinned).toBe(false)
|
||||||
|
|
||||||
|
const listContent = converter.tryParseAsJson(jsonListContentData, false)
|
||||||
|
|
||||||
|
expect(listContent).not.toBeNull()
|
||||||
|
expect(listContent?.created_at).toBeInstanceOf(Date)
|
||||||
|
expect(listContent?.updated_at).toBeInstanceOf(Date)
|
||||||
|
expect(listContent?.uuid).not.toBeNull()
|
||||||
|
expect(listContent?.content_type).toBe('Note')
|
||||||
|
expect(listContent?.content.title).toBe('Testing 1')
|
||||||
|
expect(listContent?.content.text).toBe('- [ ] Test 1\n- [x] Test 2')
|
||||||
|
expect(textContent?.content.trashed).toBe(false)
|
||||||
|
expect(textContent?.content.archived).toBe(false)
|
||||||
|
expect(textContent?.content.pinned).toBe(false)
|
||||||
})
|
})
|
||||||
|
|
||||||
it('should parse html data', () => {
|
it('should parse html data', () => {
|
||||||
const converter = new GoogleKeepConverter(generateUuid)
|
const converter = new GoogleKeepConverter(superConverterService, generateUuid)
|
||||||
|
|
||||||
const result = converter.tryParseAsHtml(
|
const result = converter.tryParseAsHtml(
|
||||||
htmlTestData,
|
htmlTestData,
|
||||||
|
|||||||
@@ -2,33 +2,48 @@ import { ContentType } from '@standardnotes/domain-core'
|
|||||||
import { DecryptedTransferPayload, NoteContent } from '@standardnotes/models'
|
import { DecryptedTransferPayload, NoteContent } from '@standardnotes/models'
|
||||||
import { readFileAsText } from '../Utils'
|
import { readFileAsText } from '../Utils'
|
||||||
import { GenerateUuid } from '@standardnotes/services'
|
import { GenerateUuid } from '@standardnotes/services'
|
||||||
|
import { SuperConverterServiceInterface } from '@standardnotes/files'
|
||||||
|
import { NativeFeatureIdentifier, NoteType } from '@standardnotes/features'
|
||||||
|
|
||||||
|
type Content =
|
||||||
|
| {
|
||||||
|
textContent: string
|
||||||
|
}
|
||||||
|
| {
|
||||||
|
listContent: {
|
||||||
|
text: string
|
||||||
|
isChecked: boolean
|
||||||
|
}[]
|
||||||
|
}
|
||||||
|
|
||||||
type GoogleKeepJsonNote = {
|
type GoogleKeepJsonNote = {
|
||||||
color: string
|
color: string
|
||||||
isTrashed: boolean
|
isTrashed: boolean
|
||||||
isPinned: boolean
|
isPinned: boolean
|
||||||
isArchived: boolean
|
isArchived: boolean
|
||||||
textContent: string
|
|
||||||
title: string
|
title: string
|
||||||
userEditedTimestampUsec: number
|
userEditedTimestampUsec: number
|
||||||
}
|
} & Content
|
||||||
|
|
||||||
export class GoogleKeepConverter {
|
export class GoogleKeepConverter {
|
||||||
constructor(private _generateUuid: GenerateUuid) {}
|
constructor(
|
||||||
|
private superConverterService: SuperConverterServiceInterface,
|
||||||
|
private _generateUuid: GenerateUuid,
|
||||||
|
) {}
|
||||||
|
|
||||||
async convertGoogleKeepBackupFileToNote(
|
async convertGoogleKeepBackupFileToNote(
|
||||||
file: File,
|
file: File,
|
||||||
stripHtml: boolean,
|
isEntitledToSuper: boolean,
|
||||||
): Promise<DecryptedTransferPayload<NoteContent>> {
|
): Promise<DecryptedTransferPayload<NoteContent>> {
|
||||||
const content = await readFileAsText(file)
|
const content = await readFileAsText(file)
|
||||||
|
|
||||||
const possiblePayloadFromJson = this.tryParseAsJson(content)
|
const possiblePayloadFromJson = this.tryParseAsJson(content, isEntitledToSuper)
|
||||||
|
|
||||||
if (possiblePayloadFromJson) {
|
if (possiblePayloadFromJson) {
|
||||||
return possiblePayloadFromJson
|
return possiblePayloadFromJson
|
||||||
}
|
}
|
||||||
|
|
||||||
const possiblePayloadFromHtml = this.tryParseAsHtml(content, file, stripHtml)
|
const possiblePayloadFromHtml = this.tryParseAsHtml(content, file, isEntitledToSuper)
|
||||||
|
|
||||||
if (possiblePayloadFromHtml) {
|
if (possiblePayloadFromHtml) {
|
||||||
return possiblePayloadFromHtml
|
return possiblePayloadFromHtml
|
||||||
@@ -37,20 +52,51 @@ export class GoogleKeepConverter {
|
|||||||
throw new Error('Could not parse Google Keep backup file')
|
throw new Error('Could not parse Google Keep backup file')
|
||||||
}
|
}
|
||||||
|
|
||||||
tryParseAsHtml(data: string, file: { name: string }, stripHtml: boolean): DecryptedTransferPayload<NoteContent> {
|
tryParseAsHtml(
|
||||||
|
data: string,
|
||||||
|
file: { name: string },
|
||||||
|
isEntitledToSuper: boolean,
|
||||||
|
): DecryptedTransferPayload<NoteContent> {
|
||||||
const rootElement = document.createElement('html')
|
const rootElement = document.createElement('html')
|
||||||
rootElement.innerHTML = data
|
rootElement.innerHTML = data
|
||||||
|
|
||||||
|
const headingElement = rootElement.getElementsByClassName('heading')[0]
|
||||||
|
const date = new Date(headingElement?.textContent || '')
|
||||||
|
headingElement?.remove()
|
||||||
|
|
||||||
const contentElement = rootElement.getElementsByClassName('content')[0]
|
const contentElement = rootElement.getElementsByClassName('content')[0]
|
||||||
|
if (!contentElement) {
|
||||||
|
throw new Error('Could not parse content. Content element not found.')
|
||||||
|
}
|
||||||
|
|
||||||
let content: string | null
|
let content: string | null
|
||||||
|
|
||||||
// Replace <br> with \n so line breaks get recognised
|
// Convert lists to readable plaintext format
|
||||||
contentElement.innerHTML = contentElement.innerHTML.replace(/<br>/g, '\n')
|
// or Super-convertable format
|
||||||
|
const lists = contentElement.getElementsByTagName('ul')
|
||||||
|
Array.from(lists).forEach((list) => {
|
||||||
|
list.setAttribute('__lexicallisttype', 'check')
|
||||||
|
|
||||||
if (stripHtml) {
|
const items = list.getElementsByTagName('li')
|
||||||
|
Array.from(items).forEach((item) => {
|
||||||
|
const bulletSpan = item.getElementsByClassName('bullet')[0]
|
||||||
|
bulletSpan?.remove()
|
||||||
|
|
||||||
|
const checked = item.classList.contains('checked')
|
||||||
|
item.setAttribute('aria-checked', checked ? 'true' : 'false')
|
||||||
|
|
||||||
|
if (!isEntitledToSuper) {
|
||||||
|
item.textContent = `- ${checked ? '[x]' : '[ ]'} ${item.textContent?.trim()}\n`
|
||||||
|
}
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
if (!isEntitledToSuper) {
|
||||||
|
// Replace <br> with \n so line breaks get recognised
|
||||||
|
contentElement.innerHTML = contentElement.innerHTML.replace(/<br>/g, '\n')
|
||||||
content = contentElement.textContent
|
content = contentElement.textContent
|
||||||
} else {
|
} else {
|
||||||
content = contentElement.innerHTML
|
content = this.superConverterService.convertOtherFormatToSuperString(rootElement.innerHTML, 'html')
|
||||||
}
|
}
|
||||||
|
|
||||||
if (!content) {
|
if (!content) {
|
||||||
@@ -59,8 +105,6 @@ export class GoogleKeepConverter {
|
|||||||
|
|
||||||
const title = rootElement.getElementsByClassName('title')[0]?.textContent || file.name
|
const title = rootElement.getElementsByClassName('title')[0]?.textContent || file.name
|
||||||
|
|
||||||
const date = this.getDateFromGKeepNote(data) || new Date()
|
|
||||||
|
|
||||||
return {
|
return {
|
||||||
created_at: date,
|
created_at: date,
|
||||||
created_at_timestamp: date.getTime(),
|
created_at_timestamp: date.getTime(),
|
||||||
@@ -72,35 +116,30 @@ export class GoogleKeepConverter {
|
|||||||
title: title,
|
title: title,
|
||||||
text: content,
|
text: content,
|
||||||
references: [],
|
references: [],
|
||||||
|
...(isEntitledToSuper
|
||||||
|
? {
|
||||||
|
noteType: NoteType.Super,
|
||||||
|
editorIdentifier: NativeFeatureIdentifier.TYPES.SuperEditor,
|
||||||
|
}
|
||||||
|
: {}),
|
||||||
},
|
},
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
getDateFromGKeepNote(note: string) {
|
|
||||||
const regexWithTitle = /.*(?=<\/div>\n<div class="title">)/
|
|
||||||
const regexWithoutTitle = /.*(?=<\/div>\n\n<div class="content">)/
|
|
||||||
const possibleDateStringWithTitle = regexWithTitle.exec(note)?.[0]
|
|
||||||
const possibleDateStringWithoutTitle = regexWithoutTitle.exec(note)?.[0]
|
|
||||||
if (possibleDateStringWithTitle) {
|
|
||||||
const date = new Date(possibleDateStringWithTitle)
|
|
||||||
if (date.toString() !== 'Invalid Date' && date.toString() !== 'NaN') {
|
|
||||||
return date
|
|
||||||
}
|
|
||||||
}
|
|
||||||
if (possibleDateStringWithoutTitle) {
|
|
||||||
const date = new Date(possibleDateStringWithoutTitle)
|
|
||||||
if (date.toString() !== 'Invalid Date' && date.toString() !== 'NaN') {
|
|
||||||
return date
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return
|
|
||||||
}
|
|
||||||
|
|
||||||
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||||
static isValidGoogleKeepJson(json: any): boolean {
|
static isValidGoogleKeepJson(json: any): boolean {
|
||||||
|
if (typeof json.textContent !== 'string') {
|
||||||
|
if (typeof json.listContent === 'object' && Array.isArray(json.listContent)) {
|
||||||
|
return json.listContent.every(
|
||||||
|
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||||
|
(item: any) => typeof item.text === 'string' && typeof item.isChecked === 'boolean',
|
||||||
|
)
|
||||||
|
}
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
|
||||||
return (
|
return (
|
||||||
typeof json.title === 'string' &&
|
typeof json.title === 'string' &&
|
||||||
typeof json.textContent === 'string' &&
|
|
||||||
typeof json.userEditedTimestampUsec === 'number' &&
|
typeof json.userEditedTimestampUsec === 'number' &&
|
||||||
typeof json.isArchived === 'boolean' &&
|
typeof json.isArchived === 'boolean' &&
|
||||||
typeof json.isTrashed === 'boolean' &&
|
typeof json.isTrashed === 'boolean' &&
|
||||||
@@ -109,13 +148,26 @@ export class GoogleKeepConverter {
|
|||||||
)
|
)
|
||||||
}
|
}
|
||||||
|
|
||||||
tryParseAsJson(data: string): DecryptedTransferPayload<NoteContent> | null {
|
tryParseAsJson(data: string, isEntitledToSuper: boolean): DecryptedTransferPayload<NoteContent> | null {
|
||||||
try {
|
try {
|
||||||
const parsed = JSON.parse(data) as GoogleKeepJsonNote
|
const parsed = JSON.parse(data) as GoogleKeepJsonNote
|
||||||
if (!GoogleKeepConverter.isValidGoogleKeepJson(parsed)) {
|
if (!GoogleKeepConverter.isValidGoogleKeepJson(parsed)) {
|
||||||
return null
|
return null
|
||||||
}
|
}
|
||||||
const date = new Date(parsed.userEditedTimestampUsec / 1000)
|
const date = new Date(parsed.userEditedTimestampUsec / 1000)
|
||||||
|
let text: string
|
||||||
|
if ('textContent' in parsed) {
|
||||||
|
text = parsed.textContent
|
||||||
|
} else {
|
||||||
|
text = parsed.listContent
|
||||||
|
.map((item) => {
|
||||||
|
return item.isChecked ? `- [x] ${item.text}` : `- [ ] ${item.text}`
|
||||||
|
})
|
||||||
|
.join('\n')
|
||||||
|
}
|
||||||
|
if (isEntitledToSuper) {
|
||||||
|
text = this.superConverterService.convertOtherFormatToSuperString(text, 'md')
|
||||||
|
}
|
||||||
return {
|
return {
|
||||||
created_at: date,
|
created_at: date,
|
||||||
created_at_timestamp: date.getTime(),
|
created_at_timestamp: date.getTime(),
|
||||||
@@ -125,14 +177,21 @@ export class GoogleKeepConverter {
|
|||||||
content_type: ContentType.TYPES.Note,
|
content_type: ContentType.TYPES.Note,
|
||||||
content: {
|
content: {
|
||||||
title: parsed.title,
|
title: parsed.title,
|
||||||
text: parsed.textContent,
|
text,
|
||||||
references: [],
|
references: [],
|
||||||
archived: Boolean(parsed.isArchived),
|
archived: Boolean(parsed.isArchived),
|
||||||
trashed: Boolean(parsed.isTrashed),
|
trashed: Boolean(parsed.isTrashed),
|
||||||
pinned: Boolean(parsed.isPinned),
|
pinned: Boolean(parsed.isPinned),
|
||||||
|
...(isEntitledToSuper
|
||||||
|
? {
|
||||||
|
noteType: NoteType.Super,
|
||||||
|
editorIdentifier: NativeFeatureIdentifier.TYPES.SuperEditor,
|
||||||
|
}
|
||||||
|
: {}),
|
||||||
},
|
},
|
||||||
}
|
}
|
||||||
} catch (e) {
|
} catch (e) {
|
||||||
|
console.error(e)
|
||||||
return null
|
return null
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
const json = {
|
const jsonWithTextContent = {
|
||||||
color: 'DEFAULT',
|
color: 'DEFAULT',
|
||||||
isTrashed: false,
|
isTrashed: false,
|
||||||
isPinned: false,
|
isPinned: false,
|
||||||
@@ -8,7 +8,28 @@ const json = {
|
|||||||
userEditedTimestampUsec: 1618528050144000,
|
userEditedTimestampUsec: 1618528050144000,
|
||||||
}
|
}
|
||||||
|
|
||||||
export const jsonTestData = JSON.stringify(json)
|
export const jsonTextContentData = JSON.stringify(jsonWithTextContent)
|
||||||
|
|
||||||
|
const jsonWithListContent = {
|
||||||
|
color: 'DEFAULT',
|
||||||
|
isTrashed: false,
|
||||||
|
isPinned: false,
|
||||||
|
isArchived: false,
|
||||||
|
listContent: [
|
||||||
|
{
|
||||||
|
text: 'Test 1',
|
||||||
|
isChecked: false,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
text: 'Test 2',
|
||||||
|
isChecked: true,
|
||||||
|
},
|
||||||
|
],
|
||||||
|
title: 'Testing 1',
|
||||||
|
userEditedTimestampUsec: 1618528050144000,
|
||||||
|
}
|
||||||
|
|
||||||
|
export const jsonListContentData = JSON.stringify(jsonWithListContent)
|
||||||
|
|
||||||
export const htmlTestData = `<?xml version="1.0" ?>
|
export const htmlTestData = `<?xml version="1.0" ?>
|
||||||
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"><html xmlns="http://www.w3.org/1999/xhtml"><head><meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
|
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"><html xmlns="http://www.w3.org/1999/xhtml"><head><meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
|
||||||
|
|||||||
@@ -0,0 +1,51 @@
|
|||||||
|
import { ContentType } from '@standardnotes/domain-core'
|
||||||
|
import { NativeFeatureIdentifier, NoteType } from '@standardnotes/features'
|
||||||
|
import { parseFileName } from '@standardnotes/filepicker'
|
||||||
|
import { SuperConverterServiceInterface } from '@standardnotes/files'
|
||||||
|
import { DecryptedTransferPayload, NoteContent } from '@standardnotes/models'
|
||||||
|
import { GenerateUuid } from '@standardnotes/services'
|
||||||
|
import { readFileAsText } from '../Utils'
|
||||||
|
|
||||||
|
export class HTMLConverter {
|
||||||
|
constructor(
|
||||||
|
private superConverterService: SuperConverterServiceInterface,
|
||||||
|
private _generateUuid: GenerateUuid,
|
||||||
|
) {}
|
||||||
|
|
||||||
|
static isHTMLFile(file: File): boolean {
|
||||||
|
return file.type === 'text/html'
|
||||||
|
}
|
||||||
|
|
||||||
|
async convertHTMLFileToNote(file: File, isEntitledToSuper: boolean): Promise<DecryptedTransferPayload<NoteContent>> {
|
||||||
|
const content = await readFileAsText(file)
|
||||||
|
|
||||||
|
const { name } = parseFileName(file.name)
|
||||||
|
|
||||||
|
const createdAtDate = file.lastModified ? new Date(file.lastModified) : new Date()
|
||||||
|
const updatedAtDate = file.lastModified ? new Date(file.lastModified) : new Date()
|
||||||
|
|
||||||
|
const text = isEntitledToSuper
|
||||||
|
? this.superConverterService.convertOtherFormatToSuperString(content, 'html')
|
||||||
|
: content
|
||||||
|
|
||||||
|
return {
|
||||||
|
created_at: createdAtDate,
|
||||||
|
created_at_timestamp: createdAtDate.getTime(),
|
||||||
|
updated_at: updatedAtDate,
|
||||||
|
updated_at_timestamp: updatedAtDate.getTime(),
|
||||||
|
uuid: this._generateUuid.execute().getValue(),
|
||||||
|
content_type: ContentType.TYPES.Note,
|
||||||
|
content: {
|
||||||
|
title: name,
|
||||||
|
text,
|
||||||
|
references: [],
|
||||||
|
...(isEntitledToSuper
|
||||||
|
? {
|
||||||
|
noteType: NoteType.Super,
|
||||||
|
editorIdentifier: NativeFeatureIdentifier.TYPES.SuperEditor,
|
||||||
|
}
|
||||||
|
: {}),
|
||||||
|
},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -14,8 +14,11 @@ import { PlaintextConverter } from './PlaintextConverter/PlaintextConverter'
|
|||||||
import { SimplenoteConverter } from './SimplenoteConverter/SimplenoteConverter'
|
import { SimplenoteConverter } from './SimplenoteConverter/SimplenoteConverter'
|
||||||
import { readFileAsText } from './Utils'
|
import { readFileAsText } from './Utils'
|
||||||
import { DecryptedTransferPayload, NoteContent } from '@standardnotes/models'
|
import { DecryptedTransferPayload, NoteContent } from '@standardnotes/models'
|
||||||
|
import { HTMLConverter } from './HTMLConverter/HTMLConverter'
|
||||||
|
import { SuperConverterServiceInterface } from '@standardnotes/snjs/dist/@types'
|
||||||
|
import { SuperConverter } from './SuperConverter/SuperConverter'
|
||||||
|
|
||||||
export type NoteImportType = 'plaintext' | 'evernote' | 'google-keep' | 'simplenote' | 'aegis'
|
export type NoteImportType = 'plaintext' | 'evernote' | 'google-keep' | 'simplenote' | 'aegis' | 'html' | 'super'
|
||||||
|
|
||||||
export class Importer {
|
export class Importer {
|
||||||
aegisConverter: AegisToAuthenticatorConverter
|
aegisConverter: AegisToAuthenticatorConverter
|
||||||
@@ -23,21 +26,26 @@ export class Importer {
|
|||||||
simplenoteConverter: SimplenoteConverter
|
simplenoteConverter: SimplenoteConverter
|
||||||
plaintextConverter: PlaintextConverter
|
plaintextConverter: PlaintextConverter
|
||||||
evernoteConverter: EvernoteConverter
|
evernoteConverter: EvernoteConverter
|
||||||
|
htmlConverter: HTMLConverter
|
||||||
|
superConverter: SuperConverter
|
||||||
|
|
||||||
constructor(
|
constructor(
|
||||||
private features: FeaturesClientInterface,
|
private features: FeaturesClientInterface,
|
||||||
private mutator: MutatorClientInterface,
|
private mutator: MutatorClientInterface,
|
||||||
private items: ItemManagerInterface,
|
private items: ItemManagerInterface,
|
||||||
|
private superConverterService: SuperConverterServiceInterface,
|
||||||
_generateUuid: GenerateUuid,
|
_generateUuid: GenerateUuid,
|
||||||
) {
|
) {
|
||||||
this.aegisConverter = new AegisToAuthenticatorConverter(_generateUuid)
|
this.aegisConverter = new AegisToAuthenticatorConverter(_generateUuid)
|
||||||
this.googleKeepConverter = new GoogleKeepConverter(_generateUuid)
|
this.googleKeepConverter = new GoogleKeepConverter(this.superConverterService, _generateUuid)
|
||||||
this.simplenoteConverter = new SimplenoteConverter(_generateUuid)
|
this.simplenoteConverter = new SimplenoteConverter(_generateUuid)
|
||||||
this.plaintextConverter = new PlaintextConverter(_generateUuid)
|
this.plaintextConverter = new PlaintextConverter(_generateUuid)
|
||||||
this.evernoteConverter = new EvernoteConverter(_generateUuid)
|
this.evernoteConverter = new EvernoteConverter(_generateUuid)
|
||||||
|
this.htmlConverter = new HTMLConverter(this.superConverterService, _generateUuid)
|
||||||
|
this.superConverter = new SuperConverter(this.superConverterService, _generateUuid)
|
||||||
}
|
}
|
||||||
|
|
||||||
static detectService = async (file: File): Promise<NoteImportType | null> => {
|
detectService = async (file: File): Promise<NoteImportType | null> => {
|
||||||
const content = await readFileAsText(file)
|
const content = await readFileAsText(file)
|
||||||
|
|
||||||
const { ext } = parseFileName(file.name)
|
const { ext } = parseFileName(file.name)
|
||||||
@@ -46,6 +54,10 @@ export class Importer {
|
|||||||
return 'evernote'
|
return 'evernote'
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (file.type === 'application/json' && this.superConverterService.isValidSuperString(content)) {
|
||||||
|
return 'super'
|
||||||
|
}
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const json = JSON.parse(content)
|
const json = JSON.parse(content)
|
||||||
|
|
||||||
@@ -68,24 +80,39 @@ export class Importer {
|
|||||||
return 'plaintext'
|
return 'plaintext'
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (HTMLConverter.isHTMLFile(file)) {
|
||||||
|
return 'html'
|
||||||
|
}
|
||||||
|
|
||||||
return null
|
return null
|
||||||
}
|
}
|
||||||
|
|
||||||
async getPayloadsFromFile(file: File, type: NoteImportType): Promise<DecryptedTransferPayload[]> {
|
async getPayloadsFromFile(file: File, type: NoteImportType): Promise<DecryptedTransferPayload[]> {
|
||||||
if (type === 'aegis') {
|
const isEntitledToSuper =
|
||||||
|
this.features.getFeatureStatus(
|
||||||
|
NativeFeatureIdentifier.create(NativeFeatureIdentifier.TYPES.SuperEditor).getValue(),
|
||||||
|
) === FeatureStatus.Entitled
|
||||||
|
if (type === 'super') {
|
||||||
|
if (!isEntitledToSuper) {
|
||||||
|
throw new Error('Importing Super notes requires a subscription.')
|
||||||
|
}
|
||||||
|
return [await this.superConverter.convertSuperFileToNote(file)]
|
||||||
|
} else if (type === 'aegis') {
|
||||||
const isEntitledToAuthenticator =
|
const isEntitledToAuthenticator =
|
||||||
this.features.getFeatureStatus(
|
this.features.getFeatureStatus(
|
||||||
NativeFeatureIdentifier.create(NativeFeatureIdentifier.TYPES.TokenVaultEditor).getValue(),
|
NativeFeatureIdentifier.create(NativeFeatureIdentifier.TYPES.TokenVaultEditor).getValue(),
|
||||||
) === FeatureStatus.Entitled
|
) === FeatureStatus.Entitled
|
||||||
return [await this.aegisConverter.convertAegisBackupFileToNote(file, isEntitledToAuthenticator)]
|
return [await this.aegisConverter.convertAegisBackupFileToNote(file, isEntitledToAuthenticator)]
|
||||||
} else if (type === 'google-keep') {
|
} else if (type === 'google-keep') {
|
||||||
return [await this.googleKeepConverter.convertGoogleKeepBackupFileToNote(file, true)]
|
return [await this.googleKeepConverter.convertGoogleKeepBackupFileToNote(file, isEntitledToSuper)]
|
||||||
} else if (type === 'simplenote') {
|
} else if (type === 'simplenote') {
|
||||||
return await this.simplenoteConverter.convertSimplenoteBackupFileToNotes(file)
|
return await this.simplenoteConverter.convertSimplenoteBackupFileToNotes(file)
|
||||||
} else if (type === 'evernote') {
|
} else if (type === 'evernote') {
|
||||||
return await this.evernoteConverter.convertENEXFileToNotesAndTags(file, false)
|
return await this.evernoteConverter.convertENEXFileToNotesAndTags(file, false)
|
||||||
} else if (type === 'plaintext') {
|
} else if (type === 'plaintext') {
|
||||||
return [await this.plaintextConverter.convertPlaintextFileToNote(file)]
|
return [await this.plaintextConverter.convertPlaintextFileToNote(file)]
|
||||||
|
} else if (type === 'html') {
|
||||||
|
return [await this.htmlConverter.convertHTMLFileToNote(file, isEntitledToSuper)]
|
||||||
}
|
}
|
||||||
|
|
||||||
return []
|
return []
|
||||||
|
|||||||
@@ -0,0 +1,43 @@
|
|||||||
|
import { SuperConverterServiceInterface } from '@standardnotes/files'
|
||||||
|
import { DecryptedTransferPayload, NoteContent } from '@standardnotes/models'
|
||||||
|
import { GenerateUuid } from '@standardnotes/services'
|
||||||
|
import { readFileAsText } from '../Utils'
|
||||||
|
import { parseFileName } from '@standardnotes/filepicker'
|
||||||
|
import { ContentType } from '@standardnotes/domain-core'
|
||||||
|
import { NativeFeatureIdentifier, NoteType } from '@standardnotes/features'
|
||||||
|
|
||||||
|
export class SuperConverter {
|
||||||
|
constructor(
|
||||||
|
private converterService: SuperConverterServiceInterface,
|
||||||
|
private _generateUuid: GenerateUuid,
|
||||||
|
) {}
|
||||||
|
|
||||||
|
async convertSuperFileToNote(file: File): Promise<DecryptedTransferPayload<NoteContent>> {
|
||||||
|
const content = await readFileAsText(file)
|
||||||
|
|
||||||
|
if (!this.converterService.isValidSuperString(content)) {
|
||||||
|
throw new Error('Content is not valid Super JSON')
|
||||||
|
}
|
||||||
|
|
||||||
|
const { name } = parseFileName(file.name)
|
||||||
|
|
||||||
|
const createdAtDate = file.lastModified ? new Date(file.lastModified) : new Date()
|
||||||
|
const updatedAtDate = file.lastModified ? new Date(file.lastModified) : new Date()
|
||||||
|
|
||||||
|
return {
|
||||||
|
created_at: createdAtDate,
|
||||||
|
created_at_timestamp: createdAtDate.getTime(),
|
||||||
|
updated_at: updatedAtDate,
|
||||||
|
updated_at_timestamp: updatedAtDate.getTime(),
|
||||||
|
uuid: this._generateUuid.execute().getValue(),
|
||||||
|
content_type: ContentType.TYPES.Note,
|
||||||
|
content: {
|
||||||
|
title: name,
|
||||||
|
text: content,
|
||||||
|
references: [],
|
||||||
|
noteType: NoteType.Super,
|
||||||
|
editorIdentifier: NativeFeatureIdentifier.TYPES.SuperEditor,
|
||||||
|
},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -7,6 +7,7 @@ export const Web_TYPES = {
|
|||||||
AutolockService: Symbol.for('AutolockService'),
|
AutolockService: Symbol.for('AutolockService'),
|
||||||
ChangelogService: Symbol.for('ChangelogService'),
|
ChangelogService: Symbol.for('ChangelogService'),
|
||||||
DesktopManager: Symbol.for('DesktopManager'),
|
DesktopManager: Symbol.for('DesktopManager'),
|
||||||
|
SuperConverter: Symbol.for('SuperConverter'),
|
||||||
Importer: Symbol.for('Importer'),
|
Importer: Symbol.for('Importer'),
|
||||||
ItemGroupController: Symbol.for('ItemGroupController'),
|
ItemGroupController: Symbol.for('ItemGroupController'),
|
||||||
KeyboardService: Symbol.for('KeyboardService'),
|
KeyboardService: Symbol.for('KeyboardService'),
|
||||||
|
|||||||
@@ -48,13 +48,24 @@ import { PanesForLayout } from '../UseCase/PanesForLayout'
|
|||||||
import { LoadPurchaseFlowUrl } from '../UseCase/LoadPurchaseFlowUrl'
|
import { LoadPurchaseFlowUrl } from '../UseCase/LoadPurchaseFlowUrl'
|
||||||
import { GetPurchaseFlowUrl } from '../UseCase/GetPurchaseFlowUrl'
|
import { GetPurchaseFlowUrl } from '../UseCase/GetPurchaseFlowUrl'
|
||||||
import { OpenSubscriptionDashboard } from '../UseCase/OpenSubscriptionDashboard'
|
import { OpenSubscriptionDashboard } from '../UseCase/OpenSubscriptionDashboard'
|
||||||
|
import { HeadlessSuperConverter } from '@/Components/SuperEditor/Tools/HeadlessSuperConverter'
|
||||||
|
|
||||||
export class WebDependencies extends DependencyContainer {
|
export class WebDependencies extends DependencyContainer {
|
||||||
constructor(private application: WebApplicationInterface) {
|
constructor(private application: WebApplicationInterface) {
|
||||||
super()
|
super()
|
||||||
|
|
||||||
|
this.bind(Web_TYPES.SuperConverter, () => {
|
||||||
|
return new HeadlessSuperConverter()
|
||||||
|
})
|
||||||
|
|
||||||
this.bind(Web_TYPES.Importer, () => {
|
this.bind(Web_TYPES.Importer, () => {
|
||||||
return new Importer(application.features, application.mutator, application.items, application.generateUuid)
|
return new Importer(
|
||||||
|
application.features,
|
||||||
|
application.mutator,
|
||||||
|
application.items,
|
||||||
|
this.get<HeadlessSuperConverter>(Web_TYPES.SuperConverter),
|
||||||
|
application.generateUuid,
|
||||||
|
)
|
||||||
})
|
})
|
||||||
|
|
||||||
this.bind(Web_TYPES.IsNativeIOS, () => {
|
this.bind(Web_TYPES.IsNativeIOS, () => {
|
||||||
|
|||||||
@@ -11,6 +11,8 @@ const NoteImportTypeColors: Record<NoteImportType, string> = {
|
|||||||
'google-keep': 'bg-[#fbbd00] text-[#000]',
|
'google-keep': 'bg-[#fbbd00] text-[#000]',
|
||||||
aegis: 'bg-[#0d47a1] text-default',
|
aegis: 'bg-[#0d47a1] text-default',
|
||||||
plaintext: 'bg-default border border-border',
|
plaintext: 'bg-default border border-border',
|
||||||
|
html: 'bg-accessory-tint-2',
|
||||||
|
super: 'bg-accessory-tint-1 text-accessory-tint-1',
|
||||||
}
|
}
|
||||||
|
|
||||||
const NoteImportTypeIcons: Record<NoteImportType, string> = {
|
const NoteImportTypeIcons: Record<NoteImportType, string> = {
|
||||||
@@ -19,6 +21,8 @@ const NoteImportTypeIcons: Record<NoteImportType, string> = {
|
|||||||
'google-keep': 'gkeep',
|
'google-keep': 'gkeep',
|
||||||
aegis: 'aegis',
|
aegis: 'aegis',
|
||||||
plaintext: 'plain-text',
|
plaintext: 'plain-text',
|
||||||
|
html: 'rich-text',
|
||||||
|
super: 'file-doc',
|
||||||
}
|
}
|
||||||
|
|
||||||
const ImportModalFileItem = ({
|
const ImportModalFileItem = ({
|
||||||
@@ -53,13 +57,13 @@ const ImportModalFileItem = ({
|
|||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
const detect = async () => {
|
const detect = async () => {
|
||||||
const detectedService = await Importer.detectService(file.file)
|
const detectedService = await importer.detectService(file.file)
|
||||||
void setFileService(detectedService)
|
void setFileService(detectedService)
|
||||||
}
|
}
|
||||||
if (file.service === undefined) {
|
if (file.service === undefined) {
|
||||||
void detect()
|
void detect()
|
||||||
}
|
}
|
||||||
}, [file, setFileService])
|
}, [file, importer, setFileService])
|
||||||
|
|
||||||
const notePayloads =
|
const notePayloads =
|
||||||
file.status === 'ready' && file.payloads
|
file.status === 'ready' && file.payloads
|
||||||
|
|||||||
@@ -5,12 +5,17 @@ import { observer } from 'mobx-react-lite'
|
|||||||
import { useCallback } from 'react'
|
import { useCallback } from 'react'
|
||||||
import Button from '../Button/Button'
|
import Button from '../Button/Button'
|
||||||
import Icon from '../Icon/Icon'
|
import Icon from '../Icon/Icon'
|
||||||
|
import { useApplication } from '../ApplicationProvider'
|
||||||
|
import { FeatureStatus, NativeFeatureIdentifier } from '@standardnotes/snjs'
|
||||||
|
import { FeatureName } from '@/Controllers/FeatureName'
|
||||||
|
|
||||||
type Props = {
|
type Props = {
|
||||||
setFiles: ImportModalController['setFiles']
|
setFiles: ImportModalController['setFiles']
|
||||||
}
|
}
|
||||||
|
|
||||||
const ImportModalInitialPage = ({ setFiles }: Props) => {
|
const ImportModalInitialPage = ({ setFiles }: Props) => {
|
||||||
|
const application = useApplication()
|
||||||
|
|
||||||
const selectFiles = useCallback(
|
const selectFiles = useCallback(
|
||||||
async (service?: NoteImportType) => {
|
async (service?: NoteImportType) => {
|
||||||
const files = await ClassicFileReader.selectFiles()
|
const files = await ClassicFileReader.selectFiles()
|
||||||
@@ -38,41 +43,46 @@ const ImportModalInitialPage = ({ setFiles }: Props) => {
|
|||||||
</button>
|
</button>
|
||||||
<div className="text-center my-4 w-full">or import from:</div>
|
<div className="text-center my-4 w-full">or import from:</div>
|
||||||
<div className="flex flex-wrap items-center justify-center gap-4">
|
<div className="flex flex-wrap items-center justify-center gap-4">
|
||||||
<Button
|
<Button className="flex items-center !py-2" onClick={() => selectFiles('evernote')}>
|
||||||
className="flex items-center bg-[#14cc45] !py-2 text-[#000]"
|
<Icon type="evernote" className="text-[#14cc45] mr-2" />
|
||||||
primary
|
|
||||||
onClick={() => selectFiles('evernote')}
|
|
||||||
>
|
|
||||||
<Icon type="evernote" className="mr-2" />
|
|
||||||
Evernote
|
Evernote
|
||||||
</Button>
|
</Button>
|
||||||
<Button
|
<Button className="flex items-center !py-2" onClick={() => selectFiles('google-keep')}>
|
||||||
className="flex items-center bg-[#fbbd00] !py-2 text-[#000]"
|
<Icon type="gkeep" className="text-[#fbbd00] mr-2" />
|
||||||
primary
|
|
||||||
onClick={() => selectFiles('google-keep')}
|
|
||||||
>
|
|
||||||
<Icon type="gkeep" className="mr-2" />
|
|
||||||
Google Keep
|
Google Keep
|
||||||
</Button>
|
</Button>
|
||||||
<Button className="flex items-center bg-[#3360cc] !py-2" primary onClick={() => selectFiles('simplenote')}>
|
<Button className="flex items-center !py-2" onClick={() => selectFiles('simplenote')}>
|
||||||
<Icon type="simplenote" className="mr-2" />
|
<Icon type="simplenote" className="text-[#3360cc] mr-2" />
|
||||||
Simplenote
|
Simplenote
|
||||||
</Button>
|
</Button>
|
||||||
<Button className="flex items-center bg-[#0d47a1] !py-2" primary onClick={() => selectFiles('aegis')}>
|
<Button className="flex items-center !py-2" onClick={() => selectFiles('aegis')}>
|
||||||
<Icon type="aegis" className="mr-2" />
|
<Icon type="aegis" className="bg-[#0d47a1] text-[#fff] rounded mr-2 p-1" size="normal" />
|
||||||
Aegis Authenticator
|
Aegis
|
||||||
</Button>
|
</Button>
|
||||||
<Button className="flex items-center bg-info !py-2" onClick={() => selectFiles('plaintext')} primary>
|
<Button className="flex items-center !py-2" onClick={() => selectFiles('plaintext')}>
|
||||||
<Icon type="plain-text" className="mr-2" />
|
<Icon type="plain-text" className="text-info mr-2" />
|
||||||
Plaintext
|
Plaintext / Markdown
|
||||||
|
</Button>
|
||||||
|
<Button className="flex items-center !py-2" onClick={() => selectFiles('html')}>
|
||||||
|
<Icon type="rich-text" className="text-accessory-tint-2 mr-2" />
|
||||||
|
HTML
|
||||||
</Button>
|
</Button>
|
||||||
<Button
|
<Button
|
||||||
className="flex items-center bg-accessory-tint-4 !py-2"
|
className="flex items-center !py-2"
|
||||||
primary
|
onClick={() => {
|
||||||
onClick={() => selectFiles('plaintext')}
|
const isEntitledToSuper =
|
||||||
|
application.features.getFeatureStatus(
|
||||||
|
NativeFeatureIdentifier.create(NativeFeatureIdentifier.TYPES.SuperEditor).getValue(),
|
||||||
|
) === FeatureStatus.Entitled
|
||||||
|
if (!isEntitledToSuper) {
|
||||||
|
application.showPremiumModal(FeatureName.Super)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
selectFiles('super').catch(console.error)
|
||||||
|
}}
|
||||||
>
|
>
|
||||||
<Icon type="markdown" className="mr-2" />
|
<Icon type="file-doc" className="text-accessory-tint-1 mr-2" />
|
||||||
Markdown
|
Super (JSON)
|
||||||
</Button>
|
</Button>
|
||||||
</div>
|
</div>
|
||||||
</>
|
</>
|
||||||
|
|||||||
@@ -79,6 +79,7 @@ const ModalOverlay = forwardRef(
|
|||||||
tabIndex={0}
|
tabIndex={0}
|
||||||
className={classNames(
|
className={classNames(
|
||||||
'z-[1] pointer-events-auto m-0 flex h-full w-full flex-col border-[--popover-border-color] bg-default md:bg-[--popover-background-color] md:[backdrop-filter:var(--popover-backdrop-filter)] p-0 md:h-auto md:max-h-[85vh] md:w-160 md:rounded md:border md:shadow-main',
|
'z-[1] pointer-events-auto m-0 flex h-full w-full flex-col border-[--popover-border-color] bg-default md:bg-[--popover-background-color] md:[backdrop-filter:var(--popover-backdrop-filter)] p-0 md:h-auto md:max-h-[85vh] md:w-160 md:rounded md:border md:shadow-main',
|
||||||
|
'focus-visible:shadow-none focus-visible:outline-none',
|
||||||
className,
|
className,
|
||||||
)}
|
)}
|
||||||
backdrop={
|
backdrop={
|
||||||
|
|||||||
@@ -31,14 +31,14 @@ export const DiffView = ({
|
|||||||
const firstTitle = firstNote.title
|
const firstTitle = firstNote.title
|
||||||
const firstText =
|
const firstText =
|
||||||
firstNote.noteType === NoteType.Super && convertSuperToMarkdown
|
firstNote.noteType === NoteType.Super && convertSuperToMarkdown
|
||||||
? new HeadlessSuperConverter().convertString(firstNote.text, 'md')
|
? new HeadlessSuperConverter().convertSuperStringToOtherFormat(firstNote.text, 'md')
|
||||||
: firstNote.text
|
: firstNote.text
|
||||||
|
|
||||||
const secondNote = selectedNotes[1]
|
const secondNote = selectedNotes[1]
|
||||||
const secondTitle = secondNote.title
|
const secondTitle = secondNote.title
|
||||||
const secondText =
|
const secondText =
|
||||||
secondNote.noteType === NoteType.Super && convertSuperToMarkdown
|
secondNote.noteType === NoteType.Super && convertSuperToMarkdown
|
||||||
? new HeadlessSuperConverter().convertString(secondNote.text, 'md')
|
? new HeadlessSuperConverter().convertSuperStringToOtherFormat(secondNote.text, 'md')
|
||||||
: secondNote.text
|
: secondNote.text
|
||||||
|
|
||||||
const titleDiff = fastdiff(firstTitle, secondTitle, undefined, true)
|
const titleDiff = fastdiff(firstTitle, secondTitle, undefined, true)
|
||||||
|
|||||||
@@ -86,6 +86,7 @@ const StyledTooltip = ({
|
|||||||
className={classNames(
|
className={classNames(
|
||||||
'z-tooltip max-w-max rounded border border-border translucent-ui:border-[--popover-border-color] bg-contrast translucent-ui:bg-[--popover-background-color] [backdrop-filter:var(--popover-backdrop-filter)] px-3 py-1.5 text-sm text-foreground shadow',
|
'z-tooltip max-w-max rounded border border-border translucent-ui:border-[--popover-border-color] bg-contrast translucent-ui:bg-[--popover-background-color] [backdrop-filter:var(--popover-backdrop-filter)] px-3 py-1.5 text-sm text-foreground shadow',
|
||||||
'opacity-60 [&[data-enter]]:opacity-100 [&[data-leave]]:opacity-60 transition-opacity duration-75',
|
'opacity-60 [&[data-enter]]:opacity-100 [&[data-leave]]:opacity-60 transition-opacity duration-75',
|
||||||
|
'focus-visible:shadow-none focus-visible:outline-none',
|
||||||
className,
|
className,
|
||||||
)}
|
)}
|
||||||
updatePosition={() => {
|
updatePosition={() => {
|
||||||
|
|||||||
@@ -40,7 +40,7 @@ export const ExportPlugin = () => {
|
|||||||
|
|
||||||
const exportJson = useCallback(
|
const exportJson = useCallback(
|
||||||
(title: string) => {
|
(title: string) => {
|
||||||
const content = converter.current.convertString(JSON.stringify(editor.getEditorState()), 'json')
|
const content = converter.current.convertSuperStringToOtherFormat(JSON.stringify(editor.getEditorState()), 'json')
|
||||||
const blob = new Blob([content], { type: 'application/json' })
|
const blob = new Blob([content], { type: 'application/json' })
|
||||||
downloadData(blob, `${sanitizeFileName(title)}.json`)
|
downloadData(blob, `${sanitizeFileName(title)}.json`)
|
||||||
},
|
},
|
||||||
@@ -49,7 +49,7 @@ export const ExportPlugin = () => {
|
|||||||
|
|
||||||
const exportMarkdown = useCallback(
|
const exportMarkdown = useCallback(
|
||||||
(title: string) => {
|
(title: string) => {
|
||||||
const content = converter.current.convertString(JSON.stringify(editor.getEditorState()), 'md')
|
const content = converter.current.convertSuperStringToOtherFormat(JSON.stringify(editor.getEditorState()), 'md')
|
||||||
const blob = new Blob([content], { type: 'text/markdown' })
|
const blob = new Blob([content], { type: 'text/markdown' })
|
||||||
downloadData(blob, `${sanitizeFileName(title)}.md`)
|
downloadData(blob, `${sanitizeFileName(title)}.md`)
|
||||||
},
|
},
|
||||||
@@ -58,7 +58,7 @@ export const ExportPlugin = () => {
|
|||||||
|
|
||||||
const exportHtml = useCallback(
|
const exportHtml = useCallback(
|
||||||
(title: string) => {
|
(title: string) => {
|
||||||
const content = converter.current.convertString(JSON.stringify(editor.getEditorState()), 'html')
|
const content = converter.current.convertSuperStringToOtherFormat(JSON.stringify(editor.getEditorState()), 'html')
|
||||||
const blob = new Blob([content], { type: 'text/html' })
|
const blob = new Blob([content], { type: 'text/html' })
|
||||||
downloadData(blob, `${sanitizeFileName(title)}.html`)
|
downloadData(blob, `${sanitizeFileName(title)}.html`)
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -1,10 +1,11 @@
|
|||||||
import { useLexicalComposerContext } from '@lexical/react/LexicalComposerContext'
|
import { useLexicalComposerContext } from '@lexical/react/LexicalComposerContext'
|
||||||
import { useEffect } from 'react'
|
import { useEffect } from 'react'
|
||||||
import { $convertFromMarkdownString, TRANSFORMERS } from '@lexical/markdown'
|
import { $convertFromMarkdownString } from '@lexical/markdown'
|
||||||
import { $createParagraphNode, $createRangeSelection, LexicalEditor } from 'lexical'
|
import { $createParagraphNode, $createRangeSelection, LexicalEditor } from 'lexical'
|
||||||
import { handleEditorChange } from '../../Utils'
|
import { handleEditorChange } from '../../Utils'
|
||||||
import { SuperNotePreviewCharLimit } from '../../SuperEditor'
|
import { SuperNotePreviewCharLimit } from '../../SuperEditor'
|
||||||
import { $generateNodesFromDOM } from '@lexical/html'
|
import { $generateNodesFromDOM } from '@lexical/html'
|
||||||
|
import { MarkdownTransformers } from '../../MarkdownTransformers'
|
||||||
|
|
||||||
/** Note that markdown conversion does not insert new lines. See: https://github.com/facebook/lexical/issues/2815 */
|
/** Note that markdown conversion does not insert new lines. See: https://github.com/facebook/lexical/issues/2815 */
|
||||||
export default function ImportPlugin({
|
export default function ImportPlugin({
|
||||||
@@ -33,7 +34,7 @@ export default function ImportPlugin({
|
|||||||
|
|
||||||
editor.update(() => {
|
editor.update(() => {
|
||||||
if (format === 'md') {
|
if (format === 'md') {
|
||||||
$convertFromMarkdownString(text, [...TRANSFORMERS])
|
$convertFromMarkdownString(text, MarkdownTransformers)
|
||||||
} else {
|
} else {
|
||||||
const parser = new DOMParser()
|
const parser = new DOMParser()
|
||||||
const dom = parser.parseFromString(text, 'text/html')
|
const dom = parser.parseFromString(text, 'text/html')
|
||||||
|
|||||||
@@ -58,7 +58,7 @@ const SuperNoteConverter = ({
|
|||||||
}
|
}
|
||||||
|
|
||||||
try {
|
try {
|
||||||
return new HeadlessSuperConverter().convertString(note.text, format)
|
return new HeadlessSuperConverter().convertSuperStringToOtherFormat(note.text, format)
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error(error)
|
console.error(error)
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,11 +1,19 @@
|
|||||||
import { createHeadlessEditor } from '@lexical/headless'
|
import { createHeadlessEditor } from '@lexical/headless'
|
||||||
import { $convertToMarkdownString } from '@lexical/markdown'
|
import { $convertToMarkdownString, $convertFromMarkdownString } from '@lexical/markdown'
|
||||||
import { SuperConverterServiceInterface } from '@standardnotes/snjs'
|
import { SuperConverterServiceInterface } from '@standardnotes/snjs'
|
||||||
import { $nodesOfType, LexicalEditor, ParagraphNode } from 'lexical'
|
import {
|
||||||
|
$createParagraphNode,
|
||||||
|
$getRoot,
|
||||||
|
$insertNodes,
|
||||||
|
$nodesOfType,
|
||||||
|
LexicalEditor,
|
||||||
|
LexicalNode,
|
||||||
|
ParagraphNode,
|
||||||
|
} from 'lexical'
|
||||||
import BlocksEditorTheme from '../Lexical/Theme/Theme'
|
import BlocksEditorTheme from '../Lexical/Theme/Theme'
|
||||||
import { BlockEditorNodes } from '../Lexical/Nodes/AllNodes'
|
import { BlockEditorNodes } from '../Lexical/Nodes/AllNodes'
|
||||||
import { MarkdownTransformers } from '../MarkdownTransformers'
|
import { MarkdownTransformers } from '../MarkdownTransformers'
|
||||||
import { $generateHtmlFromNodes } from '@lexical/html'
|
import { $generateHtmlFromNodes, $generateNodesFromDOM } from '@lexical/html'
|
||||||
|
|
||||||
export class HeadlessSuperConverter implements SuperConverterServiceInterface {
|
export class HeadlessSuperConverter implements SuperConverterServiceInterface {
|
||||||
private editor: LexicalEditor
|
private editor: LexicalEditor
|
||||||
@@ -20,7 +28,16 @@ export class HeadlessSuperConverter implements SuperConverterServiceInterface {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
convertString(superString: string, format: 'txt' | 'md' | 'html' | 'json'): string {
|
isValidSuperString(superString: string): boolean {
|
||||||
|
try {
|
||||||
|
this.editor.parseEditorState(superString)
|
||||||
|
return true
|
||||||
|
} catch (error) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
convertSuperStringToOtherFormat(superString: string, toFormat: 'txt' | 'md' | 'html' | 'json'): string {
|
||||||
if (superString.length === 0) {
|
if (superString.length === 0) {
|
||||||
return superString
|
return superString
|
||||||
}
|
}
|
||||||
@@ -31,7 +48,7 @@ export class HeadlessSuperConverter implements SuperConverterServiceInterface {
|
|||||||
|
|
||||||
this.editor.update(
|
this.editor.update(
|
||||||
() => {
|
() => {
|
||||||
switch (format) {
|
switch (toFormat) {
|
||||||
case 'txt':
|
case 'txt':
|
||||||
case 'md': {
|
case 'md': {
|
||||||
const paragraphs = $nodesOfType(ParagraphNode)
|
const paragraphs = $nodesOfType(ParagraphNode)
|
||||||
@@ -61,4 +78,58 @@ export class HeadlessSuperConverter implements SuperConverterServiceInterface {
|
|||||||
|
|
||||||
return content
|
return content
|
||||||
}
|
}
|
||||||
|
|
||||||
|
convertOtherFormatToSuperString(otherFormatString: string, fromFormat: 'txt' | 'md' | 'html' | 'json'): string {
|
||||||
|
if (otherFormatString.length === 0) {
|
||||||
|
return otherFormatString
|
||||||
|
}
|
||||||
|
|
||||||
|
if (fromFormat === 'json' && this.isValidSuperString(otherFormatString)) {
|
||||||
|
return otherFormatString
|
||||||
|
}
|
||||||
|
|
||||||
|
if (fromFormat === 'html') {
|
||||||
|
this.editor.update(
|
||||||
|
() => {
|
||||||
|
const root = $getRoot()
|
||||||
|
root.clear()
|
||||||
|
|
||||||
|
const parser = new DOMParser()
|
||||||
|
const dom = parser.parseFromString(otherFormatString, 'text/html')
|
||||||
|
const generatedNodes = $generateNodesFromDOM(this.editor, dom)
|
||||||
|
const nodesToInsert: LexicalNode[] = []
|
||||||
|
generatedNodes.forEach((node) => {
|
||||||
|
const type = node.getType()
|
||||||
|
|
||||||
|
// Wrap text & link nodes with paragraph since they can't
|
||||||
|
// be top-level nodes in Super
|
||||||
|
if (type === 'text' || type === 'link') {
|
||||||
|
const paragraphNode = $createParagraphNode()
|
||||||
|
paragraphNode.append(node)
|
||||||
|
nodesToInsert.push(paragraphNode)
|
||||||
|
return
|
||||||
|
} else {
|
||||||
|
nodesToInsert.push(node)
|
||||||
|
}
|
||||||
|
|
||||||
|
nodesToInsert.push($createParagraphNode())
|
||||||
|
})
|
||||||
|
$getRoot().selectEnd()
|
||||||
|
$insertNodes(nodesToInsert.concat($createParagraphNode()))
|
||||||
|
},
|
||||||
|
{ discrete: true },
|
||||||
|
)
|
||||||
|
} else {
|
||||||
|
this.editor.update(
|
||||||
|
() => {
|
||||||
|
$convertFromMarkdownString(otherFormatString, MarkdownTransformers)
|
||||||
|
},
|
||||||
|
{
|
||||||
|
discrete: true,
|
||||||
|
},
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
return JSON.stringify(this.editor.getEditorState())
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,3 +1,4 @@
|
|||||||
export enum FeatureName {
|
export enum FeatureName {
|
||||||
Files = 'Encrypted File Storage',
|
Files = 'Encrypted File Storage',
|
||||||
|
Super = 'Super notes',
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -155,6 +155,9 @@ export class ImportModalController {
|
|||||||
console.error(error)
|
console.error(error)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
if (!importedPayloads.length) {
|
||||||
|
return
|
||||||
|
}
|
||||||
const currentDate = new Date()
|
const currentDate = new Date()
|
||||||
const importTagItem = this.items.createTemplateItem<TagContent, SNTag>(ContentType.TYPES.Tag, {
|
const importTagItem = this.items.createTemplateItem<TagContent, SNTag>(ContentType.TYPES.Tag, {
|
||||||
title: `Imported on ${currentDate.toLocaleString()}`,
|
title: `Imported on ${currentDate.toLocaleString()}`,
|
||||||
|
|||||||
@@ -39,7 +39,9 @@ export const getNoteBlob = (application: WebApplicationInterface, note: SNNote)
|
|||||||
break
|
break
|
||||||
}
|
}
|
||||||
const content =
|
const content =
|
||||||
note.noteType === NoteType.Super ? new HeadlessSuperConverter().convertString(note.text, format) : note.text
|
note.noteType === NoteType.Super
|
||||||
|
? new HeadlessSuperConverter().convertSuperStringToOtherFormat(note.text, format)
|
||||||
|
: note.text
|
||||||
const blob = new Blob([content], {
|
const blob = new Blob([content], {
|
||||||
type,
|
type,
|
||||||
})
|
})
|
||||||
|
|||||||
Reference in New Issue
Block a user