• Stars
    star
    22
  • Rank 1,017,790 (Top 21 %)
  • Language
    JavaScript
  • License
    GNU Lesser Genera...
  • Created almost 14 years ago
  • Updated about 12 years ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

Programming language to automatically generate programs by evolution (genetic programming).

Evolu Lang

Evolu Lang is a programming language to automatically generate programs by evolution (genetic programming). Generator (genetic algorithm, particle swarm optimization or other) will use Evolu Lang to compile bytes with random mutations (gene) to program, run and test it.

It is created to be readable by human beings (instead of artificial neural networks) and easily editable and mixable for genetic algorithm (instead of tree structure and modern production languages).

How It Works

A developer defines commands by Evolu Lang to create a business specific language (or uses the standard commands pack) and defines tests (fitness), to determine what program he or she wants to create.

In the next step he or she uses a generator, which uses a genetic algorithm, particle swarm optimization or other evolutionary algorithms. In the simplest case:

  1. Generator creates an array (population) with random bytes (genes).
  2. It adds random changes (mutation) to each byte stream in this array.
  3. It compiles each of these random byte streams by Evolu Lang and runs obtained programs with tests.
  4. Bad programs will be deleted and best programs will be copied to the population.
  5. Generator returns to step 2 until an obtained program passes all of the tests.

Features

  • It is similar to usual programming languages with variables, commands, blocks and conditions.
  • Simple and explicit code. If you change one byte of code, you will change one command or parameter in program. If you just join two half parts of two different programs, you will get algorithm with properties of both parts.
  • Program is coded to a byte stream, so you can use a lot of libraries to mutate programs. Of course, you can use the string form for debug and research.
  • You are able to extend standard commands and conditions for the purposes of your task.
  • It has an interpreter in JavaScript, so you can create a distributed cluster from site visitors with a simple web page.

Language Philosophy

  • Explicit code. To control mutation, we must know, that when we change one byte, the algorithm will change slightly. When we copy a part of one algorithm to another, we expect, that the second algorithm will get some properties from the first one.
  • Everything makes sense. A mutation doesn’t know about syntax and formats. Interpreter must try to get maximum sense, from any byte stream. For example, if a byte can code 2 values, we must read even bytes as first value and odd values as second. So any byte value makes sense, not just the first two.
  • Simple structures. We can’t demand on the mutation placing all conditions in the beginning of a block. A better way is to mark conditions and expect them in any place of a block.

Description

Program

Each Evolu program starts with an EVOLU: prefix to check, that the file or stream contains a program.

Like XML, Evolu Lang is just a syntax format. So you need to have business-specific languages and mark, what language is used in this Evolu program. So, after the EVOLU: prefix, stream must contain language name and a colon.

<program> ::= "EVOLU:" <language> ":" <rules>

Language name is case insensitive and may contain any chars, except colon and space.

The genetic algorithm shouldn’t change these prefixes, they should be used only to store and transfer Evolu programs.

Rules

An Evolu program is split to separated blocks, rules, by separator. The separator is a built-in command and may be coded in different bytes (depending on command count, see “Commands and Parameters” section below). But in any languages 0x00 byte is a separator.

<rules>     ::= ( <rule> <separator> )*
<separator> ::= 0x00 | <separator bytes in this language>

Commands and Parameters

A rule contains pairs of commands and an optional parameter. Command byte begins with 0 bit and command number is encoded by next 7 bits. Any other bytes (beginning with 1) after command encode parameter number. For example, 2 bytes 1aaaaaaa and 1bbbbbbb encode parameter with aaaaaaabbbbbbb value.

<rule>      ::= ( <command> ( <parameter> )? )*
<command>   ::=   0xxxxxxx
<parameter> ::= ( 1xxxxxxx )*

There are 127 different commands number in one command byte, but language may have less commands. A mutation can generate any bytes and Evolu Lang must try to decode any of them. So, commands are marked numbers in a circle: if language have 3 commands (separator, a, b), 0 will be encode separator, 1 – a, 2 – b, but 3 will encode separator again, 4 – a, etc.

In language description commands may specify format of it’s parameter. Parameters can be unsigned integers (simple encoded by bits in parameter bytes) or list of values (encode in cycle, like commands).

Conditions

There is special command type – condition. If all conditions in a rule are true, the rule’s commands will execute.

If a rule doesn’t have any conditions it will run once at start as constructor.

Standard Commands Pack

You can create your own language with Evolu Lang, but for common tasks it has the standard commands pack to create Turing completeness languages.

Conditions:

  • if_signal will be true, when program receives input signal (its name will be taken from parameter). If the rule contains several these conditions with different signals, all if_signal conditions will be true by any of these signals (because, program may receive only one signal at a moment).
  • if_var_more_0 will be true if variable (its name will be taken from condition parameter) will be more, than zero.

