npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2025 – Pkg Stats / Ryan Hefner

neuphlo-editor

v1.3.2

Published

A lightweight React wrapper around Tiptap with sensible defaults and image upload support.

Downloads

403

Readme

Neuphlo Editor

A lightweight, feature-rich React wrapper around Tiptap with sensible defaults, built-in styling, and powerful image upload capabilities.

npm version License

Features

  • 🎨 Beautiful defaults - Pre-styled editor with clean, modern design
  • 🖼️ Image upload - Integrated image support with custom upload handlers
  • 📐 Image controls - Resize and align images with intuitive controls
  • ⌨️ Slash commands - Quick formatting with / commands
  • 💬 Bubble menus - Context-aware formatting menus
  • 🧩 Expandable menus - Add your own controls to the text or image menus
  • 🎯 TypeScript - Full TypeScript support with type definitions
  • 🎨 Syntax highlighting - Code blocks with highlight.js support
  • 🔗 Link management - Easy link insertion and editing
  • 📦 Lightweight - Minimal bundle size with tree-shaking support

Installation

npm install neuphlo-editor
# or
pnpm add neuphlo-editor
# or
yarn add neuphlo-editor

Peer Dependencies

Make sure you have the required peer dependencies installed:

npm install react react-dom @tiptap/react @tiptap/pm

Quick Start

import { Editor } from 'neuphlo-editor'
import 'neuphlo-editor/styles.css'

function MyApp() {
  return <Editor content="<p>Start editing...</p>" />
}

Image Upload

Neuphlo Editor makes it easy to add image upload functionality with your own backend:

import { Editor } from 'neuphlo-editor'
import 'neuphlo-editor/styles.css'

function MyApp() {
  const handleImageUpload = async (file: File): Promise<string> => {
    // Upload to your backend (S3, Cloudinary, custom API, etc.)
    const formData = new FormData()
    formData.append('file', file)

    const response = await fetch('/api/upload', {
      method: 'POST',
      body: formData,
    })

    const { url } = await response.json()
    return url // Return the permanent image URL
  }

  return <Editor uploadImage={handleImageUpload} />
}

Image Upload Methods

Users can insert images in multiple ways:

  1. Slash command - Type /image and press Enter
  2. Image menu - Click the upload button in the image bubble menu
  3. Drag & drop - Drag image files directly into the editor
  4. Paste - Copy and paste images from clipboard

Image Controls

When an image is selected, a bubble menu appears with controls to:

  • Resize - Adjust size from 25% to 100% with a slider
  • Align - Position left, center, or right
  • Replace - Upload a new image
  • Delete - Remove the image

Upload Handler Examples

AWS S3

const handleImageUpload = async (file: File): Promise<string> => {
  // Get presigned URL from your API
  const response = await fetch('/api/presigned-url', {
    method: 'POST',
    headers: { 'Content-Type': 'application/json' },
    body: JSON.stringify({
      fileName: file.name,
      fileType: file.type,
    }),
  })

  const { uploadUrl, imageUrl } = await response.json()

  // Upload to S3
  await fetch(uploadUrl, {
    method: 'PUT',
    body: file,
    headers: { 'Content-Type': file.type },
  })

  return imageUrl
}

Cloudinary

const handleImageUpload = async (file: File): Promise<string> => {
  const formData = new FormData()
  formData.append('file', file)
  formData.append('upload_preset', 'your_upload_preset')

  const response = await fetch(
    `https://api.cloudinary.com/v1_1/your_cloud_name/image/upload`,
    {
      method: 'POST',
      body: formData,
    }
  )

  const data = await response.json()
  return data.secure_url
}

Convex

import { useMutation } from 'convex/react'
import { api } from '../convex/_generated/api'

function MyEditor() {
  const generateUploadUrl = useMutation(api.files.generateUploadUrl)

  const handleImageUpload = async (file: File): Promise<string> => {
    // Step 1: Get a short-lived upload URL
    const uploadUrl = await generateUploadUrl()

    // Step 2: POST the file to the URL
    const result = await fetch(uploadUrl, {
      method: 'POST',
      headers: { 'Content-Type': file.type },
      body: file,
    })

    const { storageId } = await result.json()

    // Step 3: Save the storage ID to your database (optional)
    // await saveImage({ storageId, name: file.name })

    // Step 4: Return the public URL
    // You can use getUrl mutation or construct the URL
    const imageUrl = `${process.env.NEXT_PUBLIC_CONVEX_URL}/api/storage/${storageId}`
    return imageUrl
  }

  return <Editor uploadImage={handleImageUpload} />
}

