Surf JS

A Small Plugin Extendable Animation, Reactive Element Template Library

What is it?

Surf JS is a small ~16kb plugin extendable JavaScript utility and animation library _as well as_ a component library for building user interfaces (UI).

Where To Get It?

Get it from Github: HERE

Features

  • Super Small! - currently at around ~16KB minified (smaller if gzipped).
  • Build with Components - Optional component based syntax allowing you to build your UI with components without using JSX.
  • Reactive Element Templates - Reactive element templates are strings in your HTML that look like {{msg}} and once initialized can become ANYTHING you desire when you desire. When your data changes you can set the template to your new data, new HTML or even new components!
  • Easy Familiar Syntax - familiar chainable syntax with built-in DOM manipulation methods.
  • A Delay/Animation Queue - An iteratable and cancellable delay/animation queue for building custom effects and animations.
  • Data - Create basic or advance visuals based on Data.
  • Extendable - Highly configurable (you can change anything you want about the base functionality with a run time config) and it's extendable with plugins.
  • Lightweight JQuery Clone - Optionally can be used as a general purpose JQuery like library.
  • Versatile - It's intended to give you power and not lock you down into any one way of doing things. You can probably find ways to use it that the author has not even thought of yet. Use it in ways that you and your team define!

Getting Started

Basic usage for manually adding and using Surf JS to a web page.

Add Surf JS to your page before your closing body tag:


<script src="https://yoururl.com/surf.min.js"></script>

First make sure it works

So we can do more interesting things later but first let's use Surf JS similar to how we would use JQuery to make sure our setup is working.

In an html file:


// Somewhere in your HTML

<div id="app"> I am an App </div>

In a script tag after surf.min.js:


// Create kickoff function that will run once the document is ready.

function kickoff(){
$("#app").css("color: red;");
}


// Run your function when the document is ready...

$(document).ready(kickoff);

Is it working?

You should see this if it's working:

I am app

Reactive Element Templates

Surf JS has a really powerful feature called "Reactive Element Templates" that allows you to manipulate your HTML with changing data defined by {{templates}}. Since Reactive Templates resolve to functions (once they are activated) there is no DOM querying...changes are live!

The main takeaway here is that...when your data changes, templates can be used to display your data as text, HTML or even components!

Lets start with a basic example to see how Reactive Templates work

In your html file add:


// Somewhere in your HTML

<div id="msgapp"> My msg will change. This is {{msg}} </div>

In your script file somewhere in your kickoff function add:


// Somewhere in your kickoff function of your JS script

// Use set to change msg and CSS to color #msgapp green so we can see it;
$("#msgapp").set({msg: "my gnarly note!"}); // We can send in HTML, text or components here;
$("#msgapp").css("color: green;");

My msg will change. This is {{msg}}

If you are lucky enough to catch a glimpse you should see the msg in the template change when the browser is done loading.

Keep in mind this is setting the templates via HTML in a textual based JQuery like way, but templates give you even more power when setting them to or from components!

Components

Ever wonder what it would be like if JQuery had a component based system?

SurfJS has an easy and familar syntax for writing components to make your UI composable.

Creating a re-usable component is as easy as writing a function (a named function or an arrow function and a name parameter) that returns an element then registering it by calling a special function $().register(componentName) to register it. Once registered it can be used over and over by it's name.

Let's give it a try:

First we will need a place to put our component in.

In your HTML file:


// Somewhere in your HTML

<div id="comp1">  </div>


Now lets make the component - a button that increments a counter when clicked.

Somewhere in your script file (located before the closing </body> tag or where it will be called by $(document).ready ) define a function for your component:



// A button component that counts when clicked

function buttonCounter(props={}){
  let color = props.color || 'green';

   // The component with create a node each time it's used

  const node = $().createNode("button");


  // This node's CSS, attributes, reactive template and html

  $(node).html('Count is: {{cnt}} ').attr('data-count', 0).css(`cursor: pointer; color: ${color};`);


  // initialize cnt template to 0

  $(node).set({cnt: "0"});

  // Add a click event to the node

$(node).on("click", function(){
let cnt = parseFloat($(this).attr("data-count"))+1;
$(this).attr("data-count", cnt);
$(this).set({cnt: cnt}); // this.cnt(cnt); Will work too!
});


 // A component must return an element
return node;
}


Now register the component so SurfJS knows about it...


// Register the component
$().register(buttonCounter); 

To make sure our component works we will use Surf JS's "append" method to add it to the DOM... but keep in mind you can add components to other components with a special syntax which we will get to later.



// create a reference to a component

let abutton = $().buttonCounter( {color: 'purple'});  // OR  $().buttonCounter();  OR $(buttonCounter);  OR see below for not creating a reference


// Create a reference to the place we want to put our component

const comp1 = $("#comp1").first();


// Finally append the component to the element in DOM

$(comp1).append(abutton);  // OR without a reference: $(comp1).append($().buttonCounter());  // OR $(comp1).append($(buttonCounter));


