从零开始-文件资源管理器-09-图片预览

  1. 使用 Next.js 的 Image 组件显示图片。自带图片压缩生成快速预览的 webp 格式图片
  2. 使用 antd 的 PreviewGroup 组件实现原图浏览,自带缩小、放大、上一张、下一张等功能

功能实现

文件树

lua 复制代码
explorer/src/app/path/[[...path]]/card-display.tsx
explorer/src/app/path/[[...path]]/page.tsx
explorer/src/components/preview/ext-rxp.tsx
explorer/src/components/preview/index.tsx
explorer/src/components/preview/proview-group-context.tsx
explorer/src/components/use-replace-pathname.ts

文件路径:explorer/src/components/preview/ext-rxp.tsx

一些判断文件后缀名方法

typescript 复制代码
export const ImgRxp = /.(jpg|jpeg|gif|png|webp|ico)$/i

const RawRxp = /.(cr2|arw)/i

const GifRxp = /.(gif)$/i

const ZipRxp = /.(zip|rar|7z|tar.xz|tar)(.+\d+)?$/i

const VideoRxp = /.(mp4|mkv|mov|wmv|avi|avchd|flv|f4v|swf)(.+\d+)?$/i

export const isRaw = (path: string) => RawRxp.test(path)
export const isImage = (path: string) => ImgRxp.test(path)
export const isGif = (path: string) => GifRxp.test(path)
export const isZip = (path: string) => ZipRxp.test(path)
export const isVideo = (path: string) => VideoRxp.test(path)

文件路径:explorer/src/components/preview/index.tsx

预览封装组件,根据是否为文件夹、视频、图片、压缩包显示不同的 icon。

点击图片时,使用 antd 的 PreviewGroup 组件查看原图。

javascript 复制代码
import React from 'react'
import { FileOutlined, FileZipOutlined, FolderOutlined, VideoCameraOutlined } from '@ant-design/icons'
import Image from 'next/image'
import { isGif, isImage, isVideo, isZip } from '@/components/preview/ext-rxp'
import { usePreviewGroupDispatch } from '@/components/preview/proview-group-context'
import { ReaddirItemType } from '@/explorer-manager/src/type'
import { useReplacePathname } from '@/components/use-replace-pathname'

const Preview: React.FC<{ item: ReaddirItemType }> = ({ item }) => {
  const previewGroupDispatch = usePreviewGroupDispatch()
  const { name, is_directory } = item
  const { staticPath, joinSearchPath } = useReplacePathname()

  if (is_directory) {
    return <FolderOutlined />
  }

  if (isVideo(name)) {
    return <VideoCameraOutlined />
  }

  if (isImage(name)) {
    const image_path = staticPath(name)

    return (
      <Image
        onClick={() => previewGroupDispatch(name)}
        src={image_path}
        alt={name}
        fill
        sizes="375px"
        style={{
          objectFit: 'scale-down', //"contain" | "cover" | "fill" | "none" | "scale-down"
        }}
        unoptimized={isGif(image_path)}
        placeholder="empty"
      />
    )
  }

  if (isZip(name)) {
    return <FileZipOutlined />
  }

  return <FileOutlined />
}

export default Preview

文件路径:explorer/src/components/preview/proview-group-context.tsx

antd PreviewGroup 组件封装。

需要在顶层目录插入 PreviewGroupProvider 上下文组件,导出 usePreviewGroup、usePreviewGroupDispatch 读写方法。

typescript 复制代码
'use client'
import React from 'react'
import { Image as AntdImage } from 'antd'
import { findIndex } from 'lodash'
import { isImage } from '@/components/preview/ext-rxp'
import { useReplacePathname } from '@/components/use-replace-pathname'
import createCtx from '@/lib/create-ctx'
import { useReaddirContext } from '@/app/path/readdir-context'

export const PreviewGroupContent = createCtx<string>()
export const usePreviewGroup = PreviewGroupContent.useStore
export const usePreviewGroupDispatch = PreviewGroupContent.useDispatch

