Adding new markdown editor (#53)

* Adding new markdown editor

* minor changes

* adding heading option

* fixed selection issue

* added italic and unordered options

* styling changes

* removed commented code

* minor style changes

* removed headings from markdown

* minor change
This commit is contained in:
Sachin Chaurasiya 2021-08-12 00:31:19 +05:30 committed by GitHub
parent 4464d81857
commit ae8e01c655
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
22 changed files with 1465 additions and 216 deletions

File diff suppressed because it is too large Load Diff

View File

@ -20,6 +20,7 @@
"builtin-status-codes": "^3.0.0", "builtin-status-codes": "^3.0.0",
"cookie-storage": "^6.1.0", "cookie-storage": "^6.1.0",
"core-js": "^3.10.1", "core-js": "^3.10.1",
"draft-js": "^0.11.7",
"eslint": "^6.6.0", "eslint": "^6.6.0",
"eslint-config-react-app": "^5.2.1", "eslint-config-react-app": "^5.2.1",
"eslint-loader": "3.0.3", "eslint-loader": "3.0.3",
@ -34,10 +35,13 @@
"html-react-parser": "^1.2.6", "html-react-parser": "^1.2.6",
"https-browserify": "^1.0.0", "https-browserify": "^1.0.0",
"ieee754": "^1.2.1", "ieee754": "^1.2.1",
"immutable": "^4.0.0-rc.14",
"jquery": "^3.5.0", "jquery": "^3.5.0",
"markdown-draft-js": "^2.3.0",
"mobx": "6.0.1", "mobx": "6.0.1",
"mobx-react": "6.1.4", "mobx-react": "6.1.4",
"oidc-client": "^1.11.5", "oidc-client": "^1.11.5",
"path-browserify": "^1.0.1",
"popper.js": "1.16.1", "popper.js": "1.16.1",
"postcss": "^8.3.2", "postcss": "^8.3.2",
"process": "^0.11.10", "process": "^0.11.10",
@ -45,13 +49,17 @@
"react": "^16.14.0", "react": "^16.14.0",
"react-bootstrap": "^1.6.0", "react-bootstrap": "^1.6.0",
"react-dom": "^16.14.0", "react-dom": "^16.14.0",
"react-draft-wysiwyg": "^1.14.7",
"react-js-pagination": "^3.0.3", "react-js-pagination": "^3.0.3",
"react-markdown": "^6.0.3",
"react-oidc": "^1.0.3", "react-oidc": "^1.0.3",
"react-router-dom": "^5.2.0", "react-router-dom": "^5.2.0",
"react-select": "^3.1.1", "react-select": "^3.1.1",
"react-syntax-highlighter": "^15.4.4",
"react-tippy": "^1.4.0", "react-tippy": "^1.4.0",
"recharts": "^1.8.5", "recharts": "^1.8.5",
"redoc": "https://github.com/deuex-solutions/redoc/tarball/master", "redoc": "https://github.com/deuex-solutions/redoc/tarball/master",
"remark-gfm": "^1.0.0",
"resolve": "1.15.0", "resolve": "1.15.0",
"resolve-url-loader": "3.1.1", "resolve-url-loader": "3.1.1",
"slate": "^0.59.0", "slate": "^0.59.0",

View File

@ -17,12 +17,12 @@
import classnames from 'classnames'; import classnames from 'classnames';
import React, { FunctionComponent, useRef, useState } from 'react'; import React, { FunctionComponent, useRef, useState } from 'react';
import { stringToDOMElement } from '../../../utils/StringsUtils'; // import { stringToDOMElement } from '../../../utils/StringsUtils';
import { Button } from '../../buttons/Button/Button'; import { Button } from '../../buttons/Button/Button';
import { MarkdownWithPreview } from '../../common/editor/MarkdownWithPreview'; import MarkdownWithPreview from '../../common/editor/MarkdownWithPreview';
type MarkdownRef = { type EditorContentRef = {
fetchUpdatedHTML: () => string; getEditorContent: () => string;
}; };
type Props = { type Props = {
@ -38,7 +38,7 @@ type Props = {
export const ModalWithMarkdownEditor: FunctionComponent<Props> = ({ export const ModalWithMarkdownEditor: FunctionComponent<Props> = ({
isExpandable = false, isExpandable = false,
header, header,
placeholder, // placeholder,
value, value,
onSave, onSave,
// onSuggest, // onSuggest,
@ -46,7 +46,7 @@ export const ModalWithMarkdownEditor: FunctionComponent<Props> = ({
}: Props) => { }: Props) => {
const [expanded, setExpanded] = useState<boolean>(false); const [expanded, setExpanded] = useState<boolean>(false);
const markdownRef = useRef<MarkdownRef>(); const markdownRef = useRef<EditorContentRef>();
const getContainerClasses = () => { const getContainerClasses = () => {
return classnames( return classnames(
@ -57,8 +57,7 @@ export const ModalWithMarkdownEditor: FunctionComponent<Props> = ({
const handleSaveData = () => { const handleSaveData = () => {
if (markdownRef.current) { if (markdownRef.current) {
const updatedHTML = markdownRef.current.fetchUpdatedHTML(); onSave(markdownRef.current?.getEditorContent() ?? '');
onSave(stringToDOMElement(updatedHTML).textContent ? updatedHTML : '');
} }
}; };
@ -99,11 +98,7 @@ export const ModalWithMarkdownEditor: FunctionComponent<Props> = ({
)} )}
</div> </div>
<div className="tw-modal-body tw-pt-0 tw-pb-1"> <div className="tw-modal-body tw-pt-0 tw-pb-1">
<MarkdownWithPreview <MarkdownWithPreview ref={markdownRef} value={value} />
editorRef={(Ref: MarkdownRef) => (markdownRef.current = Ref)}
placeholder={placeholder}
value={value}
/>
</div> </div>
<div className="tw-modal-footer"> <div className="tw-modal-footer">
<Button <Button

View File

@ -16,87 +16,67 @@
*/ */
import React, { import React, {
FunctionComponent, forwardRef,
useCallback,
useEffect, useEffect,
useImperativeHandle,
useRef, useRef,
useState, useState,
} from 'react'; } from 'react';
import { deserializeData } from '../../../utils/EditorUtils'; import { isValidJSONString } from '../../../utils/StringsUtils';
import { stringToDOMElement, stringToHTML } from '../../../utils/StringsUtils'; import RichTextEditor from '../rich-text-editor/RichTextEditor';
import MarkdownEditor from './Editor'; import { editorRef } from '../rich-text-editor/RichTextEditor.interface';
import RichTextEditorPreviewer from '../rich-text-editor/RichTextEditorPreviewer';
type MarkdownWithPreview = { type EditorContentRef = {
fetchUpdatedHTML: () => string; getEditorContent: (value: string) => string;
}; };
type Props = { type Props = {
value: string; value: string;
placeholder: string;
editorRef: Function;
}; };
const getDeserializedNodes = (strElm: string): Array<Node> => { const MarkdownWithPreview = forwardRef<editorRef, Props>(
const domElm = stringToDOMElement(`<div>${strElm}</div>`); ({ value }: Props, ref) => {
return deserializeData(domElm.childNodes[0]);
};
export const MarkdownWithPreview: FunctionComponent<Props> = ({
editorRef,
placeholder,
value,
}: Props) => {
const [activeTab, setActiveTab] = useState<number>(1); const [activeTab, setActiveTab] = useState<number>(1);
const [preview, setPreview] = useState<string>(''); const [preview, setPreview] = useState<string>('');
const [initValue, setInitValue] = useState<Array<Node>>( const [initValue, setInitValue] = useState<string>(value ?? '');
getDeserializedNodes(value || ' ')
);
const markdownRef = useRef<MarkdownWithPreview>();
const editorRef = useRef<EditorContentRef>();
const getTabClasses = (tab: number, activeTab: number) => { const getTabClasses = (tab: number, activeTab: number) => {
return ( return (
'tw-gh-tabs tw-cursor-pointer' + (activeTab === tab ? ' active' : '') 'tw-gh-tabs tw-cursor-pointer' + (activeTab === tab ? ' active' : '')
); );
}; };
const getPreviewHTML = useCallback(() => {
return stringToHTML(preview);
}, [preview]);
const updateInternalValue = () => { const updateInternalValue = () => {
if (markdownRef.current) { if (editorRef.current) {
const updatedHTML = markdownRef.current.fetchUpdatedHTML(); setInitValue(editorRef.current?.getEditorContent('markdown'));
setInitValue( setPreview(editorRef.current?.getEditorContent('markdown'));
getDeserializedNodes(
stringToDOMElement(updatedHTML).textContent ? updatedHTML : ''
)
);
setPreview(updatedHTML);
} }
}; };
const handleSaveData = () => { const getPreview = () => {
if (markdownRef.current) { if (preview.length < 1) {
const updatedHTML = markdownRef.current.fetchUpdatedHTML(); return 'Nothing to preview';
return stringToDOMElement(updatedHTML).textContent ? updatedHTML : '';
} else {
return '';
} }
return <RichTextEditorPreviewer markdown={preview} />;
}; };
useEffect(() => {
if (typeof editorRef === 'function') { useImperativeHandle(ref, () => ({
editorRef({ getEditorContent() {
fetchUpdatedHTML: () => { return activeTab === 2
return handleSaveData(); ? initValue
: editorRef.current?.getEditorContent('markdown');
}, },
}); }));
}
}, []); useEffect(() => {
setInitValue(value ?? '');
}, [value]);
return ( return (
<> <div>
<div className="tw-bg-transparent"> <div className="tw-bg-transparent">
<nav className="tw-flex tw-flex-row tw-gh-tabs-container tw-px-6"> <nav className="tw-flex tw-flex-row tw-gh-tabs-container tw-px-6">
<p <p
@ -122,20 +102,23 @@ export const MarkdownWithPreview: FunctionComponent<Props> = ({
</div> </div>
<div className="tw-py-5"> <div className="tw-py-5">
{activeTab === 1 && ( {activeTab === 1 && (
<MarkdownEditor <RichTextEditor
className="" format={isValidJSONString(initValue) ? 'json' : 'markdown'}
contentListClasses="tw-z-9999" initvalue={initValue}
editorRef={(ref) => (markdownRef.current = ref)} ref={editorRef}
initValue={initValue}
placeholder={placeholder}
/> />
)} )}
{activeTab === 2 && ( {activeTab === 2 && (
<div className="editor-wrapper tw-flex tw-flex-col tw-flex-1 tw-overflow-y-auto tw-p-3 tw-min-h-32 tw-border tw-border-gray-300 tw-rounded tw-max-h-none"> <div className="editor-wrapper tw-flex tw-flex-col tw-flex-1 tw-overflow-y-auto tw-p-3 tw-pl-6 tw-min-h-32 tw-border tw-border-gray-300 tw-rounded tw-max-h-none">
{getPreviewHTML()} {getPreview()}
</div> </div>
)} )}
</div> </div>
</> </div>
); );
}; }
);
MarkdownWithPreview.displayName = 'MarkdownWithPreview';
export default MarkdownWithPreview;

View File

@ -0,0 +1,32 @@
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import { ReactNode } from 'react';
export type editorRef = ReactNode | HTMLElement | string;
export enum Format {
JSON = 'json',
MARKDOWN = 'markdown',
}
export type EditorProp = {
format: 'json' | 'markdown';
initvalue?: string;
suggestionList?: { text: string; value: string; url: string }[];
mentionTrigger?: string;
readonly?: boolean;
customOptions?: ReactNode[];
};

View File

@ -0,0 +1,142 @@
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import { convertFromRaw, convertToRaw, EditorState } from 'draft-js';
import { draftToMarkdown, markdownToDraft } from 'markdown-draft-js';
import React, {
forwardRef,
useEffect,
useImperativeHandle,
useState,
} from 'react';
import { Editor } from 'react-draft-wysiwyg';
import 'react-draft-wysiwyg/dist/react-draft-wysiwyg.css';
import { EditorProp, editorRef, Format } from './RichTextEditor.interface';
import { Bold, Italic, Link, ULLIST } from './ToolBarOptions';
const getIntialContent = (format: string, content?: string) => {
/*eslint-disable */
if (content) {
switch (format) {
case Format.MARKDOWN:
const rawData = markdownToDraft(content, {
remarkablePreset: 'commonmark',
remarkableOptions: {
disable: {
inline: ['links', 'emphasis'],
block: ['heading', 'code', 'list'],
},
enable: {
block: 'table',
core: ['abbr'],
},
},
preserveNewlines: true,
});
const modifiedBlock = rawData.blocks.filter((data: any) => {
if (data.text) {
return data;
}
});
const state = convertFromRaw({ ...rawData, blocks: modifiedBlock });
return EditorState.createWithContent(state);
case Format.JSON:
const jsonData = convertFromRaw(JSON.parse(content));
return EditorState.createWithContent(jsonData);
default:
return EditorState.createEmpty();
}
} else {
return EditorState.createEmpty();
}
};
const RichTextEditor = forwardRef<editorRef, EditorProp>(
(
{
format = 'markdown',
initvalue,
readonly = false,
customOptions,
}: EditorProp,
ref
) => {
const [editorState, setEditorState] = useState(
getIntialContent(format, initvalue)
);
const onEditorStateChange = (newState: typeof editorState) => {
setEditorState(newState);
};
useImperativeHandle(ref, () => ({
getEditorContent(format: 'json' | 'markdown') {
switch (format) {
case Format.MARKDOWN:
return draftToMarkdown(
convertToRaw(editorState.getCurrentContent())
);
case Format.JSON:
default:
return convertToRaw(editorState.getCurrentContent());
}
},
}));
useEffect(() => {
setEditorState(getIntialContent(format, initvalue));
}, [initvalue, format]);
return (
<>
<div className="tw-min-h-32 tw-border tw-border-gray-300 tw-rounded tw-overflow-y-auto">
<Editor
editorClassName="tw-px-1 tw-min-h-32"
editorState={editorState}
readOnly={readonly}
toolbar={{
options: [],
}}
toolbarClassName="tw-py-2 tw-border tw-border-gray-300"
toolbarCustomButtons={
customOptions ?? [
<Bold key="bold" />,
<Italic key="italic" />,
<Link key="link" />,
<ULLIST key="ulList" />,
]
}
toolbarHidden={readonly}
wrapperClassName="editor-wrapper"
onEditorStateChange={onEditorStateChange}
/>
</div>
<p className="tw-pt-2">Using headings in markdown is not allowed</p>
</>
);
}
);
RichTextEditor.displayName = 'RichTextEditor';
export default RichTextEditor;

View File

@ -0,0 +1,49 @@
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import React, { useEffect, useState } from 'react';
import ReactMarkdown from 'react-markdown';
import gfm from 'remark-gfm';
/*eslint-disable */
const RichTextEditorPreviewer = ({ markdown }: { markdown: string }) => {
const [content, setContent] = useState<string>('');
useEffect(() => {
setContent(markdown);
}, [markdown]);
return (
<div className="content-container">
<ReactMarkdown
children={content
.replaceAll(/&lt;/g, '<')
.replaceAll(/&gt;/g, '>')
.replaceAll('\\', '')}
components={{
h1: 'p',
h2: 'p',
h3: 'p',
h4: 'p',
h5: 'p',
h6: 'p',
}}
remarkPlugins={[gfm]}
/>
</div>
);
};
export default RichTextEditorPreviewer;

View File

@ -0,0 +1,333 @@
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import { EditorState, Modifier, SelectionState } from 'draft-js';
import PropTypes from 'prop-types';
import React, { Component } from 'react';
import PopOver from '../popover/PopOver';
/*eslint-disable */
const getSelectedText = (editorState) => {
const selection = editorState.getSelection();
const anchorKey = selection.getAnchorKey();
const currentContent = editorState.getCurrentContent();
const currentBlock = currentContent.getBlockForKey(anchorKey);
const start = selection.getStartOffset();
const end = selection.getEndOffset();
const selectedText = currentBlock.getText().slice(start, end);
return selectedText;
};
const updateEditorSelection = (eState, offsetDiff) => {
const selection = eState.getSelection();
const newFocusOffset = selection.focusOffset + offsetDiff;
const newSelection = new SelectionState({
anchorKey: selection.anchorKey,
anchorOffset: newFocusOffset,
focusKey: selection.focusKey,
focusOffset: newFocusOffset,
});
const newEditorState = EditorState.forceSelection(eState, newSelection);
return EditorState.push(newEditorState, newEditorState.getCurrentContent());
};
export class Bold extends Component {
static propTypes = {
onChange: PropTypes.func,
editorState: PropTypes.object,
};
makeBold = () => {
const { editorState, onChange } = this.props;
const selectedText = getSelectedText(editorState);
const contentState = Modifier.replaceText(
editorState.getCurrentContent(),
editorState.getSelection(),
`${
selectedText.startsWith('**') && selectedText.endsWith('**')
? selectedText.replaceAll('**', '')
: `**${selectedText}**`
}`,
editorState.getCurrentInlineStyle()
);
const eState = EditorState.push(
editorState,
contentState,
'insert-characters'
);
onChange(updateEditorSelection(eState, -2));
};
render() {
return (
<div className="rdw-option-wrapper tw-font-bold" onClick={this.makeBold}>
<PopOver
position="bottom"
size="small"
title="Add bold text"
trigger="mouseenter">
<p>B</p>
</PopOver>
</div>
);
}
}
export class Link extends Component {
static propTypes = {
onChange: PropTypes.func,
editorState: PropTypes.object,
};
makeLink = () => {
const { editorState, onChange } = this.props;
const selectedText = getSelectedText(editorState);
const contentState = Modifier.replaceText(
editorState.getCurrentContent(),
editorState.getSelection(),
`${
selectedText.startsWith('[') && selectedText.endsWith(')')
? selectedText.replace(/ *\([^)]*\) */g, '').replace(/[\])}[{(]/g, '')
: `[${selectedText}](url)`
}`,
editorState.getCurrentInlineStyle()
);
const eState = EditorState.push(
editorState,
contentState,
'insert-characters'
);
onChange(updateEditorSelection(eState, -6));
};
render() {
return (
<div className="rdw-option-wrapper " onClick={this.makeLink}>
<PopOver
position="bottom"
size="small"
title="Add link"
trigger="mouseenter">
<i className="fas fa-link" />
</PopOver>
</div>
);
}
}
export class Italic extends Component {
static propTypes = {
onChange: PropTypes.func,
editorState: PropTypes.object,
};
makeItalic = () => {
const { editorState, onChange } = this.props;
const selectedText = getSelectedText(editorState);
const contentState = Modifier.replaceText(
editorState.getCurrentContent(),
editorState.getSelection(),
`${
selectedText.startsWith('_') && selectedText.endsWith('_')
? selectedText.replaceAll('_', '')
: `_${selectedText}_`
}`,
editorState.getCurrentInlineStyle()
);
const eState = EditorState.push(
editorState,
contentState,
'insert-characters'
);
onChange(updateEditorSelection(eState, -1));
};
render() {
return (
<div className="rdw-option-wrapper " onClick={this.makeItalic}>
<PopOver
position="bottom"
size="small"
title="Add italic text"
trigger="mouseenter">
<i className="fas fa-italic" />
</PopOver>
</div>
);
}
}
export class Heading extends Component {
static propTypes = {
onChange: PropTypes.func,
editorState: PropTypes.object,
};
makeHeading = () => {
const { editorState, onChange } = this.props;
const selectedText = getSelectedText(editorState);
const contentState = Modifier.replaceText(
editorState.getCurrentContent(),
editorState.getSelection(),
`${
selectedText.startsWith('### ')
? selectedText.replaceAll('### ', '')
: `### ${selectedText}`
}`,
editorState.getCurrentInlineStyle()
);
const eState = EditorState.push(
editorState,
contentState,
'insert-characters'
);
onChange(updateEditorSelection(eState, 0));
};
render() {
return (
<div className="rdw-option-wrapper" onClick={this.makeHeading}>
<PopOver
position="bottom"
size="small"
title="Add header text"
trigger="mouseenter">
<p>H</p>
</PopOver>
</div>
);
}
}
export class ULLIST extends Component {
static propTypes = {
onChange: PropTypes.func,
editorState: PropTypes.object,
};
makeLIST = () => {
const { editorState, onChange } = this.props;
const selectedText = getSelectedText(editorState);
const selection = editorState.getSelection();
const currentKey = selection.getStartKey();
const currentBlock = editorState
.getCurrentContent()
.getBlockForKey(currentKey);
const text = selectedText.startsWith('- ')
? selectedText.replaceAll('- ', '')
: `${
selection.anchorOffset > 0 && selectedText.length <= 0
? `\n\n- ${selectedText}`
: `- ${selectedText}`
}`;
const contentState = Modifier.replaceText(
editorState.getCurrentContent(),
editorState.getSelection(),
text,
editorState.getCurrentInlineStyle()
);
onChange(EditorState.push(editorState, contentState, 'insert-characters'));
};
render() {
return (
<div className="rdw-option-wrapper " onClick={this.makeLIST}>
<PopOver
position="bottom"
size="small"
title="Add unordered list"
trigger="mouseenter">
<i className="fas fa-list-ul" />
</PopOver>
</div>
);
}
}
export class OLLIST extends Component {
static propTypes = {
onChange: PropTypes.func,
editorState: PropTypes.object,
};
makeLIST = () => {
const { editorState, onChange } = this.props;
const selectedText = getSelectedText(editorState);
const selection = editorState.getSelection();
const currentKey = selection.getStartKey();
const currentBlock = editorState
.getCurrentContent()
.getBlockForKey(currentKey);
const textArr = currentBlock.getText().split('\n') || [];
const lastText = textArr[textArr.length - 1];
const match = lastText.match(/(\d+)/)?.[0];
let len = 0;
for (const txt of textArr) {
len += txt.length;
if (len >= selection.focusOffset) {
const index = textArr.indexOf(txt);
break;
}
len++;
}
const newSelection = new SelectionState({
anchorKey: selection.anchorKey,
anchorOffset: textArr.join(',').length,
focusKey: selection.focusKey,
focusOffset: textArr.join(',').length,
});
const contentState = Modifier.replaceText(
editorState.getCurrentContent(),
newSelection,
`${
selection.anchorOffset > 0
? `\n${match ? parseInt(match) + 1 : 1}. `
: `${match ? parseInt(match) + 1 : 1}. `
}`,
editorState.getCurrentInlineStyle()
);
onChange(EditorState.push(editorState, contentState, 'insert-characters'));
};
render() {
return (
<div className="rdw-option-wrapper " onClick={this.makeLIST}>
<PopOver
position="bottom"
size="small"
title="Add unordered list"
trigger="mouseenter">
<i className="fas fa-list-ol" />
</PopOver>
</div>
);
}
}

View File

@ -17,8 +17,8 @@
import { isNil } from 'lodash'; import { isNil } from 'lodash';
import React, { FunctionComponent } from 'react'; import React, { FunctionComponent } from 'react';
import { stringToHTML } from '../../../utils/StringsUtils';
import Tag from '../../tags/tags'; import Tag from '../../tags/tags';
import RichTextEditorPreviewer from '../rich-text-editor/RichTextEditorPreviewer';
type Props = { type Props = {
description: string; description: string;
@ -37,7 +37,7 @@ const TableDataCardBody: FunctionComponent<Props> = ({
return ( return (
<> <>
<div className="tw-mb-1 description-text"> <div className="tw-mb-1 description-text">
{stringToHTML(description)} <RichTextEditorPreviewer markdown={description} />
</div> </div>
<p className="tw-py-1"> <p className="tw-py-1">
{extraInfo.map(({ key, value }, i) => {extraInfo.map(({ key, value }, i) =>
@ -63,7 +63,7 @@ const TableDataCardBody: FunctionComponent<Props> = ({
<Tag <Tag
className="tw-border-none tw-bg-gray-200" className="tw-border-none tw-bg-gray-200"
key={index} key={index}
tag={`#${tag}`} tag={`#${tag.startsWith('Tier.Tier') ? tag.split('.')[1] : tag}`}
type="contained" type="contained"
/> />
))} ))}

View File

@ -32,10 +32,10 @@ import {
getTableFQNFromColumnFQN, getTableFQNFromColumnFQN,
isEven, isEven,
} from '../../utils/CommonUtils'; } from '../../utils/CommonUtils';
import { stringToHTML } from '../../utils/StringsUtils';
import SVGIcons from '../../utils/SvgUtils'; import SVGIcons from '../../utils/SvgUtils';
import { getConstraintIcon } from '../../utils/TableUtils'; import { getConstraintIcon } from '../../utils/TableUtils';
import { getTagCategories, getTaglist } from '../../utils/TagsUtils'; import { getTagCategories, getTaglist } from '../../utils/TagsUtils';
import RichTextEditorPreviewer from '../common/rich-text-editor/RichTextEditorPreviewer';
// import { EditSchemaColumnModal } from '../Modals/EditSchemaColumnModal/EditSchemaColumnModal'; // import { EditSchemaColumnModal } from '../Modals/EditSchemaColumnModal/EditSchemaColumnModal';
import { ModalWithMarkdownEditor } from '../Modals/ModalWithMarkdownEditor/ModalWithMarkdownEditor'; import { ModalWithMarkdownEditor } from '../Modals/ModalWithMarkdownEditor/ModalWithMarkdownEditor';
import TagsContainer from '../tags-container/tags-container'; import TagsContainer from '../tags-container/tags-container';
@ -197,6 +197,9 @@ const SchemaTable: FunctionComponent<Props> = ({
...columns.slice(editColumn.index + 1), ...columns.slice(editColumn.index + 1),
]; ];
onUpdate(updatedColumns); onUpdate(updatedColumns);
setEditColumn(undefined);
} else {
setEditColumn(undefined);
} }
}; };
useEffect(() => { useEffect(() => {
@ -262,11 +265,15 @@ const SchemaTable: FunctionComponent<Props> = ({
<td className="tw-group tableBody-cell tw-relative"> <td className="tw-group tableBody-cell tw-relative">
<div> <div>
<div <div
className="child-inline tw-cursor-pointer hover:tw-underline" className="tw-cursor-pointer hover:tw-underline"
data-testid="description" data-testid="description"
id={`column-description-${index}`} id={`column-description-${index}`}
onClick={() => handleEditColumn(column, index)}> onClick={() => handleEditColumn(column, index)}>
{stringToHTML(column.description) || ( {column.description ? (
<RichTextEditorPreviewer
markdown={column.description}
/>
) : (
<span className="tw-no-description"> <span className="tw-no-description">
No description added No description added
</span> </span>

View File

@ -32,6 +32,7 @@ import { getServiceById } from '../../axiosAPIs/serviceAPI';
import { getDatabaseTables } from '../../axiosAPIs/tableAPI'; import { getDatabaseTables } from '../../axiosAPIs/tableAPI';
import NextPrevious from '../../components/common/next-previous/NextPrevious'; import NextPrevious from '../../components/common/next-previous/NextPrevious';
import PopOver from '../../components/common/popover/PopOver'; import PopOver from '../../components/common/popover/PopOver';
import RichTextEditorPreviewer from '../../components/common/rich-text-editor/RichTextEditorPreviewer';
import TitleBreadcrumb from '../../components/common/title-breadcrumb/title-breadcrumb.component'; import TitleBreadcrumb from '../../components/common/title-breadcrumb/title-breadcrumb.component';
import { TitleBreadcrumbProps } from '../../components/common/title-breadcrumb/title-breadcrumb.interface'; import { TitleBreadcrumbProps } from '../../components/common/title-breadcrumb/title-breadcrumb.interface';
import PageContainer from '../../components/containers/PageContainer'; import PageContainer from '../../components/containers/PageContainer';
@ -47,7 +48,6 @@ import {
import useToastContext from '../../hooks/useToastContext'; import useToastContext from '../../hooks/useToastContext';
import { getCurrentUserId, isEven } from '../../utils/CommonUtils'; import { getCurrentUserId, isEven } from '../../utils/CommonUtils';
import { serviceTypeLogo } from '../../utils/ServiceUtils'; import { serviceTypeLogo } from '../../utils/ServiceUtils';
import { stringToHTML } from '../../utils/StringsUtils';
import SVGIcons from '../../utils/SvgUtils'; import SVGIcons from '../../utils/SvgUtils';
import { getUsagePercentile } from '../../utils/TableUtils'; import { getUsagePercentile } from '../../utils/TableUtils';
import { getTableTags } from '../../utils/TagsUtils'; import { getTableTags } from '../../utils/TagsUtils';
@ -242,9 +242,11 @@ const DatabaseDetails: FunctionComponent = () => {
</button> </button>
</div> </div>
</div> </div>
<div className="tw-px-3 tw-py-2 tw-overflow-y-auto"> <div className="tw-px-3 tw-pl-5 tw-py-2 tw-overflow-y-auto">
<div data-testid="description" id="description" /> <div data-testid="description" id="description" />
{stringToHTML(description.trim()) || ( {description.trim() ? (
<RichTextEditorPreviewer markdown={description} />
) : (
<span className="tw-no-description"> <span className="tw-no-description">
No description added No description added
</span> </span>
@ -295,7 +297,11 @@ const DatabaseDetails: FunctionComponent = () => {
</Link> </Link>
</td> </td>
<td className="tableBody-cell"> <td className="tableBody-cell">
{stringToHTML(table.description) || ( {table.description ? (
<RichTextEditorPreviewer
markdown={table.description}
/>
) : (
<span className="tw-no-description"> <span className="tw-no-description">
No description added No description added
</span> </span>

View File

@ -31,6 +31,7 @@ import {
removeFollower, removeFollower,
} from '../../axiosAPIs/tableAPI'; } from '../../axiosAPIs/tableAPI';
import PopOver from '../../components/common/popover/PopOver'; import PopOver from '../../components/common/popover/PopOver';
import RichTextEditorPreviewer from '../../components/common/rich-text-editor/RichTextEditorPreviewer';
import TitleBreadcrumb from '../../components/common/title-breadcrumb/title-breadcrumb.component'; import TitleBreadcrumb from '../../components/common/title-breadcrumb/title-breadcrumb.component';
import { TitleBreadcrumbProps } from '../../components/common/title-breadcrumb/title-breadcrumb.interface'; import { TitleBreadcrumbProps } from '../../components/common/title-breadcrumb/title-breadcrumb.interface';
import PageContainer from '../../components/containers/PageContainer'; import PageContainer from '../../components/containers/PageContainer';
@ -53,7 +54,6 @@ import {
getTableFQNFromColumnFQN, getTableFQNFromColumnFQN,
} from '../../utils/CommonUtils'; } from '../../utils/CommonUtils';
import { serviceTypeLogo } from '../../utils/ServiceUtils'; import { serviceTypeLogo } from '../../utils/ServiceUtils';
import { stringToHTML } from '../../utils/StringsUtils';
import SVGIcons from '../../utils/SvgUtils'; import SVGIcons from '../../utils/SvgUtils';
import { import {
getTagsWithoutTier, getTagsWithoutTier,
@ -201,6 +201,8 @@ const MyDataDetailsPage = () => {
setDescription(updatedHTML); setDescription(updatedHTML);
setIsEdit(false); setIsEdit(false);
}); });
} else {
setIsEdit(false);
} }
}; };
@ -442,12 +444,18 @@ const MyDataDetailsPage = () => {
</div> </div>
</div> </div>
<div className="tw-px-3 tw-py-2 tw-overflow-y-auto"> <div className="tw-px-3 tw-py-2 tw-overflow-y-auto">
<div data-testid="description" id="description" /> <div
{stringToHTML(description?.trim()) || ( className="tw-pl-3"
data-testid="description"
id="description">
{description?.trim() ? (
<RichTextEditorPreviewer markdown={description} />
) : (
<span className="tw-no-description"> <span className="tw-no-description">
No description added No description added
</span> </span>
)} )}
</div>
{isEdit && ( {isEdit && (
<ModalWithMarkdownEditor <ModalWithMarkdownEditor
header={`Edit description for ${name}`} header={`Edit description for ${name}`}

View File

@ -24,6 +24,7 @@ import { Link, useParams } from 'react-router-dom';
import { getDatabases } from '../../axiosAPIs/databaseAPI'; import { getDatabases } from '../../axiosAPIs/databaseAPI';
import { getServiceByFQN, updateService } from '../../axiosAPIs/serviceAPI'; import { getServiceByFQN, updateService } from '../../axiosAPIs/serviceAPI';
import NextPrevious from '../../components/common/next-previous/NextPrevious'; import NextPrevious from '../../components/common/next-previous/NextPrevious';
import RichTextEditorPreviewer from '../../components/common/rich-text-editor/RichTextEditorPreviewer';
import TitleBreadcrumb from '../../components/common/title-breadcrumb/title-breadcrumb.component'; import TitleBreadcrumb from '../../components/common/title-breadcrumb/title-breadcrumb.component';
import { TitleBreadcrumbProps } from '../../components/common/title-breadcrumb/title-breadcrumb.interface'; import { TitleBreadcrumbProps } from '../../components/common/title-breadcrumb/title-breadcrumb.interface';
import PageContainer from '../../components/containers/PageContainer'; import PageContainer from '../../components/containers/PageContainer';
@ -33,7 +34,6 @@ import { pagingObject } from '../../constants/constants';
import useToastContext from '../../hooks/useToastContext'; import useToastContext from '../../hooks/useToastContext';
import { isEven } from '../../utils/CommonUtils'; import { isEven } from '../../utils/CommonUtils';
import { serviceTypeLogo } from '../../utils/ServiceUtils'; import { serviceTypeLogo } from '../../utils/ServiceUtils';
import { stringToHTML } from '../../utils/StringsUtils';
import SVGIcons from '../../utils/SvgUtils'; import SVGIcons from '../../utils/SvgUtils';
import { getUsagePercentile } from '../../utils/TableUtils'; import { getUsagePercentile } from '../../utils/TableUtils';
@ -156,9 +156,11 @@ const ServicePage: FunctionComponent = () => {
</button> </button>
</div> </div>
</div> </div>
<div className="tw-px-3 tw-py-2 tw-overflow-y-auto"> <div className="tw-px-3 tw-pl-5 tw-py-2 tw-overflow-y-auto">
<div data-testid="description" id="description" /> <div data-testid="description" id="description" />
{stringToHTML(description.trim()) || ( {description.trim() ? (
<RichTextEditorPreviewer markdown={description} />
) : (
<span className="tw-no-description"> <span className="tw-no-description">
No description added No description added
</span> </span>
@ -207,7 +209,11 @@ const ServicePage: FunctionComponent = () => {
</Link> </Link>
</td> </td>
<td className="tableBody-cell"> <td className="tableBody-cell">
{stringToHTML(database.description?.trim()) || ( {database.description?.trim() ? (
<RichTextEditorPreviewer
markdown={database.description}
/>
) : (
<span className="tw-no-description"> <span className="tw-no-description">
No description added No description added
</span> </span>

View File

@ -23,14 +23,14 @@ import React, {
useRef, useRef,
useState, useState,
} from 'react'; } from 'react';
import { MarkdownWithPreview } from '../../components/common/editor/MarkdownWithPreview'; import MarkdownWithPreview from '../../components/common/editor/MarkdownWithPreview';
import { TagsCategory } from './tagsTypes'; import { TagsCategory } from './tagsTypes';
type FormProp = { type FormProp = {
saveData: (value: {}) => void; saveData: (value: {}) => void;
initialData: TagsCategory; initialData: TagsCategory;
}; };
type MarkdownRef = { type EditorContentRef = {
fetchUpdatedHTML: () => string; getEditorContent: () => string;
}; };
const Form: React.FC<FormProp> = forwardRef( const Form: React.FC<FormProp> = forwardRef(
({ saveData, initialData }, ref): JSX.Element => { ({ saveData, initialData }, ref): JSX.Element => {
@ -39,7 +39,7 @@ const Form: React.FC<FormProp> = forwardRef(
description: initialData.description, description: initialData.description,
categoryType: initialData.categoryType, categoryType: initialData.categoryType,
}); });
const markdownRef = useRef<MarkdownRef>(); const markdownRef = useRef<EditorContentRef>();
const onChangeHadler = ( const onChangeHadler = (
e: React.ChangeEvent<HTMLInputElement | HTMLSelectElement> e: React.ChangeEvent<HTMLInputElement | HTMLSelectElement>
) => { ) => {
@ -54,7 +54,7 @@ const Form: React.FC<FormProp> = forwardRef(
useImperativeHandle(ref, () => ({ useImperativeHandle(ref, () => ({
fetchMarkDownData() { fetchMarkDownData() {
return markdownRef.current?.fetchUpdatedHTML(); return markdownRef.current?.getEditorContent();
}, },
})); }));
@ -81,8 +81,8 @@ const Form: React.FC<FormProp> = forwardRef(
name="categoryType" name="categoryType"
value={data.categoryType} value={data.categoryType}
onChange={onChangeHadler}> onChange={onChangeHadler}>
<option value="DESCRIPTIVE">Descriptive </option> <option value="Descriptive">Descriptive </option>
<option value="CLASSIFICATION">Classification</option> <option value="Classification">Classification</option>
</select> </select>
</div> </div>
)} )}
@ -105,11 +105,7 @@ const Form: React.FC<FormProp> = forwardRef(
<label className="tw-form-label required-field"> <label className="tw-form-label required-field">
Description Description
</label> </label>
<MarkdownWithPreview <MarkdownWithPreview ref={markdownRef} value={data.description} />
editorRef={(Ref: MarkdownRef) => (markdownRef.current = Ref)}
placeholder="Description"
value={data.description}
/>
</div> </div>
</div> </div>
</div> </div>

View File

@ -27,6 +27,7 @@ import {
updateTagCategory, updateTagCategory,
} from '../../axiosAPIs/tagAPI'; } from '../../axiosAPIs/tagAPI';
import { Button } from '../../components/buttons/Button/Button'; import { Button } from '../../components/buttons/Button/Button';
import RichTextEditorPreviewer from '../../components/common/rich-text-editor/RichTextEditorPreviewer';
import PageContainer from '../../components/containers/PageContainer'; import PageContainer from '../../components/containers/PageContainer';
import Loader from '../../components/Loader/Loader'; import Loader from '../../components/Loader/Loader';
import FormModal from '../../components/Modals/FormModal'; import FormModal from '../../components/Modals/FormModal';
@ -34,7 +35,6 @@ import { ModalWithMarkdownEditor } from '../../components/Modals/ModalWithMarkdo
import TagsContainer from '../../components/tags-container/tags-container'; import TagsContainer from '../../components/tags-container/tags-container';
import Tags from '../../components/tags/tags'; import Tags from '../../components/tags/tags';
import { isEven } from '../../utils/CommonUtils'; import { isEven } from '../../utils/CommonUtils';
import { stringToDOMElement } from '../../utils/StringsUtils';
import SVGIcons from '../../utils/SvgUtils'; import SVGIcons from '../../utils/SvgUtils';
import { getTagCategories, getTaglist } from '../../utils/TagsUtils'; import { getTagCategories, getTaglist } from '../../utils/TagsUtils';
import Form from './Form'; import Form from './Form';
@ -154,12 +154,6 @@ const TagsPage = () => {
setEditTag(undefined); setEditTag(undefined);
}; };
const getDescription = (description: string) => {
const desc = stringToDOMElement(description).textContent;
return desc && desc.length > 1 ? desc : 'No description added';
};
useEffect(() => { useEffect(() => {
fetchCategories(); fetchCategories();
}, []); }, []);
@ -237,10 +231,18 @@ const TagsPage = () => {
</button> </button>
</div> </div>
</div> </div>
<div className="tw-px-3 tw-py-2 tw-overflow-y-auto"> <div className="tw-px-3 tw-pl-5 tw-py-2 tw-overflow-y-auto">
{currentCategory && ( {currentCategory && (
<div data-testid="description" id="description"> <div data-testid="description" id="description">
{getDescription(currentCategory.description)} {currentCategory.description.trim() ? (
<RichTextEditorPreviewer
markdown={currentCategory.description}
/>
) : (
<span className="tw-no-description">
No description added
</span>
)}
{isEditCategory && ( {isEditCategory && (
<ModalWithMarkdownEditor <ModalWithMarkdownEditor
header={`Edit description for ${currentCategory.name}`} header={`Edit description for ${currentCategory.name}`}
@ -286,8 +288,16 @@ const TagsPage = () => {
setIsEditTag(true); setIsEditTag(true);
setEditTag(tag); setEditTag(tag);
}}> }}>
<div className="child-inline tw-cursor-pointer hover:tw-underline"> <div className="tw-cursor-pointer hover:tw-underline">
{getDescription(tag.description)} {tag.description ? (
<RichTextEditorPreviewer
markdown={tag.description}
/>
) : (
<span className="tw-no-description">
No description added
</span>
)}
<button className="tw-opacity-0 tw-ml-1 group-hover:tw-opacity-100 focus:tw-outline-none"> <button className="tw-opacity-0 tw-ml-1 group-hover:tw-opacity-100 focus:tw-outline-none">
<SVGIcons <SVGIcons
alt="edit" alt="edit"
@ -375,7 +385,7 @@ const TagsPage = () => {
initialData={{ initialData={{
name: '', name: '',
description: '', description: '',
categoryType: 'DESCRIPTIVE', categoryType: 'Descriptive',
}} }}
onCancel={() => setIsAddingCategory(false)} onCancel={() => setIsAddingCategory(false)}
onSave={(data) => createCategory(data)} onSave={(data) => createCategory(data)}

View File

@ -19,3 +19,7 @@
/// <reference types="react-scripts" /> /// <reference types="react-scripts" />
declare module 'classnames'; declare module 'classnames';
declare module 'react-js-pagination'; declare module 'react-js-pagination';
declare module 'draft-js';
declare module 'react-draft-wysiwyg';
declare module 'markdown-draft-js';
declare module 'react-syntax-highlighter';

View File

@ -219,4 +219,13 @@
.tw-form-label { .tw-form-label {
@apply tw-block tw-text-body tw-font-normal tw-text-grey-body tw-mb-2; @apply tw-block tw-text-body tw-font-normal tw-text-grey-body tw-mb-2;
} }
body .content-container h1,
body .content-container h2 {
@apply tw-text-h3;
}
body .editor-wrapper ul,
body #description ul,
body .content-container ul {
@apply tw-list-disc;
}
} }

View File

@ -680,3 +680,15 @@
-webkit-line-clamp: 3; -webkit-line-clamp: 3;
-webkit-box-orient: vertical; -webkit-box-orient: vertical;
} }
blockquote {
border-left: 5px solid #f1f1f1;
padding-left: 5px;
}
strong {
font-weight: bold;
}
body .rdw-editor-main pre {
background: none;
}

View File

@ -45,3 +45,21 @@ export const ordinalize = (num: number): string => {
return num + ordinalSuffix; return num + ordinalSuffix;
}; };
export const getJSONFromString = (data: string): string | null => {
try {
// Format string if possible and return valid JSON
return JSON.parse(data);
} catch (e) {
// Invalid JSON, return null
return null;
}
};
export const isValidJSONString = (data?: string): boolean => {
if (data) {
return Boolean(getJSONFromString(data));
}
return false;
};

View File

@ -6,7 +6,7 @@
"incremental": true, "incremental": true,
"target": "ES5", "target": "ES5",
"module": "esnext", "module": "esnext",
"lib": ["dom", "dom.iterable", "ES2020.Promise"], "lib": ["dom", "dom.iterable", "ES2020.Promise", "es2021"],
"allowJs": true, "allowJs": true,
"jsx": "react", "jsx": "react",
"declaration": true, "declaration": true,

View File

@ -115,6 +115,7 @@ module.exports = {
fallback: { fallback: {
http: require.resolve('stream-http'), http: require.resolve('stream-http'),
https: require.resolve('https-browserify'), https: require.resolve('https-browserify'),
path: require.resolve('path-browserify'),
}, },
}, },

View File

@ -116,6 +116,7 @@ module.exports = {
fallback: { fallback: {
http: require.resolve('stream-http'), http: require.resolve('stream-http'),
https: require.resolve('https-browserify'), https: require.resolve('https-browserify'),
path: require.resolve('path-browserify'),
}, },
}, },