// To render the component without a reference use the backtick notation (component name followed by two backticks)
$(comp1).append(buttonCounter``);  

See if it works!

Syntax to render components to other components

The most useful thing about components is their re-use. In this section we will go over how to add a component to another component.

Here we will make a containerBox component and add our buttonCounter we made earlier to it. We will add buttonCounter twice to show different ways to do it.

Make a place in the DOM to hold our containerbox component.

In your HTML file add:


// Somewhere in your HTML

<div id="comp2"> some random place holder text not required  </div>

In your script file add the code below for the containerBox component:


// A component for a container box

function containerBox(){

  // The kind of element this component will be...

  const node = $().createNode("div");
  
  // Some HTML with a reactive template for demonstration purposes.

  $(node).html("<p>{{ button }}</p>");


  // Some CSS to add a border so we can see it.

  $(node).css("border: 2px solid blue; padding: 9px; width: 120px;"); 


  // There are two ways to add a component - use the Set method on templates or DOM insertion.
  // If using both ways in the same component the Set method on templates must come first.


  // First way: Set a template to another component

  $(node).set({ button: $().buttonCounter() });  // OR $(node).set({ button: $(buttonCounter) });  



  // Second way: Use DOM manipulation methods to add a component to this component

  $(node).prepend( $().buttonCounter() ); // OR $(node).prepend( $(buttonCounter) );

  return node; // components must return an element
}

// Don't forget to register it somewhere in your script file
$().register(containerBox);


Test it to see if adding components to another works.

Somewhere else in your kickoff script add:



// create a new instance  

const abox = $().containerBox();  // OR const abox = $(containerBox); 

$("#comp2").append(abox); // add to somewhere in the DOM OR with variable instance do $('#comp2').append($().containerBox());


You should now see three components - 1 containerBoxcomponent containing 2 buttonCounter components!

We covered a lot of ground introducing the basics of Surf JS but the possibilities are endless!

I hope you have enjoyed this short tutorial on getting started with Surf JS and would love to see what you will build.

Data

Tired of loading large KBs worth of charting libraries?

You can use SurfJS to pass in and use data to make visuals and basic charts!

You can pass in an array of data (or an array of JSON data) like D3.js to create new elements to display that data.

If you are familiar with D3 then you can probably guess what this next line does. You can get quite advanced results with this technique but here is a basic one liner example that creates divs based on the number of elements in the data array and uses "d" which the element index of the array as the HTML for the new div.


$("#fruit" )
  .data([3, 4, 10, 15])
  .create("div")
  .each( function(y,d, i) {
           $(y)
             .css(`display: block; background: orange; width: ${d*20}px; margin-bottom: 3px;`)
             .html(d)
         }
       );

Fruit

Extending Surf JS

You can add your own functionality and make plugins to extend Surf JS

Let's make a plugin. In your kickoff script file from above add:


// A simple plugin function that you can write.


// A plugin must be a normal function and not an arrow function.
function plugme(){
// The stack can be accessed by this.stk; which is everything in $(".app");

//console.log(this.stk)
for( const y of this.stk){
Surf(y).css("color: brown;");
}
return this; // plugins must return this to be chainable
}



// Now tell Surf to use the plugin: 
// *** Note you must add plugins at the top of your script file before using them. 

Surf.plugin.fn.plug = plugme;

// Use the new plugin:


$("#app").plugme();


// OR

// Surf("#app").plugme();

Delay / Animation

SurfJS has a powerful delay method that can be used to call functions after a period of time and will queue functions passed to it and run them in sequence no matter how many chained calls to delay you make (with the exception of delay with a cancel flag).

Delay also has an option for iterations. Because of the queue, iterations, fps and cancel features, you can use delay to build your own precise effects and animations. Therefore the delay method can also be called with the "animate" alias.

* Note - SurfJS's delay is NOT the same as JQuery's delay.

* Note - SurfJS's delay, delays and queues functions passed to it NOT the chained methods that follow it.

* Note - SurfJS's delay/queue gives each element on the stack chain it's own cancellable queue.

Below is an example animation using delay to first move a box right then left by clicking a button.

Move Me


// The html for the above
<div class="moverun op">Move Me</div>
<div class="greenbox"></div>


// The green square.
let greenbox = $(".greenbox").first();
$(greenbox).css("border: 3px solid black; height: 50px; width: 50px; background: green;");


// the button/link to start the animation.
let moverun = $(".moverun").first();
$(moverun).css("cursor: pointer; max-width: 110px; text-align: center; font-weight: bold; margin-bottom: 10px; border: 1px solid blue; border-radius: 4px;");


// The functions to have delay run for us.

// To right 
function toRight(options){
let lf = $()._cs(options.el, "left", true);
$(options.el).css(`position: relative; left: ${lf+1}px;`);
}


// To Left
function toLeft(options){
let lf = $()._cs(options.el, "left", true);
$(options.el).css(`position: relative; left: ${lf-1}px;`);
}