Commands:

  • send_signal will send output signal (its name will be taken from parameter).
  • var_up will increase variable from parameter.
  • var_down will decrease variable from parameter.

The developer must define, what input and output signals will be in the language, but variables can be added dynamically by mutation.

How To

For example, we will generate program (by genetic programming), which calculates tick signals and on result signal it sends whether an even or an odd tick count it received.

Language

Like XML, Evolu Lang is just a syntax format. So you need to define a language for your task using the evolu.lang.add(name, initializer) function. It receives a language name (to use it as a prefix in the source code for storing and transferring the program) and function (which adds the language commands to this), and returns a new language.

For the common cases you can use the standard commands pack, and you only need to define the input/output signals.

var lang = evolu.lang.add('EVEN-ODD', function() {
    this.add(evolu.lang.standard.input('tick', 'result'))
    this.add(evolu.lang.standard.output('even', 'odd'))
    lang.add(evolu.lang.standard.variables)
})

Population

Get any genetic algorithm library or write it by yourself. Use a byte array (array of integers from 0 to 255, for example [0, 255, 13, 68, 145]) as genes.

var population = []
// Add 100 genes to the first population
for (var i = 0; i < 100; i++) {
    var gene = []
    // Each gene will have random length
    while (Math.random < 0.9) {
        // Add a random byte to the current gene
        gene.push(Math.round(255 * Math.random()))
    }
}

Mutation

Note that the integers in an array must be from 0 to 255.

In the genetic algorithm you can use any types of mutation for a byte stream (a lot of libraries contain them). You can add, change, delete and move bytes in the array.

You can use crossover to mix arrays or just move a part of bytes from one array to another (like horizontal gene transfer).

Selection

To calculate fitness for each gene in the population, you need to compile each byte array:

var program = lang.compile(population[i])

Send the data to the program and check its output data to calculate fitness. It’s like automatic unit testing, but your test must return a score, not just a pass/fail result.

If you use the standard commands pack, you can use the receive_signal event to listen output signals and the signal function to send input signals:

output = []
program.listen('receive_signal', function(signal) {
    output.push(signal)
})

program.signal('tick').signal('tick').signal('result')
// Some hypothetical API
check(output).to_contain('even')

output = []
program.signal('tick').signal('result')
check(output).to_contain('odd')

Saving

When you generate a program for your demands, you can save it to a disk or send to a server:

var source = bestProgram.toSource()

Source is a string with EVOLU: and a language name in prefix. For example, "EVOLU:EVEN-ODD:\x04\x80\x00\x01\x80\x03\x80\x05…".

Use evolu.lang.compile(string) to automatically find a language (using the source prefix) and compile the bytes into a program:

bestProgram == evolu.lang.compile(bestProgram.toSource())

Testing

  1. Install Rake (Ruby make) and RubyGems (Ruby package manager). For example, on Ubuntu:

    sudo apt-get install rake rubygems
    
  2. Install jasmin gem:

    gem install jasmin
    
  3. Run test server:

    rake jamsin
    
  4. Open http://localhost:8888.

License

Evolu Lang is licensed under the GNU Lesser General Public License version 3. See the LICENSE file or http://www.gnu.org/licenses/lgpl.html.

More Repositories

1

nanoid

A tiny (124 bytes), secure, URL-friendly, unique string ID generator for JavaScript
JavaScript
23,467
star
2

easings.net

Easing Functions Cheat Sheet
CSS
7,688
star
3

size-limit

Calculate the real cost to run your JS app or lib to keep good performance. Show error in pull request if the cost exceeds the limit.
JavaScript
6,424
star
4

visibilityjs

Wrapper for the Page Visibility API
JavaScript
1,821
star
5

nanoevents

Simple and tiny (107 bytes) event emitter library for JavaScript
TypeScript
1,420
star
6

autoprefixer-rails

Autoprefixer for Ruby and Ruby on Rails
Ruby
1,214
star
7

nanocolors

Use picocolors instead. It is 3 times smaller and 50% faster.
JavaScript
870
star
8

audio-recorder-polyfill

MediaRecorder polyfill to record audio in Edge and Safari
JavaScript
572
star
9

webp-in-css

PostCSS plugin and tiny JS script (131 bytes) to use WebP in CSS background
JavaScript
347
star
10

keyux

JS library to improve keyboard UI of web apps
TypeScript
334
star
11

offscreen-canvas

Polyfill for OffscreenCanvas to move Three.js/WebGL/2D canvas to Web Worker
JavaScript
329
star
12

convert-layout

JS library to convert text from one keyboard layout to other
JavaScript
251
star
13

ssdeploy

Netlify replacement to deploy simple websites with better flexibility, speed and without vendor lock-in
JavaScript
193
star
14