Convex backend (convex/files.ts):

import { mutation } from './_generated/server'

export const generateUploadUrl = mutation(async (ctx) => {
  return await ctx.storage.generateUploadUrl()
})

export const getUrl = mutation({
  args: { storageId: v.string() },
  handler: async (ctx, { storageId }) => {
    return await ctx.storage.getUrl(storageId)
  },
})

Custom Backend

const handleImageUpload = async (file: File): Promise<string> => {
  const formData = new FormData()
  formData.append('file', file)

  const response = await fetch('/api/upload', {
    method: 'POST',
    body: formData,
  })

  if (!response.ok) {
    throw new Error('Upload failed')
  }

  const { url } = await response.json()
  return url
}

API Reference

Editor Props

| Prop | Type | Default | Description | |------|------|---------|-------------| | content | string | "" | Initial HTML content | | className | string | undefined | CSS class for the editor wrapper | | editable | boolean | true | Whether the editor is editable | | immediatelyRender | boolean | false | Render immediately on mount | | showTextMenu | boolean | true | Show text formatting bubble menu | | showImageMenu | boolean | true | Show image controls bubble menu | | showSlashMenu | boolean | true | Show slash command menu | | extensions | Extension[] | [] | Additional Tiptap extensions | | bubbleMenuExtras | { text?: BubbleMenuExtra \| BubbleMenuExtra[]; image?: BubbleMenuExtra \| BubbleMenuExtra[] } | undefined | Expand text/image bubble menus with custom UI | | uploadImage | (file: File) => Promise<string> | undefined | Image upload handler | | onUpdate | ({ editor }) => void | undefined | Called when content changes | | onCreate | ({ editor }) => void | undefined | Called when editor is created |

Example with Props

<Editor
  content="<p>Hello world!</p>"
  className="my-editor"
  editable={true}
  showTextMenu={true}
  showImageMenu={true}
  showSlashMenu={true}
  uploadImage={handleImageUpload}
  onUpdate={({ editor }) => {
    const html = editor.getHTML()
    console.log('Content updated:', html)
  }}
  onCreate={({ editor }) => {
    console.log('Editor created:', editor)
  }}
/>

Expandable Menus

Both the text and image bubble menus can expand with custom controls. Pass the bubbleMenuExtras prop when you need to sprinkle in project-specific actions (AI helpers, analytics buttons, etc.) without editing this package.

import type { Editor } from "@tiptap/react"

const bubbleMenuExtras = {
  text: {
    align: "start", // show on the left side of the menu
    render: (editor: Editor) => (
      <button
        type="button"
        className="nph-btn nph-btn-ghost nph-btn-xs nph-btn-icon"
        onMouseDown={(e) => e.preventDefault()}
        onClick={() => {
          if (editor.state.selection.empty) return
          const note = window.prompt("Add note", "Needs review")
          if (!note) return
          const { to } = editor.state.selection
          editor.chain().focus().insertContentAt(to, ` [Note: ${note}]`).run()
        }}
      >
        Add note
      </button>
    ),
  },
  image: {
    // Default align is "end" (right side). You can pass an array for multiple buttons.
    render: (editor: Editor) => (
      <button
        type="button"
        className="nph-btn nph-btn-ghost nph-btn-xs nph-btn-icon"
        onMouseDown={(e) => e.preventDefault()}
        onClick={() =>
          editor
            .chain()
            .focus()
            .updateAttributes("image", { align: "left" })
            .run()
        }
      >
        Pin left
      </button>
    ),
  },
}

<Editor bubbleMenuExtras={bubbleMenuExtras} />

Each render callback receives the live Tiptap editor so you can check selection state, trigger commands, or early-return null to hide your custom control. The optional align flag lets you position the control on the left ("start") or right ("end", default) side of the bubble menu.

Styling

Basic Styling

Import the default styles in your app:

import 'neuphlo-editor/styles.css'

Syntax Highlighting (Optional)

For code block syntax highlighting, import the highlight.js theme:

import 'neuphlo-editor/styles.css'
import 'neuphlo-editor/highlight.css'

Or use any other highlight.js theme:

import 'neuphlo-editor/styles.css'
import 'highlight.js/styles/github-dark.css'

Custom Styling

