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 🙏

© 2026 – Pkg Stats / Ryan Hefner

@baklavue/composables

v1.0.0

Published

Vue 3 composables for Trendyol Baklava Design System

Downloads

299

Readme

@baklavue/composables

A collection of Vue 3 composables for seamless integration with Baklava UI components. This package provides convenient utilities and hooks to enhance your Vue applications with Baklava's design system.

🚀 Features

  • Vue 3 Composition API: Built with modern Vue 3 composables
  • TypeScript Support: Full TypeScript support with proper type definitions
  • Baklava Integration: Seamlessly works with Baklava UI components
  • Lightweight: Minimal bundle size with no unnecessary dependencies
  • Tree-shakable: Only import what you need

📦 Installation

# Using npm
npm install @baklavue/composables

# Using yarn
yarn add @baklavue/composables

# Using pnpm
pnpm add @baklavue/composables

# Using bun
bun add @baklavue/composables

🔧 Prerequisites

  • Vue 3.x
  • TypeScript 5.9.2+ (peer dependency)
  • Baklava UI components installed in your project

📚 Available Composables

useFile

A composable for file parsing, creating, and downloading. Supports CSV, TSV, and JSON formats with streaming, Zod validation, transforms, and preview. Uses PapaParse for RFC 4180-compliant CSV/TSV handling.

Basic Usage

<script setup lang="ts">
import { useFile } from "@baklavue/composables";

const { parse, parseFile, create, download } = useFile();

// Parse CSV string
const result = parse("name,age\nAlice,30\nBob,25", { format: "csv", header: true });
console.log(result.data); // [{ name: "Alice", age: "30" }, ...]

// Parse file (async), format auto-detected from filename
const handleFileUpload = async (event: Event) => {
  const file = (event.target as HTMLInputElement).files?.[0];
  if (file) {
    const fileResult = await parseFile(file, { header: true });
    console.log(fileResult.data);
  }
};

// Create CSV from array of objects
const csv = create(
  [
    { name: "Alice", age: 30 },
    { name: "Bob", age: 25 },
  ]
);

// Download CSV file
const exportData = () => {
  download(
    [{ name: "Alice", age: 30 }, { name: "Bob", age: 25 }],
    "export.csv"
  );
};
</script>

API Reference

The useFile composable returns an object with the following methods:

parse(content: string, options?: FileParseOptions<T>)

Parses a string (CSV, TSV, or JSON) and returns { data, errors, meta }. Synchronous.

parseFile(file: File, options?: FileParseOptions<T>)

Parses a File asynchronously. Format auto-detected from filename when omitted.

parseStream(file: File, options)

Chunked parsing for large CSV/TSV files. Returns { abort }. Use step or chunk callbacks.

preview(file: File, options?)

Parses only the first N rows. Returns Promise<{ data, meta?, truncated }>.

create(data: FileData, options?: FileCreateOptions)

Creates a string from an array of objects, array of arrays, or { fields, data } object. Supports CSV, TSV, JSON.

download(data: FileData, filename?: string, options?: FileCreateOptions)

Creates a string and triggers a browser download. Adds UTF-8 BOM for CSV/TSV (Excel compatibility).

Options

CsvParseOptions:

  • delimiter – Delimiter character (default: auto-detect)
  • header – If true, first row is header (returns array of objects)
  • dynamicTyping – If true, numbers and booleans are converted
  • skipEmptyLines – Skip empty lines (true or 'greedy')

CsvCreateOptions:

  • delimiter – Delimiter character (default: comma)
  • header – Include header row (default: true)
  • columns – Column order for array of objects
  • escapeFormulae – Escape leading =, +, -, @ to prevent CSV injection

useNotification

A composable for managing Baklava notification system with a simple and intuitive API.

Basic Usage

<template>
  <div>
    <button @click="showSuccess">Show Success</button>
    <button @click="showError">Show Error</button>
    <button @click="showWarning">Show Warning</button>
    <button @click="showInfo">Show Info</button>

    <!-- Required: Add the notification element to your template -->
    <bl-notification />
  </div>
