Spaces:
Running
Running
File size: 22,705 Bytes
a62d4c5 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 |
/* eslint-disable jsx-a11y/click-events-have-key-events */
/* eslint-disable jsx-a11y/no-static-element-interactions */
import { DownloadIcon, EyeIcon, ViewBoardsIcon } from '@heroicons/react/outline'
import { useCallback, useEffect, useState, useRef, useMemo } from 'react'
import { useWindowSize } from 'react-use'
import inpaint from './adapters/inpainting'
import superResolution from './adapters/superResolution'
import Button from './components/Button'
import Slider from './components/Slider'
import { downloadImage, loadImage, useImage } from './utils'
import Progress from './components/Progress'
import { modelExists, downloadModel } from './adapters/cache'
import Modal from './components/Modal'
import * as m from './paraglide/messages'
interface EditorProps {
file: File
}
interface Line {
size?: number
pts: { x: number; y: number }[]
src: string
}
function drawLines(
ctx: CanvasRenderingContext2D,
lines: Line[],
color = 'rgba(255, 0, 0, 0.5)'
) {
ctx.strokeStyle = color
ctx.lineCap = 'round'
ctx.lineJoin = 'round'
lines.forEach(line => {
if (!line?.pts.length || !line.size) {
return
}
ctx.lineWidth = line.size
ctx.beginPath()
ctx.moveTo(line.pts[0].x, line.pts[0].y)
line.pts.forEach(pt => ctx.lineTo(pt.x, pt.y))
ctx.stroke()
})
}
const BRUSH_HIDE_ON_SLIDER_CHANGE_TIMEOUT = 2000
export default function Editor(props: EditorProps) {
const { file } = props
const [brushSize, setBrushSize] = useState(40)
const [original, isOriginalLoaded] = useImage(file)
const [renders, setRenders] = useState<HTMLImageElement[]>([])
const [context, setContext] = useState<CanvasRenderingContext2D>()
const [maskCanvas] = useState<HTMLCanvasElement>(() => {
return document.createElement('canvas')
})
const [lines, setLines] = useState<Line[]>([{ pts: [], src: '' }])
const brushRef = useRef<HTMLDivElement>(null)
const [showBrush, setShowBrush] = useState(false)
const [hideBrushTimeout, setHideBrushTimeout] = useState(0)
const [showOriginal, setShowOriginal] = useState(false)
const [isInpaintingLoading, setIsProcessingLoading] = useState(false)
const [generateProgress, setGenerateProgress] = useState(0)
const modalRef = useRef(null)
const [separator, setSeparator] = useState<HTMLDivElement>()
const [useSeparator, setUseSeparator] = useState(false)
const [originalImg, setOriginalImg] = useState<HTMLDivElement>()
const [separatorLeft, setSeparatorLeft] = useState(0)
const historyListRef = useRef<HTMLDivElement>(null)
const isBrushSizeChange = useRef<boolean>(false)
const scaledBrushSize = useMemo(() => brushSize, [brushSize])
const canvasDiv = useRef<HTMLDivElement>(null)
const [downloaded, setDownloaded] = useState(true)
const [downloadProgress, setDownloadProgress] = useState(0)
const windowSize = useWindowSize()
const draw = useCallback(
(index = -1) => {
if (!context) {
return
}
context.clearRect(0, 0, context.canvas.width, context.canvas.height)
const currRender =
renders[index === -1 ? renders.length - 1 : index] ?? original
const { canvas } = context
const divWidth = canvasDiv.current!.offsetWidth
const divHeight = canvasDiv.current!.offsetHeight
// 计算宽高比
const imgAspectRatio = currRender.width / currRender.height
const divAspectRatio = divWidth / divHeight
let canvasWidth
let canvasHeight
// 比较宽高比以决定如何缩放
if (divAspectRatio > imgAspectRatio) {
// div 较宽,基于高度缩放
canvasHeight = divHeight
canvasWidth = currRender.width * (divHeight / currRender.height)
} else {
// div 较窄,基于宽度缩放
canvasWidth = divWidth
canvasHeight = currRender.height * (divWidth / currRender.width)
}
canvas.width = canvasWidth
canvas.height = canvasHeight
if (currRender?.src) {
context.drawImage(currRender, 0, 0, canvas.width, canvas.height)
} else {
context.drawImage(original, 0, 0, canvas.width, canvas.height)
}
const currentLine = lines[lines.length - 1]
drawLines(context, [currentLine])
},
[context, lines, original, renders]
)
const refreshCanvasMask = useCallback(() => {
if (!context?.canvas.width || !context?.canvas.height) {
throw new Error('canvas has invalid size')
}
maskCanvas.width = context?.canvas.width
maskCanvas.height = context?.canvas.height
const ctx = maskCanvas.getContext('2d')
if (!ctx) {
throw new Error('could not retrieve mask canvas')
}
// Just need the finishing touch
const line = lines.slice(-1)[0]
if (line) drawLines(ctx, [line], 'white')
}, [context?.canvas.height, context?.canvas.width, lines, maskCanvas])
// Draw once the original image is loaded
useEffect(() => {
if (!context?.canvas) {
return
}
if (isOriginalLoaded) {
draw()
}
}, [context?.canvas, draw, original, isOriginalLoaded, windowSize])
// Handle mouse interactions
useEffect(() => {
const canvas = context?.canvas
if (!canvas) {
return
}
const onMouseMove = (ev: MouseEvent) => {
if (brushRef.current) {
const x = ev.pageX - scaledBrushSize / 2
const y = ev.pageY - scaledBrushSize / 2
brushRef.current.style.transform = `translate3d(${x}px, ${y}px, 0)`
}
}
const onPaint = (px: number, py: number) => {
const currLine = lines[lines.length - 1]
currLine.pts.push({ x: px, y: py })
draw()
}
const onMouseDrag = (ev: MouseEvent) => {
const px = ev.offsetX - canvas.offsetLeft
const py = ev.offsetY - canvas.offsetTop
onPaint(px, py)
}
const onPointerUp = async () => {
if (!original.src || showOriginal) {
return
}
if (lines.slice(-1)[0]?.pts.length === 0) {
return
}
const loading = onloading()
canvas.removeEventListener('mousemove', onMouseDrag)
canvas.removeEventListener('mouseup', onPointerUp)
refreshCanvasMask()
try {
const start = Date.now()
console.log('inpaint_start')
// each time based on the last result, the first is the original
const newFile = renders.slice(-1)[0] ?? file
const res = await inpaint(newFile, maskCanvas.toDataURL())
if (!res) {
throw new Error('empty response')
}
// TODO: fix the render if it failed loading
const newRender = new Image()
newRender.dataset.id = Date.now().toString()
await loadImage(newRender, res)
renders.push(newRender)
lines.push({ pts: [], src: '' } as Line)
setRenders([...renders])
setLines([...lines])
console.log('inpaint_processed', {
duration: Date.now() - start,
})
} catch (e: any) {
console.log('inpaint_failed', {
error: e,
})
// eslint-disable-next-line
alert(e.message ? e.message : e.toString())
}
if (historyListRef.current) {
const { scrollWidth, clientWidth } = historyListRef.current
if (scrollWidth > clientWidth) {
historyListRef.current.scrollTo(scrollWidth, 0)
}
}
loading.close()
draw()
}
canvas.addEventListener('mousemove', onMouseMove)
const onTouchMove = (ev: TouchEvent) => {
ev.preventDefault()
ev.stopPropagation()
const currLine = lines[lines.length - 1]
const coords = canvas.getBoundingClientRect()
currLine.pts.push({
x: ev.touches[0].clientX - coords.x,
y: ev.touches[0].clientY - coords.y,
})
draw()
}
const onPointerStart = () => {
if (!original.src || showOriginal) {
return
}
const currLine = lines[lines.length - 1]
currLine.size = brushSize
canvas.addEventListener('mousemove', onMouseDrag)
canvas.addEventListener('mouseup', onPointerUp)
// onPaint(e)
}
canvas.addEventListener('touchstart', onPointerStart)
canvas.addEventListener('touchmove', onTouchMove)
canvas.addEventListener('touchend', onPointerUp)
canvas.onmouseenter = () => {
window.clearTimeout(hideBrushTimeout)
setShowBrush(true && !showOriginal)
}
canvas.onmouseleave = () => setShowBrush(false)
canvas.onmousedown = onPointerStart
return () => {
canvas.removeEventListener('mousemove', onMouseDrag)
canvas.removeEventListener('mousemove', onMouseMove)
canvas.removeEventListener('mouseup', onPointerUp)
canvas.removeEventListener('touchstart', onPointerStart)
canvas.removeEventListener('touchmove', onTouchMove)
canvas.removeEventListener('touchend', onPointerUp)
canvas.onmouseenter = null
canvas.onmouseleave = null
canvas.onmousedown = null
}
}, [
brushSize,
context,
file,
draw,
lines,
refreshCanvasMask,
maskCanvas,
original.src,
renders,
showOriginal,
hideBrushTimeout,
])
useEffect(() => {
if (!separator || !originalImg) return
const separatorMove = (ev: MouseEvent) => {
ev.preventDefault()
ev.stopPropagation()
if (context?.canvas) {
const { width } = context?.canvas
const canvasRect = context?.canvas.getBoundingClientRect()
const separatorOffsetLeft = ev.pageX - canvasRect.left
if (separatorOffsetLeft <= width && separatorOffsetLeft >= 0) {
setSeparatorLeft(separatorOffsetLeft)
} else if (separatorOffsetLeft < 0) {
setSeparatorLeft(0)
} else if (separatorOffsetLeft > width) {
setSeparatorLeft(width)
}
}
}
const separatorDown = () => {
window.addEventListener('mousemove', separatorMove)
setUseSeparator(true)
}
const separatorUp = () => {
window.removeEventListener('mousemove', separatorMove)
setUseSeparator(false)
}
separator.addEventListener('mousedown', separatorDown)
window.addEventListener('mouseup', separatorUp)
return () => {
separator.removeEventListener('mousedown', separatorDown)
window.removeEventListener('mouseup', separatorUp)
}
}, [separator, context])
function download() {
const currRender = renders.at(-1) ?? original
downloadImage(currRender.currentSrc, 'IMG')
}
const undo = useCallback(async () => {
const l = lines
l.pop()
l.pop()
setLines([...l, { pts: [], src: '' }])
const r = renders
r.pop()
setRenders([...r])
}, [lines, renders])
useEffect(() => {
const handler = (event: KeyboardEvent) => {
if (!renders.length) {
return
}
const isCmdZ = (event.metaKey || event.ctrlKey) && event.key === 'z'
if (isCmdZ) {
event.preventDefault()
undo()
}
}
window.addEventListener('keydown', handler)
return () => {
window.removeEventListener('keydown', handler)
}
}, [renders, undo])
const backTo = useCallback(
(index: number) => {
lines.splice(index + 1)
setLines([...lines, { pts: [], src: '' }])
renders.splice(index + 1)
setRenders([...renders])
},
[renders, lines]
)
const History = useMemo(
() =>
renders.map((render, index) => {
return (
<div
key={render.dataset.id}
style={{
position: 'relative',
display: 'inline-block',
flexShrink: 0,
}}
>
<img
src={render.src}
alt="render"
className="rounded-sm"
style={{
height: '90px',
}}
/>
<Button
className="hover:opacity-100 opacity-0 cursor-pointer rounded-sm"
style={{
position: 'absolute',
top: '0',
left: '0',
width: '100%',
height: '100%',
backgroundColor: 'rgba(0, 0, 0, 0.5)',
display: 'flex',
alignItems: 'center',
justifyContent: 'center',
}}
onClick={() => backTo(index)}
onEnter={() => draw(index)}
onLeave={draw}
>
<div
style={{
color: '#fff',
fontSize: '12px',
textAlign: 'center',
}}
>
回到这
<br />
Back here
</div>
</Button>
</div>
)
}),
[renders, backTo]
)
const handleSliderStart = () => {
setShowBrush(true)
}
const handleSliderChange = (sliderValue: number) => {
if (!isBrushSizeChange.current) {
isBrushSizeChange.current = true
}
if (brushRef.current) {
const x = document.documentElement.clientWidth / 2 - scaledBrushSize / 2
const y = document.documentElement.clientHeight / 2 - scaledBrushSize / 2
brushRef.current.style.transform = `translate3d(${x}px, ${y}px, 0)`
}
setBrushSize(sliderValue)
window.clearTimeout(hideBrushTimeout)
setHideBrushTimeout(
window.setTimeout(() => {
setShowBrush(false)
}, BRUSH_HIDE_ON_SLIDER_CHANGE_TIMEOUT)
)
}
const onloading = useCallback(() => {
setIsProcessingLoading(true)
setGenerateProgress(0)
const progressTimer = window.setInterval(() => {
setGenerateProgress(p => {
if (p < 90) return p + 10 * Math.random()
if (p >= 90 && p < 99) return p + 1 * Math.random()
// Do not hide the progress bar after 99%,cause sometimes long time progress
// window.setTimeout(() => setIsInpaintingLoading(false), 500)
return p
})
}, 1000)
return {
close: () => {
clearInterval(progressTimer)
setGenerateProgress(100)
setIsProcessingLoading(false)
},
}
}, [])
const onSuperResolution = useCallback(async () => {
if (!(await modelExists('superResolution'))) {
setDownloaded(false)
await downloadModel('superResolution', setDownloadProgress)
setDownloaded(true)
}
setIsProcessingLoading(true)
try {
// 运行
const start = Date.now()
console.log('superResolution_start')
// each time based on the last result, the first is the original
const newFile = renders.at(-1) ?? file
const res = await superResolution(newFile, setGenerateProgress)
if (!res) {
throw new Error('empty response')
}
// TODO: fix the render if it failed loading
const newRender = new Image()
newRender.dataset.id = Date.now().toString()
await loadImage(newRender, res)
renders.push(newRender)
lines.push({ pts: [], src: '' } as Line)
setRenders([...renders])
setLines([...lines])
console.log('superResolution_processed', {
duration: Date.now() - start,
})
// 替换当前图片
} catch (error) {
console.error('superResolution', error)
} finally {
setIsProcessingLoading(false)
}
}, [file, lines, original.naturalHeight, original.naturalWidth, renders])
return (
<div
className={[
'flex flex-col items-center h-full justify-between',
isInpaintingLoading ? 'animate-pulse-fast pointer-events-none' : '',
].join(' ')}
>
{/* History */}
<div
ref={historyListRef}
style={{
height: '116px',
}}
className={[
'flex-shrink-0',
'mt-4 border p-3 rounded',
'flex items-left w-full max-w-4xl',
'space-y-0 flex-row space-x-5',
'scrollbar-thin scrollbar-thumb-black scrollbar-track-primary overflow-x-scroll',
].join(' ')}
>
{History}
</div>
{/* 画图 */}
<div
className={[
'flex-grow',
'flex justify-center',
'my-2',
'relative',
].join(' ')}
style={{
width: '70vw',
}}
ref={canvasDiv}
>
<div className="relative">
<canvas
className="rounded-sm"
style={showBrush ? { cursor: 'none' } : {}}
ref={r => {
if (r && !context) {
const ctx = r.getContext('2d')
if (ctx) {
setContext(ctx)
}
}
}}
/>
<div
className={[
'absolute top-0 right-0 pointer-events-none',
showOriginal ? '' : 'overflow-hidden',
].join(' ')}
style={{
width: showOriginal ? `${context?.canvas.width}px` : '0px',
height: context?.canvas.height,
transitionProperty: 'width, height',
transitionTimingFunction: 'cubic-bezier(0.4, 0, 0.2, 1)',
transitionDuration: '300ms',
}}
ref={r => {
if (r && !originalImg) {
setOriginalImg(r)
}
}}
>
<div
className={[
'absolute top-0 right-0 pointer-events-none z-10',
useSeparator ? 'bg-black text-white' : 'bg-primary ',
'w-1',
'flex items-center justify-center',
'separator',
].join(' ')}
style={{
left: `${separatorLeft}px`,
height: context?.canvas.height,
transitionProperty: 'width, height',
transitionTimingFunction: 'cubic-bezier(0.4, 0, 0.2, 1)',
transitionDuration: '300ms',
}}
>
<span className="absolute left-1 bottom-0 p-1 bg-opacity-25 bg-black rounded text-white select-none">
original
</span>
<div
className={[
'absolute py-2 px-1 rounded-md pointer-events-auto',
useSeparator ? 'bg-black' : 'bg-primary ',
].join(' ')}
style={{ cursor: 'ew-resize' }}
ref={r => {
if (r && !separator) {
setSeparator(r)
}
}}
>
<ViewBoardsIcon
className="w-5 h-5"
style={{ cursor: 'ew-resize' }}
/>
</div>
</div>
<img
className="absolute right-0"
src={original.src}
alt="original"
width={`${context?.canvas.width}px`}
height={`${context?.canvas.height}px`}
style={{
width: `${context?.canvas.width}px`,
height: `${context?.canvas.height}px`,
maxWidth: 'none',
clipPath: `inset(0 0 0 ${separatorLeft}px)`,
}}
/>
</div>
{isInpaintingLoading && (
<div className="z-10 bg-white absolute bg-opacity-80 top-0 left-0 right-0 bottom-0 h-full w-full flex justify-center items-center">
<div ref={modalRef} className="text-xl space-y-5 w-4/5 sm:w-1/2">
<p>正在处理中,请耐心等待。。。</p>
<p>It is being processed, please be patient...</p>
<Progress percent={generateProgress} />
</div>
</div>
)}
</div>
</div>
{!downloaded && (
<Modal>
<div className="text-xl space-y-5">
<p>{m.upscaleing_model_download_message()}</p>
<Progress percent={downloadProgress} />
</div>
</Modal>
)}
{showBrush && (
<div
className="fixed rounded-full bg-red-500 bg-opacity-50 pointer-events-none left-0 top-0"
style={{
width: `${scaledBrushSize}px`,
height: `${scaledBrushSize}px`,
transform: `translate3d(-100px, -100px, 0)`,
}}
ref={brushRef}
/>
)}
{/* 工具栏 */}
<div
className={[
'flex-shrink-0',
'bg-white rounded-md border border-gray-300 hover:border-gray-400 shadow-md hover:shadow-lg p-4 transition duration-200 ease-in-out',
'flex items-center w-full max-w-4xl py-6 mb-4, justify-between',
'flex-col space-y-2 sm:space-y-0 sm:flex-row sm:space-x-5',
].join(' ')}
>
{renders.length > 0 && (
<Button
primary
onClick={undo}
icon={
<svg
className="w-6 h-6"
width="19"
height="9"
viewBox="0 0 19 9"
fill="none"
xmlns="http://www.w3.org/2000/svg"
>
<path
d="M2 1C2 0.447715 1.55228 0 1 0C0.447715 0 0 0.447715 0 1H2ZM1 8H0V9H1V8ZM8 9C8.55228 9 9 8.55229 9 8C9 7.44771 8.55228 7 8 7V9ZM16.5963 7.42809C16.8327 7.92721 17.429 8.14016 17.9281 7.90374C18.4272 7.66731 18.6402 7.07103 18.4037 6.57191L16.5963 7.42809ZM16.9468 5.83205L17.8505 5.40396L16.9468 5.83205ZM0 1V8H2V1H0ZM1 9H8V7H1V9ZM1.66896 8.74329L6.66896 4.24329L5.33104 2.75671L0.331035 7.25671L1.66896 8.74329ZM16.043 6.26014L16.5963 7.42809L18.4037 6.57191L17.8505 5.40396L16.043 6.26014ZM6.65079 4.25926C9.67554 1.66661 14.3376 2.65979 16.043 6.26014L17.8505 5.40396C15.5805 0.61182 9.37523 -0.710131 5.34921 2.74074L6.65079 4.25926Z"
fill="currentColor"
/>
</svg>
}
>
{m.undo()}
</Button>
)}
<Slider
label={m.bruch_size()}
min={10}
max={200}
value={brushSize}
onChange={handleSliderChange}
onStart={handleSliderStart}
/>
<Button
primary={showOriginal}
icon={<EyeIcon className="w-6 h-6" />}
onUp={() => {
setShowOriginal(!showOriginal)
setTimeout(() => setSeparatorLeft(0), 300)
}}
>
{m.original()}
</Button>
{!showOriginal && (
<Button onUp={onSuperResolution}>{m.upscale()}</Button>
)}
<Button
primary
icon={<DownloadIcon className="w-6 h-6" />}
onClick={download}
>
{m.download()}
</Button>
</div>
</div>
)
}
|