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

react-any-event

v1.0.5

Published

Create and handle new events for HTML elements

Downloads

16

Readme

react-any-event

Coverage Status License


The purpose of the package is to assist you adding any custom event to any HTML element in React environment. The package provides a component called AnyEvent that wraps any HTML elements you wish to add any event to, and to it's children according to the elements type.

Installation

$ npm install react-any-event

Usage

import AnyEvent from 'react-any-event';

The component receives two properties, events & subtree. The events property is array defining each event to add to any HTML element it wraps directly or in the tree. One of the main features is that attrbutes changed programmatically are also can trigger the event. For an example, the 'change' event of an input element is not fired when you change the value of the input programmatically. With AnyEvent you can achieve this with ease. You can define any event you wish on any kind of element as your needs or imagination require.

The component wraps its childern with a span element. You can provide any attribute to apply to this span to match your requirements such as className etc.

Properties

subtree

An optional boolean (default is false). Determine if to apply the event on direct children nodes or for all in the tree.

events:

An array of objects:

| property | type | | | :------------ | :------------ | :------------ | | name | string | The name of the event. | | triggerByAttributes | string[] | Optional. Array of attributes such as ['value', 'title', 'class', ...] | | triggerByEvents | string[] | Optional. Array of events such as ['change', 'keyup', ...] | | elementsType | HTML Elements constructor [] | Optional (default HTMLElement) On which elements type to apply the event. Such as [HTMLElement, HTMLInputElement, HTMLDivElement, ...] | | triggerEventFn | function(event, propName): boolean | The funciton that triggers the event. The this variable is the element the event fired on. If the function returns true the event will be fired. |

| Events can be tricky, so please | | :------------: | | Do not use names of existing events. This can cause unexpected result. | | Do not nest events with the same or inherited HTML constructors with subtree: true. | | This can also cause unexpected result. |

Example 1

This will fire on any change even if it's programmatically:

<AnyEvent
    events={{
        name: "value",
        triggerByAttributes: ["value"],
        triggerByEvents : "change",
        elementsType : [HTMLInputElement],
        triggerEventFn: () => true,
    }}>
    <input ref={(input => this.input = input)} />
</AnyEvent>
	this.input.addEventListener('value', () => { /* event handler */ });

**Remark, in this example you can omit the HTMLInputElemnent because AnyEvent holds just one element.

Example 2

Let's say, you want to do something when the user types 'banana' in the text box. The 'change' event will be used for something else. It really dosn'nt matter. You don't want to mix unrealted things. So you can create an event called 'banana'. You also want it to be on every Input element:

<AnyEvent
    events={{
        name: "banana",
        triggerByAttributes: ["value"],
        triggerByEvents : "change",
        elementsType : [HTMLInputElement],
        subtree: true,
        triggerEventFn: () => this.value.indexOf('banana') > -1,
    }}>
    <div className="container">
        <!-- HTML of your page having many elements and somewhere the next line -->
        <input ref={(input => this.bananaInput = input)} />
    </div>
</AnyEvent>
...
bananaHandler (event) {
    // do something ...
}
...
this.bananaInput.addEventListener('banana', this.bananaHandler);
...

Example 3

Maybe this should be the first one. For complete solution enabling using the onEvent good old way. You can use the react-any-attr package. Here we create an event for ANY element that may display ellipsis using the isellipsis package.

App.js

import React from 'react';
import Main from "./Main";
import { isEllipsis } from 'isellipsis';
import AnyEvent  from 'react-any-event';
import './App.css';

function App() {
  return (
      <AnyEvent
          className={'react-any-event'}
          events={[{
              name: 'ellipsis',
              triggerByAttributes: ['value'],
              triggerByEvents: ['blur'],
              subtree: true,
              elementsType: [HTMLInputElement, HTMLDivElement],
              triggerEventFn: function (event, property) {
                  // The "this" in this function is the element.
                  const currentEllipsis = !!isEllipsis(this, true);
                  const previousEllipsis = !!this.ellipsisState;
                  this.ellipsisState = currentEllipsis;
                  // If the return value is true the event will be dispached.
                  return currentEllipsis !== previousEllipsis;
              },
          }]}>
            <div className="App">
                <header className="App-header">
                    The app header
                </header>
                <Main />
            </div>
      </AnyEvent>
  );
}

export default App;

Main.js

import React, { Component } from 'react';
import AnyAttribute, { asObject } from 'react-any-attr';
import './Main.css';

class Main extends Component {
    state = {
        ellipsisState: false
    }
    onEllipsisHandler = (event) => {
        this.setState((state) => ({...state, ellipsisState: !state.ellipsisState}))
    }
    render  () {
        const { state: { ellipsisState }} = this;

        return (
            <div>
                <AnyAttribute
                    attributes={{
                        onEllipsis : asObject(this.onEllipsisHandler),
                    }}>
                    <input
                        id={"input"}
                        className={`set-ellipsis ${ellipsisState ? 'ellipsis-on' :''}`}
                    />
                </AnyAttribute>
            </div>
        );
    }
}

export default Main;

Main.css

.set-ellipsis {
    overflow: hidden;
    white-space: nowrap;
    text-overflow: ellipsis;
}

.ellipsis-on {
    border-color: red;
}

##Have a good productive day :)

If you like this package please consider donation Click Here