</template>

<script setup lang="ts">
import { useNotification } from "@baklavue/composables";

const { success, error, warning, info } = useNotification();

const showSuccess = () => {
  success({
    caption: "Success!",
    description: "Operation completed successfully.",
    duration: 5,
  });
};

const showError = () => {
  error({
    caption: "Error!",
    description: "Something went wrong. Please try again.",
    duration: 8,
  });
};

const showWarning = () => {
  warning({
    caption: "Warning!",
    description: "Please review your input before proceeding.",
    duration: 6,
  });
};

const showInfo = () => {
  info({
    caption: "Information",
    description: "Here is some useful information for you.",
    duration: 4,
  });
};
</script>

API Reference

The useNotification composable returns an object with the following methods:

success(notification: NotificationProps)

Shows a success notification with green styling.

error(notification: NotificationProps)

Shows an error notification with red styling.

warning(notification: NotificationProps)

Shows a warning notification with orange styling.

info(notification: NotificationProps)

Shows an info notification with blue styling.

Notification Props

All notification methods accept a NotificationProps object with the following properties:

interface NotificationProps {
  caption?: string;    // Notification title
  description: string; // Notification message (required)
  duration?: number;  // Duration in seconds (optional)
  permanent?: boolean; // Prevent auto-close
  // ... other Baklava notification properties
}

Important Notes

  • Required DOM Element: You must include <bl-notification> in your template for notifications to work
  • Auto-icon: All notifications automatically include appropriate icons based on their variant
  • Duration: If no duration is specified, notifications will use Baklava's default duration
  • Error Handling: The composable includes built-in error handling and will warn if the notification element is not found

useScrollToError

Scroll to an element with validation error. Scrolls into view, optionally applies a highlight effect, and focuses the first focusable control. Works with input, select, textarea, bl-select, bl-input.

const { scrollToError } = useScrollToError();
scrollToError('[data-field="tags"]');
scrollToError(validationError); // when error has scrollTarget

useBaklavaTheme

Overwrite Baklava design system colors and tokens. Use the Vue preset, pass a custom preset object, or override specific colors, border radius, size, typography, or z-index.

const { applyTheme } = useBaklavaTheme();
applyTheme({ preset: 'vue' });
applyTheme({ colors: { primary: '#41B883' } });

useDisclosure

Open/close state for Dialog, Drawer, Dropdown, Accordion, and Tooltip. Avoids repetitive ref(false), open(), close(), toggle().

const { isOpen, open, close, toggle } = useDisclosure(false);
// Use with v-model:open on BvDialog, BvDrawer, BvDropdown

usePagination

Pagination state for tables and lists. Provides currentPage, pageSize, totalItems, totalPages, offset, slice helper.

const { currentPage, pageSize, totalItems, totalPages, setPage, setPageSize, slice } = usePagination({ totalItems: 100, pageSize: 10 });

useConfirmDialog

Drive BvDialog for confirm/cancel flows. Returns a promise that resolves to true when confirmed, false when cancelled.

const { confirm, isOpen, caption, description, handleConfirm, handleCancel } = useConfirmDialog();
const ok = await confirm({ caption: "Delete?", description: "Sure?" });

useClipboard

Copy text to clipboard. Integrates well with useNotification.

const { copy, copied } = useClipboard();
await copy("token");

useBreakpoints / useMediaQuery

Responsive breakpoints. useBreakpoints provides isMobile, isTablet, isDesktop. useMediaQuery for custom queries.

const { isMobile, isTablet, isDesktop } = useBreakpoints();
const matches = useMediaQuery("(max-width: 768px)");

useLocalStorage / useSessionStorage

Reactive sync with localStorage and sessionStorage. Works well with useBaklavaTheme and usePagination for persisting preferences.

const pageSize = useLocalStorage("table-page-size", 10);
const draft = useSessionStorage("form-draft", null);

useCookie

