Feature voting system on website

Our company is engaged in the development, support and maintenance of sites of any complexity. From simple one-page sites to large-scale cluster systems built on micro services. Experience of developers is confirmed by certificates from vendors.
Development and maintenance of all types of websites:
Informational websites or web applications
Business card websites, landing pages, corporate websites, online catalogs, quizzes, promo websites, blogs, news resources, informational portals, forums, aggregators
E-commerce websites or web applications
Online stores, B2B portals, marketplaces, online exchanges, cashback websites, exchanges, dropshipping platforms, product parsers
Business process management web applications
CRM systems, ERP systems, corporate portals, production management systems, information parsers
Electronic service websites or web applications
Classified ads platforms, online schools, online cinemas, website builders, portals for electronic services, video hosting platforms, thematic portals

These are just some of the technical types of websites we work with, and each of them can have its own specific features and functionality, as well as be customized to meet the specific needs and goals of the client.

Our competencies:
Development stages
Latest works
  • image_web-applications_feedme_466_0.webp
    Development of a web application for FEEDME
    1161
  • image_ecommerce_furnoro_435_0.webp
    Development of an online store for the company FURNORO
    1041
  • image_crm_enviok_479_0.webp
    Development of a web application for Enviok
    822
  • image_crm_chasseurs_493_0.webp
    CRM development for Chasseurs
    847
  • image_website-sbh_0.png
    Website development for SBH Partners
    999
  • image_website-_0.png
    Website development for Red Pear
    451

Implementing a Feature Voting System on a Website

A public roadmap with voting solves two problems at once: the team sees real request priorities instead of subjective estimates, and users see they're heard and can track status. Products like Canny and ProductBoard do exactly this — but sometimes you need a custom solution without SaaS dependency and full control over data.

Database Schema

CREATE TABLE feature_requests (
  id          UUID PRIMARY KEY DEFAULT gen_random_uuid(),
  title       TEXT NOT NULL,
  description TEXT NOT NULL,
  category    TEXT NOT NULL,
  status      TEXT NOT NULL DEFAULT 'proposed'
                CHECK (status IN ('proposed','planned','in_progress','done','declined')),
  votes_count INTEGER NOT NULL DEFAULT 0,
  created_at  TIMESTAMPTZ NOT NULL DEFAULT NOW(),
  updated_at  TIMESTAMPTZ NOT NULL DEFAULT NOW()
);

CREATE TABLE feature_votes (
  id         UUID PRIMARY KEY DEFAULT gen_random_uuid(),
  request_id UUID NOT NULL REFERENCES feature_requests(id) ON DELETE CASCADE,
  user_id    UUID,                          -- NULL for anonymous
  fingerprint TEXT,                         -- for anonymous: hash of IP+UA
  created_at TIMESTAMPTZ NOT NULL DEFAULT NOW(),
  UNIQUE (request_id, user_id),
  UNIQUE (request_id, fingerprint)
);

-- trigger for synchronized counter
CREATE OR REPLACE FUNCTION update_votes_count()
RETURNS TRIGGER AS $$
BEGIN
  IF TG_OP = 'INSERT' THEN
    UPDATE feature_requests SET votes_count = votes_count + 1 WHERE id = NEW.request_id;
  ELSIF TG_OP = 'DELETE' THEN
    UPDATE feature_requests SET votes_count = votes_count - 1 WHERE id = OLD.request_id;
  END IF;
  RETURN NULL;
END;
$$ LANGUAGE plpgsql;

CREATE TRIGGER trg_votes_count
AFTER INSERT OR DELETE ON feature_votes
FOR EACH ROW EXECUTE FUNCTION update_votes_count();

API

// routes/features.ts (Express + Prisma)
import { Router } from 'express';
import { createHash } from 'crypto';

export const featuresRouter = Router();

// List of requests with pagination and filtering
featuresRouter.get('/', async (req, res) => {
  const { category, status, sort = 'votes', page = '1' } = req.query;
  const take = 20;
  const skip = (Number(page) - 1) * take;

  const where: Prisma.FeatureRequestWhereInput = {};
  if (category) where.category = String(category);
  if (status) where.status = String(status);

  const [items, total] = await Promise.all([
    prisma.featureRequest.findMany({
      where,
      orderBy: sort === 'votes'
        ? { votesCount: 'desc' }
        : { createdAt: 'desc' },
      skip,
      take,
      include: {
        _count: { select: { votes: true } },
      },
    }),
    prisma.featureRequest.count({ where }),
  ]);

  // Add flag "did current user vote"
  const userId = req.user?.id;
  const fingerprint = getUserFingerprint(req);

  const votedIds = userId
    ? await prisma.featureVote.findMany({
        where: { requestId: { in: items.map(i => i.id) }, userId },
        select: { requestId: true },
      }).then(vs => new Set(vs.map(v => v.requestId)))
    : await prisma.featureVote.findMany({
        where: { requestId: { in: items.map(i => i.id) }, fingerprint },
        select: { requestId: true },
      }).then(vs => new Set(vs.map(v => v.requestId)));

  res.json({
    items: items.map(item => ({ ...item, hasVoted: votedIds.has(item.id) })),
    total,
    page: Number(page),
    pages: Math.ceil(total / take),
  });
});

// Vote (toggle)
featuresRouter.post('/:id/vote', async (req, res) => {
  const { id } = req.params;
  const userId = req.user?.id ?? null;
  const fingerprint = getUserFingerprint(req);

  const existingVote = await prisma.featureVote.findFirst({
    where: userId
      ? { requestId: id, userId }
      : { requestId: id, fingerprint },
  });

  if (existingVote) {
    await prisma.featureVote.delete({ where: { id: existingVote.id } });
    return res.json({ action: 'removed' });
  }

  await prisma.featureVote.create({
    data: { requestId: id, userId, fingerprint: userId ? null : fingerprint },
  });

  res.json({ action: 'added' });
});