nanodelay

A tiny (37 bytes) Promise wrapper around setTimeout
JavaScript
186
star
15

dual-publish

Publish JS project as dual ES modules and CommonJS package to npm
JavaScript
185
star
16

environment

My home config, scripts and installation process
Shell
184
star
17

nanospy

Spy and mock methods in tests with great TypeScript support
TypeScript
137
star
18

autoprefixer-core

autoprefixer-core was depreacted, use autoprefixer
JavaScript
136
star
19

check-dts

Unit tests for TypeScript definitions in your JS open source library
JavaScript
135
star
20

transition-events

jQuery plugin to set listeners to CSS Transition animation end or specific part
JavaScript
133
star
21

evil-blocks

Tiny framework for web pages to split your app to separated blocks
JavaScript
127
star
22

rails-sass-images

Sass functions and mixins to inline images and get images size
Ruby
115
star
23

compass.js

Compass.js allow you to get compass heading in JavaScript by PhoneGap, iOS API or GPS hack.
CoffeeScript
112
star
24

evil-front

Helpers for frontend from Evil Martians
Ruby
101
star
25

rake-completion

Bash completion support for Rake
Shell
63
star
26

yaspeller-ci

Fast spelling check for Travis CI
JavaScript
61
star
27

jquery-cdn

Best way to use latest jQuery in Ruby app
Ruby
59
star
28

sitnik.ru

My homepage content and scripts
JavaScript
57
star
29

pages.js

CoffeeScript
44
star
30

fotoramajs

Fotorama for Ruby on Rails
Ruby
44
star
31

about-postcss

Keynotes about PostCSS
Ruby
29
star
32

autohide-battery

GNOME Shell extension to hide battery icon in top panel, if battery is fully charged and AC is connected.
JavaScript
27
star
33

darian

Darian Mars calendar converter
Ruby
25
star
34

better-node-test

The CLI shortcut for node --test runner with TypeScript
JavaScript
25
star
35

plain_record

Data persistence with human readable and editable storage.
Ruby
24
star
36

martian-logux-demo

TypeScript
17
star
37

twitter2vk

Script to automatically repost statuses from Twitter to VK (В Контакте)
Ruby
16
star
38

hide-keyboard-layout

GNOME Shell extension to hide keyboard layout indicator in status bar
JavaScript
16
star
39

ci-job-number

Return CI job number to run huge tests only on first job
JavaScript
15
star
40

load-resources

Load all JS/CSS files from site website
JavaScript
15
star
41

print-snapshots

Print Jest snapshots to check CLI output of your tool
JavaScript
15
star
42

susedko

Fedora CoreOS ignition config for my home server
JavaScript
14
star
43

file-container

Store different languages in one source file
JavaScript
14
star
44

autoprefixer-cli

CLI for Autoprefixer
JavaScript
14
star
45

postcss-isolation

Fix global CSS with PostCSS
14
star
46

asdf-cache-action

A Github Action to install runtimes by asdf CLI with a cache
13
star
47

showbox

Keynote generator
JavaScript
11
star
48

d2na

D²NA language for genetic programming
Ruby
10
star
49

boilerplates

Boilerplate for my open source projects
JavaScript
9
star
50

postcss-way

Keynotes about PostCSS way
9
star
51

gulp-bench-summary

Display gulp-bench results in nice table view
JavaScript
8
star
52

anim2012

Доклад «Анимации по-новому — лень, гордыня и нетерпимость»
CSS
8
star
53

nanopurify

A tiny (from 337 bytes) HTML sanitizer
JavaScript
7
star
54

universal-layout

Универсальная раскладка Ситника
7
star
55

ai

6
star
56

rit3d

Доклад «Веб, теперь в 3D: Практика»
CSS
6
star
57

dis.spbstu.ru

Department homepage
Ruby
5
star
58

jstransformer-lowlight

Lowlight support for JSTransformers
JavaScript
5
star
59

evolu-steam

Evolu Steam – evolutionary computation for JavaScript
JavaScript
5
star
60

jest-ci

CLI for Jest test framework, but coverage only on first CI job
JavaScript
5
star
61

insomnis

Текст блогокниги «Инсомнис»
4
star
62

wsd2013

Презентация «Автопрефиксер: мир без CSS-префиксов»
Ruby
4
star
63

ruby2jar

Ruby2Jar builds JAR from a Ruby script
Ruby
3
star
64

showbox-ai

Sitnik’s theme for ShowBox
CSS
3
star
65

plague

Blog/book Plague engine
Ruby
3
star
66

showbox-bright

Shower Bright theme for Showbox
JavaScript
3
star
67

showbox-shower

Shower for ShowBox
JavaScript
2
star
68

on_the_islands

Ruby
2
star