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

malanka

v0.1.1

Published

Malanka framework

Downloads

8

Readme

Malanka Build Status

Install

npm install --save malanka

Quick start

To quick start you can use Malanka Skeleton. It is already configured to server side rendering

Basics

Malanka is full stack framework with handlebars like template engine. It is compile into virtual dom with output to string or DOM tree. Data model pretty like to backbone, but with data streams like in baconjs.

Then main goal of framework is to create universal components, which must render on server and client and provide easy way to restore their state to continue work.

Events locks

Malanka has ability to merge same events, like debounce, but without timers. It is allowing to reduce calculations and DOM modifications. Events in this case will be triggered not in depth, but in width. This means, that deep value proxies pipes will be modified with delay, but will be synced anyway.

You can toggle this behavior with Planner static methods:

Planner.enableLock(); // Turn on
Planner.disableLock(); // Turn off

Warning! Do not use it on server, because it will cause undefined behaviour.

To prevent parasitic computing you can also tell Planner to wait until all operations are done:

Planner.lock(() => {
    model1.set('a', 1);
    model2.set('b', 2);
});

// Here all events will be already triggered 

Attributes

All components and helpers accept all supported types:

<input
    data-int=1
    data-float=1.2
    data-bool=false
    data-null=null
    data-undefined=undefined
    data-array=[1, 2, 3]
    data-object={ a: 1, b: 2 }
    data-var=testVar
    data-watchVar=@testVar
    data-string="string:{{andSomeVarInside}}"
    data-helper={{multiple 1 2}}
    data-method=ctx.method()
>

Helpers

each

Each helper allows to render collection, array or value proxy:

let data = {
    array: [1, 2, 3],
    collection: new Collection([
        {id: 1},
        {id: 2},
        {id: 3}
    ])
}

and template:

{{!-- Output: 123 --}}
{{#each data.array scope="value"}}
    {{value}}
{{/each}}

{{!-- 
Output:

<ul>
    <li>1</li>
    <li>2</li>
    <li>3</li>
</ul>
--}}
{{#each data.array scope="value" tagName="ul"}}
    <li>{{value}}<li>
{{/each}}

{{!-- 
Output:

<!-- in fact CSS modules numbers class -->
<div class="numbers"> 
    <div>Value: <span>1</span></div>
    <div>Value: <span>2</span></div>
    <div>Value: <span>3</span></div>
</ul>
--}}
{{#each data.array scope="value" class="numbers"}}
    Value: <span>{{value}}</span>
{{/each}}

When Collection or ValueProxy passed malanka will be watching for updates

Short if helper

In some cases you can use short if statement instead of full block helper for more convenient record:

<div class="{{isVisible ? "visible" : "hidden" }}"></div>

it is equivalent to:

<div class="{{#if isVisible}}visible{{else}}hidden{{/if}}"></div>

Else block is not necessary:

<div class="{{isVisible ? "visible"}}"></div>

In case you want check variable and pass it or pass default value, you can write:

<div class="{{myClass ?: "defaultClass"}}"></div>

it is equivalent to:

<div class="{{#if myClass}}{{myClass}}{{else}}defaultClass{{/if}}"></div>

Template render pragma

Malanka supports special pragma for rendering components. It is use only during compilation and control rendering process

#bundle

It is extract component to separate module with webpack promise-loader:

<div class="test">
    <Sidebar #bundle=true>
        <Navigation items=navigationItems>
            ...
        </Navigation>
    </Sidebar>
</div>

In this example Sidebar and Navigation will be extracted in separate module and will be rendered on server as normal components, but will be initialize in Browser only after module loading. If rendering on client side only, then component appears on screen only after module loading.

#async

If component want to make async operations before rendering you can specify #async pragma, which tells to Malanka wait until process complete:

<Avatar model=user #async=loadAvatar>
    ...
</Avatar>
import {Component} from 'malanka';

export class Avatar extends Component {
    
    loadAvatar() {
        return new Promise((resolve, reject) => {
            let image = new Image();

            image.onload = resolve;
            image.onerror = reject;
            image.src = this.user.getAvatar();
        });
    }
    
}

Server rendering and client initialization will be waiting until process complete. Component appears only after promise resolve, if rendering starts on client side.

#match

If component must be rendered only on server or only on client, you can specify #match pragma, which creates components only if matches define params on ComponentScanner:

// webpack.config.js

modules.exports = {
    // ...
    plugins: [
        new ComponentsScanner({
            define: {
                is_server: false,
                is_client: true
            }
        })
    ],
};
<ServerInfo #match="is_server">
    ...
</ServerInfo>

<BrowserInfo #match="is_client">
    ...
</BrowserInfo>

In example above only BrowserInfo will be rendered, ServerInfo will not work.

Conclusion

You can combine pragmas with each other to create logic you want. For exmple, if you want render component on client only, after bundle and data loading you can write something like:

<UserStats 
    model=user 
    #bundle=true 
    #async="loadStats" 
    #match="is_client"
>
    ...
</UserStats>

It will appear on user screen only after bundle loading and will resolve promise in loadStats method of UserStats component.