function getUserFingerprint(req: Request): string {
  const ip = req.ip ?? '';
  const ua = req.headers['user-agent'] ?? '';
  return createHash('sha256').update(ip + ua).digest('hex');
}

Frontend: List with Voting

// FeatureList.tsx
import { useState, useOptimistic } from 'react';

interface FeatureItem {
  id: string;
  title: string;
  description: string;
  category: string;
  status: 'proposed' | 'planned' | 'in_progress' | 'done' | 'declined';
  votesCount: number;
  hasVoted: boolean;
}

const STATUS_LABELS: Record<FeatureItem['status'], { label: string; color: string }> = {
  proposed:    { label: 'Proposed',    color: 'bg-gray-100 text-gray-700' },
  planned:     { label: 'Planned',       color: 'bg-blue-100 text-blue-700' },
  in_progress: { label: 'In Progress', color: 'bg-yellow-100 text-yellow-700' },
  done:        { label: 'Done',        color: 'bg-green-100 text-green-700' },
  declined:    { label: 'Declined',     color: 'bg-red-100 text-red-700' },
};

function VoteButton({
  id,
  votesCount,
  hasVoted,
}: {
  id: string;
  votesCount: number;
  hasVoted: boolean;
}) {
  const [optimisticState, setOptimistic] = useOptimistic(
    { count: votesCount, voted: hasVoted },
    (state, action: 'toggle') => ({
      count: state.voted ? state.count - 1 : state.count + 1,
      voted: !state.voted,
    })
  );

  async function vote() {
    setOptimistic('toggle');
    try {
      await fetch(`/api/features/${id}/vote`, { method: 'POST' });
    } catch {
      // optimistic update will rollback automatically on error
    }
  }

  return (
    <button
      onClick={vote}
      aria-pressed={optimisticState.voted}
      className={`flex flex-col items-center gap-0.5 w-14 py-2 rounded-lg border text-sm font-semibold transition-colors
        ${optimisticState.voted
          ? 'bg-blue-600 border-blue-600 text-white'
          : 'border-gray-300 hover:border-blue-400 hover:bg-blue-50'
        }`}
    >
      <svg width="16" height="16" viewBox="0 0 16 16" fill="currentColor">
        <path d="M8 3L14 10H2L8 3Z"/>
      </svg>
      <span>{optimisticState.count}</span>
    </button>
  );
}

export function FeatureList({ initialItems }: { initialItems: FeatureItem[] }) {
  const [items, setItems] = useState(initialItems);
  const [filter, setFilter] = useState<string>('all');

  const filtered = filter === 'all'
    ? items
    : items.filter(i => i.status === filter);

  return (
    <div className="max-w-2xl">
      {/* Status filters */}
      <div className="flex gap-2 mb-6 flex-wrap">
        {(['all', 'proposed', 'planned', 'in_progress', 'done'] as const).map(s => (
          <button
            key={s}
            onClick={() => setFilter(s)}
            className={`px-3 py-1 rounded-full text-xs border transition-colors ${
              filter === s ? 'bg-gray-800 text-white border-gray-800' : 'border-gray-300'
            }`}
          >
            {s === 'all' ? 'All' : STATUS_LABELS[s].label}
          </button>
        ))}
      </div>

      <ul className="space-y-3">
        {filtered.map(item => (
          <li
            key={item.id}
            className="flex gap-4 p-4 rounded-xl border border-gray-200 hover:border-gray-300 transition-colors"
          >
            <VoteButton
              id={item.id}
              votesCount={item.votesCount}
              hasVoted={item.hasVoted}
            />
            <div className="flex-1 min-w-0">
              <div className="flex items-start gap-2 flex-wrap">
                <h3 className="font-medium text-gray-900">{item.title}</h3>
                <span className={`text-xs px-2 py-0.5 rounded-full ${STATUS_LABELS[item.status].color}`}>
                  {STATUS_LABELS[item.status].label}
                </span>
              </div>
              <p className="mt-1 text-sm text-gray-600 line-clamp-2">{item.description}</p>
            </div>
          </li>
        ))}
      </ul>
    </div>
  );
}

Protection Against Vote Manipulation

For authenticated users — one vote per user_id. For anonymous — fingerprint via IP + User-Agent + additional rate-limiting layer:

// middleware/rateLimit.ts
import rateLimit from 'express-rate-limit';

export const voteLimiter = rateLimit({
  windowMs: 15 * 60 * 1000, // 15 minutes
  max: 30, // 30 votes per 15 minutes from one IP
  message: { error: 'Too many requests' },
  standardHeaders: true,
  legacyHeaders: false,
});

For stronger protection — Cloudflare Turnstile (CAPTCHA without challenge) on anomalous voting patterns.

Notifications to Subscribers

When a request status changes to planned or done, send email to everyone who voted and provided email:

async function notifyVoters(requestId: string, newStatus: string) {
  const votes = await prisma.featureVote.findMany({
    where: { requestId, user: { email: { not: null } } },
    include: { user: { select: { email: true } } },
  });

  const request = await prisma.featureRequest.findUniqueOrThrow({
    where: { id: requestId },
  });

  await mailer.sendBulk(
    votes.map(v => v.user.email!).filter(Boolean),
    {
      subject: `Update on request: ${request.title}`,
      template: 'feature-status-update',
      data: { title: request.title, status: newStatus },
    }
  );
}

Timeline

Full system with public roadmap, voting, anti-manipulation protection, and email notifications — eight to twelve days. Without notifications and anonymous-only voting — four to five days.