// The event attached to the button to start the animation
$(moverun).click(function(e){
$(e.target).css("pointer-events: none; opacity: 0.6;").text("running...");
// every 10 milliseconds call toRight for a total of 150 iterations then do the same for toLeft then delay an inline function to set the css of moverun button
$(greenbox).delay({time: 10, itr: 150, fn: toRight, }).delay({time: 10, itr: 150, fn: toLeft, }).delay({time: 100, fn: () => {   $(moverun).css("pointer-events: auto; opacity: 1;").text("Move me");    } });
});



// To cancel a queue simply run delay with the cancle option set to true.
// Run following from a queued function based off of some condition like iteration count or similiar or after a setTimeout.

$(greenbox).delay({cancel:  true });// only the queue of greenbox will be canceled.

//OR

$(".foo").delay({cancel:  true });// the queue of elements of class foo will be canceled.


Draggle Plugin

This section is currently being updated, please stay tuned.

Public Methods

Here is a list of Surf JS's public methods all of which can be used from within components or like you would for DOM manipulation as with JQuery:

  • outerHTML - Set or return the html of an element.
  • html - Set or return the html of an element.
  • text - Set or return the text of an element.
  • data - Get or set data attributes of a node.
  • click - click event only.
  • addEvent - Add events to an elements on the stack ("on" is shorthand).
  • removeEvent - Remove events from elements on the stack - removes all occurrences of etype i.e 'click'.
  • trigger - Trigger the event e for all of the stack.
  • register - Register a component.
  • scroller - Scroll to bottom of el.
  • scrollTo - Scroll to element "to".
  • removeAttr - Remove attribute str.
  • attr - Set or get attribute.
  • css - Set or Get CSS of elements of stack.
  • requestInterval - Replacement for setInterval for smooth animations.
  • delay - Execute function for every element in _stk after a delay with optional iterations.
  • fadein - fade in an element with speed in milliseconds and an option display setting to end with.
  • fadeOut - fade out an element with speed in milliseconds and an option display setting to end with.
  • classToggle - Toggle class (add or remove) on elements of stack.
  • toggle - Toggle visibility of elements on stack.
  • after - Insert elements or html strings after elements in stack using internal __beforeOrAfter method.
  • before - Insert elements in stack before str using internal __beforeOrAfter method.
  • insertBefore - Insert elements or html strings before elements in stack using internal __beforeOrAfter method.
  • insertAfter - Insert elements or html strings after elements in stack using internal __beforeOrAfter method.
  • append - Append elements or html strings to elements of stack.
  • prepend - Prepend elements or html strings to elements of stack.
  • prependTo - Append elements or html strings to first element of param.
  • appendTo - Append elements or html strings to first element of param.
  • parent - PARENT for each element in the stack put each direct parent on the stack and subsequent chains will act on the parents - if You want to return the collection chain with ._ or .first or all() to return the first parent of the stack.
  • parents - Run fn against parents of elements on stack or that match matchsel param then push all found parents to new stack.
  • children - Finds only direct children of elements on stack but children.children will keep going if first in chain is true.
  • find - Find elements within elements of stack...can pass in a selector that is valid to querySelectorAll or a singular element.
  • forEvery - Run fn against every element in stack that matches str.
  • grab - Return either all or singular elements from stack to retain a reference usually by variable assignment.
  • each - Run fn against every element in stack.
  • detach - Remove elements of stack from DOM.
  • addClass - Add class of param s to all elements of stack.
  • removeClass - remove class of param s from all elements of stack.
  • clone - Clone what is on the stack - if true clone events too.
  • wrap - wrap elements in html strings.
  • isString - Check if param is of type string.
  • isFunction - Check if param is of type function.
  • isNumber - Check if param is of type Number.
  • isEmpty - Check if param is an empty opject.
  • isObject - Check if parameter is an object.
  • isElement - Check if parameter is a DOM element.
  • isArray - Check if param is of type Array.
  • set - Set template string in object opts to new values.
  • submit - Submit forms.
  • reset - Reset templates back to what they were.
  • setState - Set named states on elements and update HTML (overwrites existing HTML).
  • removeState - Remove named states on elements and update HTML (overwrites existing HTML).
  • _init - Parse elements for templates and convert them to functions.
  • ready - Run function when document is ready - it's pretty important so it's the first method.
  • _isTouch - Check if we are on a touch device.
  • _rect - Return the number of an elements properties.
  • _cs - Return computed Styles of an element.
  • _sfilter - Filter out non printing chars from a string.
  • _createNode - Create a new Element and return it.
  • _uuidv4 - Create a unique uuid version 4.
  • hidekbd - Hide keyboard on touch devices.
  • _rpx - Remove px, %, em from a number.
  • _getAtPt - Get element under mouse cursor.
  • _singleDash - Replace multiple dashes with one.
  • _camelDash - Return hyphenated names as camel case foo-foo becomes fooFoo.
  • _getstack - Return Element at stack specified by num as param.
  • _createEvent - Create events.
  • _dispatchEvent - Dispatch events - this will dispatch the event for the specified element must be valid string name for e element reference for el.

More documentation/usage/tutorials coming soon...