const AntdImagePreviewGroup: React.FC<React.PropsWithChildren> = ({ children }) => {
  const { staticPath } = useReplacePathname()
  const readdir_list = useReaddirContext()
  const image_list = readdir_list.filter((item) => isImage(item.name))
  const name = usePreviewGroup()
  const previewGroupDispatch = usePreviewGroupDispatch()

  return (
    <AntdImage.PreviewGroup
      preview={{
        visible: !!name,
        current: findIndex(image_list, { name }),
        onVisibleChange: () => {
          previewGroupDispatch('')
        },
        onChange: (current) => {
          previewGroupDispatch(image_list[current].name)
        },
      }}
      items={image_list.map(({ name }) => staticPath(name))}
    >
      {children}
    </AntdImage.PreviewGroup>
  )
}

const PreviewGroupProvider: React.FC<{ children: React.ReactNode }> = ({ children }) => {
  return (
    <PreviewGroupContent.ContextProvider value={''}>
      <AntdImagePreviewGroup>{children}</AntdImagePreviewGroup>
    </PreviewGroupContent.ContextProvider>
  )
}

export default PreviewGroupProvider

文件路径:explorer/src/components/use-replace-pathname.ts

添加一个获取不同路径的hooks

  • replace_pathname 将不需要的一级路径 /path/ 过滤掉
  • joinSearchPath 拼接过滤掉 /path/ 的 pathname
  • joinPath 拼接未过滤的 pathname
  • staticPath 拼接得到获取文件地址
typescript 复制代码
import { usePathname } from 'next/navigation'

export const pathExp = /(^/)?path/

export const encodePathItem = (path: string) => {
  return path
    .split('/')
    .map((text) => encodeURIComponent(text))
    .join('/')
}

export const useReplacePathname = () => {
  const pathname = decodeURIComponent(usePathname() || '')
  const replace_pathname = pathname.replace(pathExp, '')

  const joinSearchPath = (path: string) => encodePathItem(`${replace_pathname}/${path}`)
  const joinPath = (path: string) => encodePathItem(`${pathname}/${path}`)
  const staticPath = (path: string) => `/static${joinSearchPath(path)}`

  return {
    pathname: pathname,
    replace_pathname: replace_pathname,
    joinSearchPath: joinSearchPath,
    joinPath: joinPath,
    staticPath: staticPath,
  }
}

文件路径:explorer/src/app/path/[[...path]]/card-display.tsx

将 Preview 组件插入 List Item 内

ini 复制代码
...
import Preview from '@/components/preview'

const CardDisplay: React.FC = () => {
  const pathname = usePathname()
  const readdir = useReaddirContext()
  const column = useCardColumnContext()

  return (
    <List
...
                  <div style={{ position: 'absolute', width: '100%', height: '100%' }}>
                    <Preview item={item} />
                  </div>
...

文件路径:explorer/src/app/path/[[...path]]/page.tsx

将 PreviewGroupProvider 组件插入最顶部

javascript 复制代码
...
import PreviewGroupProvider from '@/components/preview/proview-group-context'

const Page: React.FC = () => {
  const display_type = useDisplayTypeContext()

  return <PreviewGroupProvider>{display_type === 'table' ? <TableDisplay /> : <CardDisplay />}</PreviewGroupProvider>
}

export default Page

效果

git-repo

yangWs29/share-explorer

相关推荐
@大迁世界4 分钟前
08.CSS if() 函数
前端·css
Moment10 分钟前
小米不仅造车,还造模型?309B参数全开源,深度思考完胜DeepSeek 🐒🐒🐒
前端·人工智能·后端
苏打水com13 分钟前
第十六篇:Day46-48 前端安全进阶——从“漏洞防范”到“安全体系”(对标职场“攻防实战”需求)
前端·javascript·css·vue.js·html
5C2416 分钟前
从思想到实践:前端工程化体系与 Webpack 构建架构深度解析
前端·前端工程化
咕噜企业分发小米21 分钟前
如何平衡服务器内存使用率和系统稳定性?
java·服务器·前端
前端无涯22 分钟前
react组件(2)---State 与生命周期
前端·react.js
GoldenPlayer23 分钟前
Web-Tech:CORS的触发机制
前端
AY呀23 分钟前
Vite:现代前端构建工具的革命与实战指南
前端·vue.js·vite
爬山算法23 分钟前
Netty(13)Netty中的事件和回调机制
java·前端·算法
前端无涯29 分钟前
react组件(3)---组件间的通信
前端·react.js