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 🙏

© 2024 – Pkg Stats / Ryan Hefner

servell

v0.0.4

Published

A minimal RPC library inspired by React Server Actions

Downloads

31

Readme

Servell

-- NOTES --

  • Only public async methods of the class are modified.
  • NextJS as of v14.2.3 does not support stage 3 ecmascript decorators by default, so you'll have to do some node_modules gymnastics to get it working (See this issue from nextjs repo)

Why not Server Actions?

  • Server actions are limited to POST requests
  • Request/Response cannot be customized
  • Not ideal for fetching data
  • May not be used like regular functions in a Server Component

Usage

The package is available in npm

npm i servell

-- NOTE -- I'm using this library in the context of NextJS, however it is designed to work without it, so feel free to experiment.

Following is the client code for fetching some todos!

// todo-list.tsx
"use client"
import { useState, useEffect } from "react"
import { client, type Result } from "servell"

export default function TodoList() {
    const [todos, setTodos] =  useState<Todo[]>([])
    // You can use react query as well
    // sticking to stinky useEffect for simplicity
    useEffect(async () => {
        await getTodos(setTodos)
    }, [])
    return (
        <ul>
            {todos.map(todo =>
                <li>
                    <input
                        type="checkbox"
                        checked={todo.completed}
                    />
                    <b>{todo.title}</b>
                    <p>{todo.desc}</p>
                </li>
            )}
        </ul>
    )
}

@client
class TodoActions {
    async getTodos(setTodos:  any, result?: Result) {
        if(result!.status == "ok")
            return setTodos(result!.data as Todo[])
        console.log("Error: ", result!.data)
    }
}

type Todo = {
    title: string,
    desc: string,
    completed: boolean
}

Now to fetch the data from the database at the server side. Calling an method on a class marked with @server doesn't make a fetch call unlike a server action in React.

// page.tsx
"use server"
import prisma from "@/lib/db"
import { server } from "servell"
import TodoList from "./_components/todo-list"

export default async function TodoPage() {
    return (
        <div>
            <TodoList />
        </div>
    )
    // we could have also fetched the data here in the
    // server component and passed it down to the `TodoList`
    /*
        const res: Result = await new TodoActions().getTodos()
        const todos = res.status == "ok" ? res.data : []
        return <div><TodoList todos={todos}/></div>
    */
}

@server
class TodoActions {
    async getTodos() {
        const todos = await prisma.todos.findMany({
            select: {
                title: true,
                desc: true,
                completed: true,
            }
        })
        return todos
    }
}

The final thing to do is to set up the rpc endpoints. By default both @server and @client decorators use /api/rpc as the endpoint. You can change it by specifying it as an argument to these decorators: @server({ endpoint: "/your-endpoint" })

// /api/rpc/route.ts or /your-endpoint/route.ts
import {
    deleteHandler,
    getHandler,
    patchHandler,
    postHandler,
    putHandler
} from "servell"

export const GET = getHandler
export const POST = postHandler
export const PUT = putHandler
export const PATCH = patchHandler
export const DELETE = deleteHandler

You can customize the method, content, headers, body and cache properties of a Request/Response with the @params decorator.

import { client, params } from "servell"

@client
class TodoActions {
    @params({ method: "PATCH" })
    async updateTodos(todo: Todo, result?: Result) {
        if(result!.status == "ok")
            return console.log("Update succeeded")
        console.log("Update failed!")
    }
}

-- PENDING -- Need to get the body param of non GET requests to point to a function parameter.

Let me know if you enjoy it!