App.js 28 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656
  1. import React, {useState, useEffect, useMemo, useRef, Fragment} from 'react';
  2. import logo from './logo.svg';
  3. import './App.css';
  4. import Select from 'react-select/async'
  5. import {sortableContainer, sortableElement} from 'react-sortable-hoc';
  6. import Dropzone from 'react-dropzone'
  7. import {buildAST, toReact, getTimeCodes, getTimeCodeFromSeconds} from 'mdast';
  8. import { GraphQLClient } from 'graphql-request';
  9. import createModels2 from './front-models.mjs'
  10. import AceEditor from 'react-ace';
  11. import "ace-builds/src-noconflict/mode-markdown";
  12. import "ace-builds/src-noconflict/theme-github";
  13. Object.defineProperty(HTMLMediaElement.prototype, 'playing', {
  14. get: function(){
  15. return !!(this.currentTime > 0 && !this.paused && !this.ended && this.readyState > 2);
  16. }
  17. })
  18. let gql;
  19. const getGQL = () => new GraphQLClient(localStorage.url + 'graphql', {headers: localStorage.authToken ? {Authorization: 'Bearer '+localStorage.authToken} : {}})
  20. if (localStorage.authToken && localStorage.url){
  21. gql = getGQL()
  22. }
  23. const ShortName = ({record, options}) => {
  24. if (record && record.constructor)
  25. if (options.view.relations[record.constructor.name]){
  26. const Formatter = options.view.relations[record.constructor.name]
  27. return <Formatter options={options}>{record}</Formatter>
  28. }
  29. return (<>{record && (record.name || record.key || record.login || record.originalFileName || record._id)}</>)
  30. }
  31. const EditFormRow = ({field, models={}, value, options=defaultAdminOptions, record, onChange}) => {
  32. return (
  33. <tr>
  34. <th>{field.name}</th>
  35. <td><Cell models={models} model={getModelByField(field, models)} options={options} record={record} field={field} selected onChange={onChange}>{value}</Cell></td>
  36. </tr>
  37. )
  38. }
  39. const EditForm = ({record, models={}, model, options=defaultAdminOptions, Components:{EditFormRow:EFR}={EditFormRow}}) => {
  40. const [edit, setEdit] = useState({...record})
  41. useEffect(() => {
  42. if (record && record.empty){
  43. record.then(() => setEdit({...record}))
  44. }
  45. },[])
  46. if (!record) return <></>
  47. if (!record.save || !record._id){
  48. Object.assign(record, edit)
  49. }
  50. const fields = model.fields
  51. const onlyInputs = model.inputs.filter(input => !fields.find(field => field.name === input.name))
  52. return (
  53. <>
  54. <table>
  55. <tbody>
  56. {Object.entries(fields).map(([key,field]) => <EFR key={key} field={field}
  57. models={models}
  58. record={record}
  59. value={edit[field.name]}
  60. options={options}
  61. onChange={event => {
  62. setEdit({...edit, [field.name]: event && event.target ? event.target.value : event})
  63. }}
  64. />)}
  65. {Object.entries(onlyInputs).map(([key,field]) => <EFR key={key} field={field}
  66. models={models}
  67. record={record}
  68. value={edit[field.name]}
  69. options={options}
  70. onChange={event => setEdit({...edit, [field.name]: event && event.target ? event.target.value : event})}
  71. />)}
  72. </tbody>
  73. </table>
  74. {record._id && record.save &&
  75. <button onClick={async () => {
  76. await record;
  77. Object.assign(record, edit);
  78. record.save()
  79. }}>
  80. Save
  81. </button>}
  82. </>
  83. )
  84. }
  85. const Row = ({top, selected, children}) => {
  86. console.log('row')
  87. return (
  88. <>
  89. <div className={`Row ${selected ? 'selected' : ''}` } >
  90. {children}
  91. </div>
  92. </>
  93. )
  94. }
  95. const Cell = ({children, options, record, field, selected, model, models={}, onClick, ...props}) => {
  96. const columnWidths = getColumnWidths(record.constructor.name, field.name)
  97. let Formatter = React.Fragment
  98. const type = (children && typeof children === 'object' && children.constructor) || model
  99. const viewOrEdit = (!record.constructor.inputs || record.constructor.inputs.some(input => input.name === field.name)) && selected ? 'edit' : 'view'
  100. const typeName = field.type.name || field.type.ofType.name
  101. if (typeName in options[viewOrEdit].formatters){
  102. Formatter = options[viewOrEdit].formatters[typeName]
  103. }
  104. if (field.name in options[viewOrEdit].fields){
  105. Formatter = options[viewOrEdit].fields[field.name]
  106. }
  107. if (type){
  108. if (type.name in options[viewOrEdit].formatters)
  109. Formatter = options[viewOrEdit].formatters[type.name]
  110. else
  111. Formatter = options[viewOrEdit].formatters.Object
  112. }
  113. return(
  114. <div className='Cell' onClick={onClick}
  115. style={{width: columnWidths[localStorage.url][record.constructor.name][field.name] + '%'}} >
  116. <Formatter record={record} options={options} model={model} models={models} {...props} field={field}>
  117. {Formatter === React.Fragment ? (children && children.toString()) : children}
  118. </Formatter>
  119. </div>
  120. )
  121. }
  122. const ModelListItem = "div"
  123. const ModelList = ({models, selected, onChange, Item=ModelListItem}) => {
  124. return (
  125. <aside>
  126. {Object.entries(models).map(([name, model]) => {
  127. return (
  128. <Item key={name}
  129. selected={name === selected}
  130. className={name === selected ? "selected" : undefined}
  131. onClick = {() => onChange(name)}
  132. >
  133. {name}
  134. </Item>
  135. )
  136. })}
  137. </aside>
  138. )
  139. }
  140. const Search = ({...props}) =>
  141. <input placeholder="Search..." {...props} className="Search"/>
  142. const Count = ({...props}) => <div className="Count" {...props} />
  143. const searchQueryBuilder = (search, model) => {
  144. if (!search) return {}
  145. const queryRegexp = `/${search.trim().split(/\s+/).join('|')}/`
  146. return {$or: model.fields.filter(field => field.type.kind == 'SCALAR').map(field => ({[field.name]: queryRegexp}))}
  147. }
  148. const getColumnWidths = (mn, fn) => {
  149. const columnWidths = JSON.parse(localStorage.columnWidths || '{}')
  150. if (!columnWidths[localStorage.url]) columnWidths[localStorage.url] = {}
  151. if (!columnWidths[localStorage.url][mn]) columnWidths[localStorage.url][mn] = {}
  152. if (!columnWidths[localStorage.url][mn][fn]) columnWidths[localStorage.url][mn][fn] = 100
  153. return columnWidths;
  154. }
  155. const GridHeaderItem = ({field, sort:[sort], model, onWheel, ...props}) => {
  156. const columnWidths = getColumnWidths(model.name, field.name)
  157. return (
  158. <div className="GridHeaderItem"
  159. onWheel={e => {
  160. const columnWidths = getColumnWidths(model.name, field.name)
  161. columnWidths[localStorage.url][model.name][field.name] += e.deltaY > 0 ? 5 : -5
  162. localStorage.columnWidths = JSON.stringify(columnWidths)
  163. onWheel()
  164. }}
  165. {...props} style={{width: columnWidths[localStorage.url][model.name][field.name] + '%'}}>
  166. {field.name in sort && sort[field.name] === -1 && '^ '}
  167. {field.name}
  168. {field.name in sort && sort[field.name] === 1 && ' v'}
  169. </div>)
  170. }
  171. const GridHeader = ({fields, sort, onSort, onWheel, model}) =>
  172. <div className="GridHeader">
  173. {fields.map(field => <GridHeaderItem model={model} key={field.name} field={field} sort={sort} onClick={() => onSort(field.name)} onWheel={onWheel}/>)}
  174. </div>
  175. const getModelByField = (field, models={}) => {
  176. if (field.type.kind === 'OBJECT') {
  177. return models[field.type.name]
  178. }
  179. if (field.type.kind === 'LIST') return models[field.type.ofType.name]
  180. }
  181. const VirtualScroll = ({options, gridHeight, count, rowHeight, onScroll, records, skip, models={}}) => {
  182. const limit = gridHeight/rowHeight
  183. //const {Row, Cell} = Components
  184. const [edit, setEdit] = useState({field: null, record: null})
  185. useEffect(() => setEdit({field: null, record: null}), [records])
  186. const fields = records && records[0] && records[0].constructor.fields
  187. //console.log(Fragment, Row)
  188. return (
  189. <>
  190. <div className='GridViewport'
  191. style={{maxHeight: gridHeight, height: gridHeight}} >
  192. <div className='GridContent'
  193. style={{height: count*rowHeight, minHeight: count*rowHeight, maxHeight: count*rowHeight}} >
  194. {records && records.map((record,i) =><Fragment key={record && record._id || i}>
  195. {edit.record && edit.record._id === record._id ? <EditForm model={record.constructor} models={models} record={record} options={options}/>:
  196. <Row options={options}>
  197. {fields.map(field =>
  198. <Cell models={models} model={getModelByField(field, models)} record={record} key={field.name} field={field} options={options}
  199. onClick={() => setEdit({record: {...record}, field})}>
  200. {record[field.name]}
  201. </Cell>)}
  202. </Row>}
  203. </Fragment>
  204. )}
  205. </div>
  206. </div>
  207. </>
  208. )
  209. }
  210. const ModelView = ({model, models={}, options, components:Components={Search, Count, GridHeader, Grid:VirtualScroll}, rowHeight=150, gridHeight=500, overload=2}) => {
  211. const [records, setRecords] = useState([])
  212. const [wheel, setWheel] = useState([])
  213. const [search, setSearch] = useState("")
  214. const [count, setCount] = useState(0)
  215. const [query, setQuery] = useState({})
  216. const [cursorCalls, setCursorCalls] = useState({sort:[{}], skip: [0]/*, limit: [gridHeight/rowHeight]*/})
  217. const skip = cursorCalls.skip[0]
  218. console.log(cursorCalls)
  219. useEffect(() => {
  220. model.count(query, cursorCalls).then(count => setCount(count))
  221. model.find(query, cursorCalls).then(records => Promise.all(records)).then(records => setRecords(records))
  222. }, [query, model, cursorCalls])
  223. const timeout = useRef(0)
  224. useEffect(() => {
  225. clearInterval(timeout.current)
  226. if (!search)
  227. setQuery(searchQueryBuilder(search, model))
  228. else {
  229. timeout.current = setTimeout(() => {
  230. setQuery(searchQueryBuilder(search, model))
  231. },1000)
  232. }
  233. },[search, model])
  234. //console.log(Components)
  235. //
  236. const Add = options.add[model.name] || "button"
  237. return (
  238. <>
  239. <Components.Search options={options} value={search} onChange={({target: {value}}) => setSearch(value)}/>
  240. <Components.Count options={options}>
  241. {count}
  242. </Components.Count>
  243. <Components.GridHeader fields={model.fields}
  244. sort={cursorCalls.sort}
  245. onWheel={() => setWheel(Math.random())}
  246. onSort={sort => setCursorCalls({...cursorCalls,
  247. sort: [{[sort]: cursorCalls.sort[0][sort] === 1 ? -1 : 1}]
  248. })}
  249. model={model}
  250. />
  251. <Add onClick={() => {
  252. if (Add === 'button') (new model).save()
  253. setCursorCalls({...cursorCalls, sort: [{_id: -1}]})
  254. setSearch('')
  255. }} model={model}>+</Add>
  256. {records && <Components.Grid
  257. models={models}
  258. options={options}
  259. skip={skip}
  260. count={count}
  261. records={records}
  262. gridHeight={700}
  263. rowHeight={50}
  264. onScroll={(skip, limit) => {
  265. limit = undefined;
  266. model.find(query, {...cursorCalls, limit: [limit], skip: [skip]}).then(records => Promise.all(records)).then(records => setRecords(records)).then(() =>
  267. setCursorCalls({...cursorCalls, limit: [limit], skip: [skip]}))
  268. }}/> }
  269. </>
  270. )
  271. }
  272. const ObjectShortView = ({children, options}) => {
  273. const [record, setRecord] = useState(children)
  274. if (!children) return <></>
  275. if (typeof children === 'object' && 'then' in children){
  276. children.then(child => setRecord({...child}))
  277. }
  278. if (typeof children === 'object' && children._id){
  279. return (
  280. <div className="ObjectShortView">
  281. <ShortName record={record} options={options}/>
  282. </div>
  283. )
  284. }
  285. else {
  286. return (
  287. <pre>
  288. {JSON.stringify(record, null, 4)}
  289. </pre>
  290. )
  291. }
  292. }
  293. const ForeignAutocomplete = ({models={}, children:value, onChange, model, options={}}) => {
  294. return (
  295. <Select cacheOptions
  296. defaultOptions
  297. placeholder={model.name}
  298. loadOptions={async search => {
  299. const suggesions = await model.find(searchQueryBuilder(search, model)) || []
  300. return [{_id: null, key: 'REMOVE'}, ...suggesions]//.filter(record => !exclude.find(e => (e === record._id) || (e._id === record._id)))
  301. .map((record) => ({value: record._id, label: <ShortName record={record} options={options}/>, record}))
  302. }}
  303. value={value && {value: value._id, label: <ShortName record={value} options={options}/>, record: value}}
  304. onChange={(obj) => {
  305. onChange(obj.record._id ? obj.record : null)
  306. }}
  307. />
  308. )
  309. }
  310. const ObjectShortEdit = ({...props}) =>
  311. <>
  312. <ForeignAutocomplete {...props}/>
  313. </>
  314. const SortableCell = sortableElement(({onAdd, onDelete, onCh, ...props}) =>
  315. <div className='SortableCell'>
  316. <button onClick={onAdd}>+</button>
  317. <button onClick={onDelete}>x</button>
  318. <Cell onChange={onCh} {...props} />
  319. </div>)
  320. const SortableContainer = sortableContainer(({children}) => {
  321. return <div>{children}</div>;
  322. });
  323. const arrayMove = (arr, newIndex, oldIndex) => {
  324. const withoutOld = arr.filter((item, i) => i !== oldIndex)
  325. return [...withoutOld.slice(0, newIndex), arr[oldIndex], ...withoutOld.slice(newIndex)]
  326. }
  327. const MDEdit = ({children, field, onChange, ...props}) => {
  328. const ref = useRef()
  329. return (
  330. <div style={{display: 'flex'}} ref={ref}>
  331. <AceEditor
  332. mode="markdown"
  333. width='100%'
  334. height='400px'
  335. theme='github'
  336. fontFamily="TerminusTTF"
  337. fontSize={15}
  338. enableBasicAutocompletion={true}
  339. enableLiveAutocompletion={true}
  340. style={{maxWidth: '50%', height: '400px'}}
  341. placeholder={field.name}
  342. value={children}
  343. onChange={onChange}
  344. onLoad = {e => e.getSession().setUseWrapMode(true)}
  345. {...props}
  346. />
  347. <div style={{maxWidth: '50%', height: '400px', overflow: 'auto'}}>
  348. <button onClick={()=>{
  349. const videos = [...document.querySelectorAll('video')]
  350. const playing = videos.find(v => v.playing)
  351. if (playing){
  352. let {currentTime} = playing
  353. currentTime -=2
  354. currentTime = currentTime < 0 ? 0 : currentTime
  355. const ast = buildAST(children)
  356. let timeCodes = getTimeCodes(ast)
  357. console.log(currentTime, timeCodes)
  358. let second, hash;
  359. for ([second, hash] of Object.entries(timeCodes)){
  360. if (second > currentTime){
  361. console.log(hash)
  362. break;
  363. }
  364. else hash = ''
  365. }
  366. let newLine;
  367. if (hash){
  368. const line = children.match(new RegExp(`\\n(#{1,6}).*${hash}.*\\n`))
  369. if (line){
  370. newLine = `\n${line[1]} [#${getTimeCodeFromSeconds(currentTime)}]\n`
  371. onChange(children.slice(0, line.index) + newLine + children.slice(line.index) )
  372. }
  373. }
  374. else {
  375. newLine = `\n# [#${getTimeCodeFromSeconds(currentTime)}]\n`
  376. onChange(children + newLine)
  377. }
  378. }
  379. }}>Timecode</button>
  380. {toReact(buildAST(children), React)}
  381. </div>
  382. </div>)
  383. }
  384. const MD = ({children}) =>
  385. <div >
  386. {toReact(buildAST(children), React)}
  387. </div>
  388. const defaultAdminOptions =
  389. {
  390. view: {
  391. formatters:{
  392. ID: ({children}) => <b>{children && children.slice(-6).toUpperCase()}</b>,
  393. String: ({children}) => <MD>{children && children.length > 100 ? children.slice(0,100) + '...' : children}</MD>,
  394. Object: ObjectShortView,
  395. Array: ({children, ...props}) => <>{children.map((child,i) => <ObjectShortView key={child && (child._id || child.key || child.name) || i} children={child} {...props}/>)}</>
  396. },
  397. fields:{
  398. createdAt: ({children}) => <>{new Date(+children).toISOString()}</> ,
  399. url: ({children,record}, type, url) => <>
  400. {(url = localStorage.url + record.url), null}
  401. {(type = (record.mimeType && record.mimeType.split('/')[0]) || 'image') === 'image' ?
  402. <img className="rowView" src={url}/> :
  403. <video className="rowView" autoplay controls>
  404. <source src={url}/>
  405. </video>}
  406. <a href={children} className='Media'>
  407. {children}
  408. </a></>,
  409. color: (props) => <span style={{backgroundColor: props.value}}>{props.value}</span>,
  410. size: ({children}) => <>{(['B', 'K','M','G','T'].reduce((result, letter, i, value) => result ? result : (value = (children/1024**i)) < 1024 ? `${value.toFixed(2)} ${letter}`: '', ''))}</>
  411. },
  412. relations: {
  413. Image: ({children}) => <span className="ImageRelation"><img src={localStorage.url + children.url}/>{children.originalFileName}</span>,
  414. Content: ({children}) => <span className="ImageRelation"><img src={localStorage.url + children.url}/>{children.name || children.originalFileName}</span>,
  415. OrderGood: ({children}) => {
  416. const [good, setGood] = useState()
  417. if (children.good.then) children.good.then(() => setGood(Math.random()))
  418. return (
  419. <>
  420. {children.good.name}<br/>
  421. {children.optionValueKeys.join(' / ')}<br/>
  422. {children.count}<br/>
  423. {children.total}
  424. </>
  425. )
  426. }
  427. },
  428. models: {
  429. }
  430. },
  431. edit: {
  432. formatters:{
  433. ID: ({children}) => <b>{children && children.slice(-6).toUpperCase()}</b>,
  434. String: ({children, field, ...props}) => (typeof children === 'string' && children.includes('\n') ?
  435. <textarea placeholder={field.name} value={children} {...props}/> :
  436. <><input placeholder={field.name} value={children} {...props} />
  437. <button onClick={() => props.onChange && props.onChange((children || '') + '\n')}>V</button> </> ),
  438. Int: ({children, onChange, ...props}) => <input type='number' value={children} onChange={e => onChange(+e.target.value)} {...props}/>,
  439. Float: ({children, ...props}) => <input type='number' value={children} {...props} onChange={(e) => props.onChange(+e.target.value)}/>,
  440. Object: ({children, options, model, models, ...props}) => {
  441. return model.fields[0].name === '_id' ? <ObjectShortEdit children={children} options={options} model={model} {...props}/> : <EditForm model={model} models={models} record={children} options={options} />
  442. },
  443. Array: ({children, onChange, model, ...props}) => {
  444. const newItem = !model || (model && model.fields[0].name === '_id') ? null : new model
  445. return (<><SortableContainer
  446. pressDelay={200}
  447. onSortEnd={({newIndex, oldIndex}) => {
  448. onChange(arrayMove(children, newIndex, oldIndex))
  449. }}>{children.map((child, i) =>
  450. <SortableCell onDelete={() => onChange(children.filter((item, j) => j !== i))}
  451. onAdd={() => onChange([...children.slice(0, i),newItem,...children.slice(i)])}
  452. index={i} key={(child && (child._id || child.key || child.name)) || i} model={model} {...props} children={child} selected
  453. onCh={data => {
  454. data = (data && data.target) ? data.target.value : data
  455. console.log(data, children)
  456. if (!children.find(record => record && record._id && record._id === data._id)){
  457. const copy = [...children]
  458. copy[i] = data
  459. onChange(copy)
  460. }
  461. }}
  462. />)}
  463. </SortableContainer>
  464. <button onClick={() => onChange([...children, newItem])}>+</button></>)
  465. }
  466. },
  467. fields:{
  468. createdAt: ({children}) => <input value={new Date(+children).toISOString()} />,
  469. url: ({children}) => <a href={children}>{children}</a>,
  470. color:({children, ...props}) => <input type='color' value={children} {...props}/>,
  471. md: MDEdit,
  472. text: MDEdit,
  473. content: MDEdit,
  474. description: MDEdit,
  475. },
  476. models: {
  477. }
  478. },
  479. add: {
  480. Content({model, onClick}){
  481. return (
  482. <Dropzone onDrop={async acceptedFiles => {
  483. await Promise.all(acceptedFiles.map(file => {
  484. const body = new FormData
  485. body.append('upload',file)
  486. fetch(`${localStorage.url}upload`, {
  487. method: "POST",
  488. headers: localStorage.authToken ? {Authorization: 'Bearer ' + localStorage.authToken} : {},
  489. body
  490. })
  491. }))
  492. onClick()
  493. }
  494. }>
  495. {({getRootProps, getInputProps}) => (
  496. <section className='drop'>
  497. <div {...getRootProps()}>
  498. <input {...getInputProps()} />
  499. <p>Drag 'n' drop some files here, or click to select files</p>
  500. </div>
  501. </section>
  502. )}
  503. </Dropzone>
  504. )
  505. },
  506. Image(...params){
  507. return defaultAdminOptions.add.Content(...params)
  508. }
  509. }
  510. }
  511. const Admin = ({models, components:{ModelList:ML=ModelList, Search:S=Search, ModelListItem:MLI=ModelListItem, ModelView:MV=ModelView, Count:C=Count, GridHeader:GH=GridHeader, Grid:G=VirtualScroll}={},
  512. options=defaultAdminOptions
  513. }) => {
  514. const [selected, setSelected] = useState()
  515. const mergedOptions = {...defaultAdminOptions, ...options}
  516. return (
  517. <>
  518. <ML Item={MLI} models={models} onChange={(name) => setSelected(name)} selected={selected}/>
  519. <content>
  520. {selected && <MV models={models} options={mergedOptions} model={models[selected]} components={{Search: S, Count: C, GridHeader:GH, Grid:G}} /> }
  521. </content>
  522. </>
  523. )
  524. }
  525. const LoginForm = ({onLogin}) => {
  526. const [url, setUrl] = useState(localStorage.url)
  527. const [login, setLogin] = useState('')
  528. const [password, setPassword] = useState('')
  529. return (
  530. <>
  531. <input placeholder="url" value={url} onChange={e => setUrl(e.target.value)}/>
  532. <input placeholder='login' value={login} onChange={e => setLogin(e.target.value)}/>
  533. <input type='password' placeholder='password' value={password} onChange={e => setPassword(e.target.value)}/>
  534. <button onClick={() => {
  535. onLogin({url, login, password})
  536. }}>Login</button>
  537. </>
  538. )
  539. }
  540. function App() {
  541. let [models, setModels] = useState()
  542. models || createModels2(gql).then(models => setModels(models))
  543. const classes = models
  544. return (
  545. <>
  546. <LoginForm onLogin={async ({url, login, password}) => {
  547. let gql = new GraphQLClient(url + 'graphql')
  548. let token = await gql.request(`query login ($login: String, $password: String){
  549. login(login: $login, password: $password)
  550. }`, {login, password})
  551. if (token.login){
  552. localStorage.authToken = token.login
  553. localStorage.url = url
  554. }
  555. else {
  556. localStorage.removeItem('authToken')
  557. }
  558. gql = getGQL()
  559. createModels2(gql).then(models => setModels(models))
  560. }}/>
  561. <div className="App">
  562. {models && <Admin models={models} />}
  563. </div>
  564. </>
  565. );
  566. }
  567. export default App;