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

ultimate-v-form

v1.0.1

Published

Form constructor for nuxt2

Downloads

3

Readme

Ultimate-V-Form

Набор компонентов формы. Работает как конструктор. Реализован из необходимости создавать большие формы. Позволяет декларативно описывать большие формы с любым дизайном, без необходимости лезть в код компонента. Содержит в себе только обнуляющие стили.

Импорт компонентов

import { FormWrapper, FormInput, FormText, FormSend, FormAgree } from 'ultimate-v-form';

Примеры использования

Вариант формы через компоненты

<FormWrapper
    :additional="{
        flatId: '1-2-3-4',
        mortgageType: 'family'
    }"                                 <!-- Дополнительные поля-->
    @before-send="onBeforeSend"        <!--Хук перед отправкой-->
    @send-success="countersHandler"    <!--Хук при успешной отправке-->
    @send-error="countersHandler"      <!--Хук при ошибке-->
    @available="onAvailableChange"     <!--Эмит при изменении доступности к отправке-->
>
  <FormInput
      name="phone"                     <!--Имя поля для api-->
      input-type="tel"                 <!--Тип инпута-->
      mask="phone"                     <!--Маска поля-->
      placeholder="Телефон"            <!--Плейсхолдер-->
      initial-value="+7 ("             <!--Начальное значение при фокусе поля-->
      required                         <!--Обязательное поле-->
      @update="onInputUpdate"          <!--Эмит при изменении поля-->
  />

  <FormInput
      name="email"
      input-type="email"
      placeholder="email"
  />

  <FormText
      name="message"                   <!--Имя инпута для api-->
      placeholder="Your text"          <!--Плейсхолдер-->
      minimal-length-required="10"     <!--Минимальная длина текста. Аналог required-->
      @update="onInputUpdate"          <!--Эмит при изменении поля-->
  />

  <FormAgree
    initial-active                     <!--Изначально активно-->
    @update="agreeUpdate"              <!--Эмит при изменении поля  -->
  >
    <template #before>                 <!--Темплейт для чекбокса-->
        <Icon id="checkbox" />
    </template>
    <template #default>                <!--Темплейт для текста-->
      Отправляя форму вы согласны
    </template>
  </FormAgree>

  <FormSend
      @click="sendClick"               <!-- Эмит клика-->
  >
      <StandardButton />               <!--Слот для кнопки-->
  </FormSend>

  <template #preloader>                <!--Темплейт для прелоадера FormWrapper-->
    <img src="/assets/preloader.svg" />
  </template>
</FormWrapper>

Вариант формы через объект в data()

<template>
  <div class="page">
    <FormWrapper>
      <Component
        v-for="(field, index) in fields"
        :is="field.component"             <!--Название компонента-->
        :key="index"
        v-bind="field.binds"              <!--Пропсы компонента-->
        v-on="field.handlers"             <!--Обработчики компонента-->
      />
      <FormSend>
        <StandardButton />
      </FormSend>
      <template #preloader>
        <img src="/assets/preloader.svg" />
      </template>
    </FormWrapper>
  </div>
</template>

<script>
import { FormWrapper, FormInput, FormText, FormSend, FormAgree } from 'ultimate-v-form';
export default {
  components: {
    FormWrapper,
    FormInput,
    FormText,
    FormSend,
    FormAgree,
  },
  data() {
    return {
      fields: [
        {
          component: 'FormInput',       // Название компонента
          binds: {
            name: 'phone',              // Имя поля для api
            inputType: 'tel',           // Тип инпута
            mask: 'phone',              // Маска поля
            placeholder: 'Телефон',     // Плейсхолдер
            initialValue: '+7 (',       // Начальное значение при фокусе поля
            required: true,             // Обязательное поле
          },
          handlers: {                   // Описание обработчиков
            update: this.onInputUpdate,
          },
        },
        {
          component: 'FormInput',
          binds: {
            name: 'email',
            inputType: 'email',
            placeholder: 'Почта',
          },
          handlers: {                  
            update: this.onInputUpdate,
          },
        },
        {
          component: 'FormText',         // Название компонента
          binds: {
            name: 'message',             // Имя инпута для api 
            minimalLengthRequired: 0,    // Минимальная длина текста. Аналог required  
            placeholder: 'Ваш текст',    // Плейсхолдер 
          },
          handlers: {
            update: this.onInputUpdate,
          },
        },
        {
          component: 'FormAgree',         // Название компонента
          binds: {
            initialActive: true,          // Изначально активно
            text: 'Солгасен на обработку' // Текст
          },
          handlers: {
            update: this.onAgreeUpdate,   // Эмит при изменении поля
          },
        },    
      ],
    };
  }
}
</script>