Reactive sync with document.cookie. Returns { value, get, set, remove }. Use for auth tokens or when values must be sent to the server.

const { value: token, set, remove } = useCookie("auth-token", "", { path: "/", maxAge: 86400 });
set("new-token");
remove();

useDebounceFn / useDebouncedRef

Debounce function execution or ref value. useDebounceFn returns a debounced function. useDebouncedRef returns a ref that updates after the delay. Useful for search inputs, autocomplete.

const debouncedSearch = useDebounceFn((q: string) => fetchResults(q), 300);
const searchQuery = ref("");
const debouncedQuery = useDebouncedRef(searchQuery, 300);

useThrottleFn / useThrottledRef

Throttle function execution or ref value. Useful for scroll, resize, mousemove handlers.

const throttledHandler = useThrottleFn(() => updateScroll(), 100);
const throttledScrollY = useThrottledRef(scrollY, 100);

useIntervalFn / useTimeoutFn

Pausable interval and cancellable timeout. useIntervalFn returns { pause, resume, isActive }. useTimeoutFn returns { run, cancel, isPending }.

const { pause, resume } = useIntervalFn(() => fetchData(), 5000);
const { run, cancel } = useTimeoutFn(() => showToast("Saved!"), 2000);

useFetch

Reactive fetch with loading/error/data. Supports abort, timeout, and manual execute.

const { data, error, isFetching, execute } = useFetch<User>(
  () => `https://api.example.com/users/${id.value}`,
  { immediate: true }
);

useIntersectionObserver

Detects when a target element enters or leaves the viewport. Useful for lazy loading, scroll-triggered animations.

const target = ref<HTMLElement | null>(null);
const isVisible = useIntersectionObserver(target, { threshold: 0.5 });

useRafFn

Calls a function on every requestAnimationFrame. Returns { pause, resume, isActive }. Useful for animation loops.

const { pause, resume } = useRafFn(({ delta }) => {
  position.value += velocity * (delta / 1000);
});

🏗️ Project Structure

packages/composables/
├── index.ts              # Main export file
├── file.ts               # File parsing, creating, download (CSV, TSV, JSON) composable
├── notification.ts       # Notification composable
├── scrollToError.ts      # Scroll to validation error composable
├── theme.ts              # Baklava theme composable
├── disclosure.ts         # Open/close state composable
├── pagination.ts         # Pagination state composable
├── confirmDialog.ts      # Confirm dialog composable
├── clipboard.ts          # Clipboard composable
├── cookie.ts             # useCookie composable
├── breakpoints.ts        # Responsive breakpoints composable
├── storage.ts            # useLocalStorage, useSessionStorage composables
├── debounce.ts           # useDebounceFn, useDebouncedRef
├── throttle.ts           # useThrottleFn, useThrottledRef
├── timer.ts              # useIntervalFn, useTimeoutFn
├── fetch.ts              # useFetch composable
├── intersectionObserver.ts  # useIntersectionObserver
├── raf.ts                # useRafFn composable
├── package.json          # Package configuration
├── tsconfig.json         # TypeScript configuration
└── README.md             # This file

🔧 Development

Prerequisites

  • Bun (recommended) or Node.js
  • TypeScript 5.9.2+

Setup

# Install dependencies
bun install

# Run the package
bun run index.ts

TypeScript Configuration

This package uses strict TypeScript configuration with:

  • ESNext target and modules
  • Strict type checking
  • Bundler-friendly module resolution
  • Unused variable/parameter detection

🤝 Contributing

  1. Fork the repository
  2. Create a feature branch
  3. Make your changes
  4. Add tests if applicable
  5. Submit a pull request

📄 License

This project is part of the Baklavue ecosystem. See the main project for license information.

🔗 Related Packages

  • @baklavue/ui - Baklava UI components for Vue
  • @trendyol/baklava - Core Baklava design system

📞 Support

For issues and questions:

  • Check the Baklava documentation
  • Open an issue in the project repository
  • Review the examples in the playground directory