0.12.24 • Published 4 years ago

avuef v0.12.24

Weekly downloads
57
License
-
Repository
-
Last release
4 years ago

Avue - Finite State Machine

Store state managment plugin for vue and nuxt

npm version Build Status dependencies Downloads

Nota bene

Intro

Решения ставшими классикой, vuex/redux/flux - выполняют свои задачи многословно, что не всегда бывает удобно. Излишне описывать отдельно каждую мутацию изменения состояния. Это одна из первопричин возникновения текущего решения.

a & f

В основе решения лежат действия, потки данных и связи между ними.

f - Потоки

Потоки данных они же узлы графа, атомарно обновляемые, реактивные контейнеры состояния . Тип потока - это функция содержащая в себе состояние - данные. Передаваемые аргументы в функцию устанавливается как её состояние. Тот же смысл при присвоении переменной значения через равно. Для получения значение потока - следует вызвать функцию без параметров, тогда она вернёт текущее значение - состояние потока. API потоков ещё не описан, но примеры использования потоков вне avue, можно посмотреть тут - https://github.com/gleba/alak/blob/master/tests/level1.ts

Схема графа. Создание потоков

Схему графа хорошо представлять как водопровод. Описания сообщающихся между собой сосудов. Где сосуд - узел графа типа поток. Описывая узел - мы можем указать действие для его получения. Например flow1: A.get("action1"). В описании следующего узла можем указать связь с предыдущим узлом : A.on("flow1", "action2") - это будет означать, action2 получит результат выполнения функции action1. И результат выполнения каждой функции сохранится состоянием в узлах графа. Кроме того можно создавать узлы состояние которых будет установлено из вне - A.f. При создании узлов без связей можно использовать дополнительные свойства узла.

Создание потоков как узлов графа происходит при запуске приложения по описанной пользователем схеме.

...

Глобальные константы

  • A Константа A используется при создании схемы графа. Её смысл - фабрика узлов.
  • a В компонентах используется константа $a для вызова действий и доступа к глобальному стейту.
  • f Констаната $f компонентах - она же второй аргумент передаваемый в функцию инициализации объекта действий, является экземпляром класса схемы графа. Основное назначение - доступ к состояниям узлов и их мутации.

...

A Base node types

The types of nodes for the graph flow can be mixed as needed

A.f.state.stored
A.f.stored.immutable

state: AGraphNode

Create one way binding in global store.

// in FlowGraph class
class FlowGraphSchema {
   hello: A.f.state
   subModule: {
     world: A.f("predefinedValue").state
   }
 }
// in vue component
<template>
  <div>{{$a.state.hello}} + {{$a.state.world}} </div>
</template>

stored: AGraphNode

Save and restore in local storage any data value.

 module = {
   user: A.f.state.stored
   userId: A.f.stored
 }

immutable: AGraphNode

Any get data value for node will be cloned

// in FlowGraph class
 module = {
   user: A.f({name:"Xaero"}).immutable
   spy: A.on("user", "make-spy")
 }
// in action function
(actionRun, f)=>({
 "make-spy" (user) {
   user.name // Xaero
   user.name = "Spy"
   f.module.user.v.name // Xaero
   return user
 }
})

stateless(): AFlow

Works as event bus. Can't mixed with other types.

 A.f.stateless()

emitter(): AFlow

Adds the ability to call a node without a parameter

// in FlowGraph class
 class FlowGraphSchema {
   showSettingsPanel: A.f.stateless().emitter()
 }
// in vue component
<template>
  <button @click="$f.module.showSettingsPanel()">Show Settings</button>
</template>
// in other vue component
<script>
  export default {
   data:()=>({isOpen:false})
   onFlow: {
     "module.showSettingsPanel"() {
       this.isOpen = true
  }}}
</script>

A Graph Edges between nodes

A graph flow schema builder constant based on alak library

f: AGraphNode

Create base flow node , same as flow.

A.f
A.flow

on: (parentFlowPath: string, actionPath: string) => AFlow

When update parent flow node call action with parent flow data and set returned data from action as current flow.

A.on("user.id", "user.get-by-id")

lazyOn: (parentFlowPath: string, actionPath: string) => AFlow

Create edge if current flow used in vue templates. When update parent flow node call action with parent flow data and set returned data from action as current flow.

A.lazyOn("user.id", "user.get-by-id")

get: (actionPath: string) => AFlow