All styles are namespaced with .nph- prefix to avoid conflicts. You can override them:

.nph-editor {
  min-height: 400px;
  border: 1px solid #e5e7eb;
  border-radius: 0.5rem;
  padding: 1rem;
}

.nph-editor img {
  max-width: 100%;
  border-radius: 0.5rem;
}

Available Features

Text Formatting

  • Bold (Ctrl+B / Cmd+B)
  • Italic (Ctrl+I / Cmd+I)
  • Strike (Ctrl+Shift+X / Cmd+Shift+X)
  • Code (inline code)

Blocks

  • Headings (H1-H6)
  • Bullet lists
  • Ordered lists
  • Blockquotes
  • Code blocks with syntax highlighting

Slash Commands

Type / to open the command menu:

  • /bold - Bold text
  • /italic - Italic text
  • /strike - Strikethrough
  • /h1 - Heading 1
  • /h2 - Heading 2
  • /h3 - Heading 3
  • /h4 - Heading 4
  • /list - Bullet list
  • /ol - Ordered list
  • /quote - Blockquote
  • /code - Inline code
  • /codeblock - Code block
  • /image - Insert image

Links

  • Insert/edit links via the bubble menu
  • Open links in new tab
  • Remove links

Images

  • Upload via slash command (/image)
  • Drag and drop images
  • Paste images from clipboard
  • Resize images (25%-100%)
  • Align images (left, center, right)
  • Replace images
  • Delete images

Advanced Usage

Custom Extensions

Add your own Tiptap extensions:

import { Editor } from 'neuphlo-editor'
import { Underline } from '@tiptap/extension-underline'

<Editor
  extensions={[Underline]}
  content="<p>Now you can <u>underline</u> text!</p>"
/>

Accessing the Editor Instance

import { useRef } from 'react'
import { Editor } from 'neuphlo-editor'

function MyApp() {
  const editorRef = useRef(null)

  const handleCreate = ({ editor }) => {
    editorRef.current = editor
  }

  const getContent = () => {
    if (editorRef.current) {
      const html = editorRef.current.getHTML()
      const json = editorRef.current.getJSON()
      console.log('HTML:', html)
      console.log('JSON:', json)
    }
  }

  return (
    <>
      <Editor onCreate={handleCreate} />
      <button onClick={getContent}>Get Content</button>
    </>
  )
}

Controlled Content

import { useState } from 'react'
import { Editor } from 'neuphlo-editor'

function MyApp() {
  const [content, setContent] = useState('<p>Initial content</p>')

  return (
    <Editor
      content={content}
      onUpdate={({ editor }) => {
        setContent(editor.getHTML())
      }}
    />
  )
}

Error Handling

Handle upload errors gracefully:

const handleImageUpload = async (file: File): Promise<string> => {
  try {
    // Validate file size (e.g., max 5MB)
    if (file.size > 5 * 1024 * 1024) {
      throw new Error('File size must be less than 5MB')
    }

    // Validate file type
    if (!file.type.startsWith('image/')) {
      throw new Error('File must be an image')
    }

    // Upload logic
    const formData = new FormData()
    formData.append('file', file)

    const response = await fetch('/api/upload', {
      method: 'POST',
      body: formData,
    })

    if (!response.ok) {
      throw new Error('Upload failed')
    }

    const { url } = await response.json()
    return url
  } catch (error) {
    console.error('Image upload error:', error)
    // You might want to show a toast notification here
    throw error
  }
}

TypeScript

The package is fully typed with TypeScript:

import type { Editor as TiptapEditor } from '@tiptap/core'
import { Editor } from 'neuphlo-editor'

type UploadImageFn = (file: File) => Promise<string>

const handleImageUpload: UploadImageFn = async (file) => {
  // Your upload logic
  return 'https://example.com/image.jpg'
}

function MyApp() {
  const handleCreate = ({ editor }: { editor: TiptapEditor }) => {
    console.log('Editor created:', editor)
  }

  return (
    <Editor
      uploadImage={handleImageUpload}
      onCreate={handleCreate}
    />
  )
}

Browser Support

Neuphlo Editor works in all modern browsers that support:

  • FileReader API
  • Drag and Drop API
  • Clipboard API

Supported browsers:

  • Chrome 60+
  • Firefox 55+
  • Safari 11+
  • Edge 79+

License

MIT

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

Support

If you encounter any issues or have questions, please file an issue on the GitHub repository.