Create edge if current flow used in vue templates. Create flow from returned action data.

A.get('users.get-list')

lazyGet: (actionPath: string) => AFlow

Create edge if current flow used in vue templates. Create flow from returned action data.

A.lazyGet('users.get-list')

AVue

Base class for create Avue instance

import Vue from 'vue'
import {AVue} from "avuef"

const avue = new AVue<FlowGraph>(FlowGraphClass, actionModules)
vue.use(avue)

constructor(schemaClass: T, actionModules: {

Schema сlass is a store and a data graph flow.

class FlowGraphSchema {
  showSettingsPanel: A.f.stateless()
  module = {
     userDNK: A.f.stored,
     user: A.on("userDNK", "get-user-by-dnk"),
     world: A.lazyOn("user", "get-user-world")
     sub: {
       test: A.lazyOn("module.userDNK", "module0.deep-action")
}}}

Actions modules can be initialized as returned object form function with flow instance and action launcher arguments

const actionModules (

f) => ({
 entry() {
   // always run on start
 },
 module0:{
   dif: async (a,b) => a-b
 },
 module:{
   add: v => v+v,
   "new-user-by-dnk" (v) {
     let ten = a("add", 5) // in same module use relative path for call actions
     let two = await a("module0.dif", 5, 3)
     ...some create user by dnk code
     return user
   }
})

$f & f graph flow store mutator

Component prototype parameter for mutate graph flow store

(flowPath: string, value: any): void

Silent mutation without notify child edges/listeners in graph flow just update state for ui components

$f("someModule.firstFlow", {v:true,data:0})

metaParam: string: AFlow

Mutate and notify all edges/nodes/listeners in graph flow

$f.someModule.firstFlow({v:true,data:0})

get value in component methods

let firstFlow = this.$f.someModule.firstFlow()
let sameAs = this.$f.someModule.firstFlow.v

same get value in action modules

let sameAs = f.someModule.firstFlow.v
let immutableValue = f.someModule.firstFlow.imv

$a Actions component object

Component prototype parameter for launch actions, access global state, and more

launch(actionPath: string, ...args): Promise | any

Call action by path with argument

$a.launch("user.get-by-id", 1)

state: { flowName: string: any }

Global store for nodes with params state in graph flow schema. Reactive update in ui templates. $a.state.userId

during: { actionPath: string: boolean }

Progress boolean state for any action by same path

$a.during['get-by-id']

Vue Component Options

mapFlow?: { propNameOrModuleName: string: string[] | string }

map flow data to component state

// in FlowGraph class
class FlowGraphSchema {
   module0 = {
     greetings: A.f
   },
   module1 = {
     world: A.f,
     flowFromModule1: A.f
   },
   module2 = {
     flowFromModule2: A.f
     otherModule2Flow: A.f
   }
 }
// in vue component
<template>
  <pre>
    {{hello}} {{world}}
    {{flowFromModule1}}
    {{flowFromModule2}}
    {{otherModule2Flow}}
  </pre>
</template>
<script>
  export default {
   mapFlow:{
     "hello": "module0.greetings"
     "module1": ["world","flowFromModule1"], //map selected properties
     "module2": [] //map all properties
}}
</script>

onFlow?: { flowPath: string: (...dataValues) => void }

listen flow

onFlow:{
 "module1.username"(v){
    this.username = v.toUpperCase()
    // ... just do something with v flow data value
 }
}
0.12.23

4 years ago

0.12.24

4 years ago

0.12.18

4 years ago

0.12.19

4 years ago

0.12.20

4 years ago

0.12.21

4 years ago

0.12.10

4 years ago

0.12.11

4 years ago

0.12.16

4 years ago

0.12.12

4 years ago

0.12.13

4 years ago

0.12.14

4 years ago

0.12.15

4 years ago

0.12.7

4 years ago

0.12.8

4 years ago

0.12.9

4 years ago

0.8.22

4 years ago

0.12.1

4 years ago

0.12.2

4 years ago

0.12.3

4 years ago

0.12.4

4 years ago

0.12.5

4 years ago

0.12.6

4 years ago

0.8.21

5 years ago

0.8.20

5 years ago

0.8.19

5 years ago

0.8.18

5 years ago

0.8.17

5 years ago

0.8.16

5 years ago

0.8.15

5 years ago

0.8.14

5 years ago

0.8.13

5 years ago

0.8.12

5 years ago

0.8.11

5 years ago

0.8.10

5 years ago

0.8.9

5 years ago

0.8.8

5 years ago

0.8.4

5 years ago

0.8.3

5 years ago

0.4.0

6 years ago

0.3.20

6 years ago

0.3.19

7 years ago

0.3.18

7 years ago

0.3.17

7 years ago

0.3.14

7 years ago

0.3.13

7 years ago

0.3.12

7 years ago

0.3.11

7 years ago

0.3.10

7 years ago

0.3.9

7 years ago

0.3.8

7 years ago

0.3.7

7 years ago

0.3.6

7 years ago

0.3.5

7 years ago

0.3.4

7 years ago

0.3.3

7 years ago

0.3.2

7 years ago

0.2.51

7 years ago

0.2.50

7 years ago

0.2.49

7 years ago

0.2.48

7 years ago

0.2.47

7 years ago

0.2.46

7 years ago

0.2.45

7 years ago

0.2.44

7 years ago

0.2.43

7 years ago

0.2.42

7 years ago

0.2.41

7 years ago

0.2.40

7 years ago

0.2.39

7 years ago

0.2.37

7 years ago

0.2.36

7 years ago

0.2.35

7 years ago

0.2.34

7 years ago

0.2.33

7 years ago

0.2.32

7 years ago

0.2.31

7 years ago

0.2.30

7 years ago

0.2.24

7 years ago

0.2.23

7 years ago

0.2.22

7 years ago

0.2.21

7 years ago

0.2.20

7 years ago

0.2.19

7 years ago

0.2.18

7 years ago

0.2.16

7 years ago

0.2.17

7 years ago

0.2.15

7 years ago

0.2.14

7 years ago

0.2.13

7 years ago

0.2.12

7 years ago

0.2.11

7 years ago

0.2.8

7 years ago

0.2.6

7 years ago

0.2.5

7 years ago

0.2.4

7 years ago

0.2.3

7 years ago

0.2.2

7 years ago

0.2.1

7 years ago

0.1.21

7 years ago

0.1.20

7 years ago

0.1.19

7 years ago

0.1.18

7 years ago

0.1.17

7 years ago

0.1.16

7 years ago

0.1.15

7 years ago

0.1.14

7 years ago

0.1.13

7 years ago

0.1.12

7 years ago

0.1.11

7 years ago

0.1.10

7 years ago

0.1.9

7 years ago

0.1.8

7 years ago

0.1.7

7 years ago

0.1.6

7 years ago

0.1.4

7 years ago

0.1.3

7 years ago

0.1.2

7 years ago

0.1.1

7 years ago

0.0.72

7 years ago

0.0.70

7 years ago

0.0.69

7 years ago

0.0.68

7 years ago

0.0.67

7 years ago

0.0.66

7 years ago

0.0.65

7 years ago

0.0.64

7 years ago

0.0.63

7 years ago

0.0.62

7 years ago

0.0.61

7 years ago

0.0.60

7 years ago

0.0.58

7 years ago

0.0.55

7 years ago

0.0.54

7 years ago

0.0.53

7 years ago

0.0.52

7 years ago

0.0.51

7 years ago

0.0.50

7 years ago

0.0.49

7 years ago

0.0.48

7 years ago

0.0.47

7 years ago

0.0.46

7 years ago

0.0.43

7 years ago

0.0.42

7 years ago

0.0.41

7 years ago

0.0.40

7 years ago

0.0.39

7 years ago

0.0.37

7 years ago

0.0.35

7 years ago

0.0.36

7 years ago

0.0.29

7 years ago

0.0.28

7 years ago

0.0.27

7 years ago

0.0.26

7 years ago

0.0.25

7 years ago

0.0.24

7 years ago

0.0.23

7 years ago

0.0.22

7 years ago

0.0.21

7 years ago

0.0.20

7 years ago

0.0.19

7 years ago

0.0.18

7 years ago

0.0.17

7 years ago

0.0.16

7 years ago

0.0.15

7 years ago

0.0.14

7 years ago

0.0.13

7 years ago

0.0.12

7 years ago

0.0.11

7 years ago

0.0.10

7 years ago

0.0.9

7 years ago

0.0.8

7 years ago

0.0.7

7 years ago

0.0.6

7 years ago

0.0.5

7 years ago

0.0.3

7 years ago

0.0.2

7 years ago

0.0.1

7 years ago